From 8d6d48f2512f80cd0045f8366fe9b720da300f20 Mon Sep 17 00:00:00 2001 From: "Gerasimos (Makis) Maropoulos" Date: Tue, 23 Jul 2019 17:47:56 +0300 Subject: [PATCH] add the mvc chapter --- MVC.md | 306 ++++++++++++++++++++++++++++++++++++ _assets/web_mvc_diagram.png | Bin 0 -> 25515 bytes 2 files changed, 306 insertions(+) create mode 100644 _assets/web_mvc_diagram.png diff --git a/MVC.md b/MVC.md index e69de29..b6ecd12 100644 --- a/MVC.md +++ b/MVC.md @@ -0,0 +1,306 @@ +#MVC + +[[_assets/web_mvc_diagram.png]] + +Using Iris MVC for code reuse. + +By creating components that are independent of one another, developers are able to reuse components quickly and easily in other applications. The same (or similar) view for one application can be refactored for another application with different data because the view is simply handling how the data is being displayed to the user. + +Iris has **first-class support for the MVC (Model View Controller) architectural pattern**, you'll not find +these stuff anywhere else in the Go world. You will have to import the [iris/mvc](https://github.com/kataras/iris/tree/master/mvc) subpackage. + +```go +import "github.com/kataras/iris/mvc" +``` + +Iris web framework supports Request data, Models, Persistence Data and Binding +with the fastest possible execution. + +If you're new to back-end web development read about the MVC architectural pattern first, a good start is that [wikipedia article](https://en.wikipedia.org/wiki/Model%E2%80%93view%E2%80%93controller). + +**Characteristics** + +All HTTP Methods are supported, for example if want to serve `GET` +then the controller should have a function named `Get()`, +you can define more than one method function to serve in the same Controller. + +Serve custom controller's struct's methods as handlers with custom paths(even with regex parametermized path) via the `BeforeActivation` custom event callback, per-controller. Example: + +```go +import ( + "github.com/kataras/iris" + "github.com/kataras/iris/mvc" +) + +func main() { + app := iris.New() + mvc.Configure(app.Party("/root"), myMVC) + app.Run(iris.Addr(":8080")) +} + +func myMVC(app *mvc.Application) { + // app.Register(...) + // app.Router.Use/UseGlobal/Done(...) + app.Handle(new(MyController)) +} + +type MyController struct {} + +func (m *MyController) BeforeActivation(b mvc.BeforeActivation) { + // b.Dependencies().Add/Remove + // b.Router().Use/UseGlobal/Done // and any standard API call you already know + + // 1-> Method + // 2-> Path + // 3-> The controller's function name to be parsed as handler + // 4-> Any handlers that should run before the MyCustomHandler + b.Handle("GET", "/something/{id:long}", "MyCustomHandler", anyMiddleware...) +} + +// GET: http://localhost:8080/root +func (m *MyController) Get() string { return "Hey" } + +// GET: http://localhost:8080/root/something/{id:long} +func (m *MyController) MyCustomHandler(id int64) string { return "MyCustomHandler says Hey" } +``` + +Persistence data inside your Controller struct (share data between requests) +by defining services to the Dependencies or have a `Singleton` controller scope. + +Share the dependencies between controllers or register them on a parent MVC Application, and ability +to modify dependencies per-controller on the `BeforeActivation` optional event callback inside a Controller, +i.e `func(c *MyController) BeforeActivation(b mvc.BeforeActivation) { b.Dependencies().Add/Remove(...) }`. + +Access to the `Context` as a controller's field(no manual binding is neede) i.e `Ctx iris.Context` or via a method's input argument, i.e `func(ctx iris.Context, otherArguments...)`. + +Models inside your Controller struct (set-ed at the Method function and rendered by the View). +You can return models from a controller's method or set a field in the request lifecycle +and return that field to another method, in the same request lifecycle. + +Flow as you used to, mvc application has its own `Router` which is a type of `iris/router.Party`, the standard iris api. +`Controllers` can be registered to any `Party`, including Subdomains, the Party's begin and done handlers work as expected. + +Optional `BeginRequest(ctx)` function to perform any initialization before the method execution, +useful to call middlewares or when many methods use the same collection of data. + +Optional `EndRequest(ctx)` function to perform any finalization after any method executed. + +Inheritance, recursively, see for example our `mvc.SessionController`, it has the `Session *sessions.Session` and `Manager *sessions.Sessions` as embedded fields +which are filled by its `BeginRequest`, [here](https://github.com/kataras/iris/blob/master/mvc/session_controller.go). +This is just an example, you could use the `sessions.Session` which returned from the manager's `Start` as a dynamic dependency to the MVC Application, i.e +`mvcApp.Register(sessions.New(sessions.Config{Cookie: "iris_session_id"}).Start)`. + +Access to the dynamic path parameters via the controller's methods' input arguments, no binding is needed. +When you use the Iris' default syntax to parse handlers from a controller, you need to suffix the methods +with the `By` word, uppercase is a new sub path. Example: + +If `mvc.New(app.Party("/user")).Handle(new(user.Controller))` + +- `func(*Controller) Get()` - `GET:/user`. +- `func(*Controller) Post()` - `POST:/user`. +- `func(*Controller) GetLogin()` - `GET:/user/login` +- `func(*Controller) PostLogin()` - `POST:/user/login` +- `func(*Controller) GetProfileFollowers()` - `GET:/user/profile/followers` +- `func(*Controller) PostProfileFollowers()` - `POST:/user/profile/followers` +- `func(*Controller) GetBy(id int64)` - `GET:/user/{param:long}` +- `func(*Controller) PostBy(id int64)` - `POST:/user/{param:long}` + +If `mvc.New(app.Party("/profile")).Handle(new(profile.Controller))` + +- `func(*Controller) GetBy(username string)` - `GET:/profile/{param:string}` + +If `mvc.New(app.Party("/assets")).Handle(new(file.Controller))` + +- `func(*Controller) GetByWildard(path string)` - `GET:/assets/{param:path}` + + Supported types for method functions receivers: int, int64, bool and string. + +Optionally, response via output arguments, like we've shown at the [[Dependency Injection]] chapter. E.g. + +```go +func(c *ExampleController) Get() string | + (string, string) | + (string, int) | + int | + (int, string) | + (string, error) | + error | + (int, error) | + (any, bool) | + (customStruct, error) | + customStruct | + (customStruct, int) | + (customStruct, string) | + mvc.Result or (mvc.Result, error) +``` + +Where `mvc.Result` is a `hero.Result` type alias, which is this interface one: + +```go +type Result interface { + // Dispatch should sends the response to the context's response writer. + Dispatch(ctx context.Context) +} +``` + +## Example + +This example is equivalent to the +https://github.com/kataras/iris/blob/master/_examples/hello-world/main.go + +It seems that additional code you have to write doesn't worth it but remember that, this example +does not make use of iris mvc features like +the Model, Persistence or the View engine neither the Session, +it's very simple for learning purposes, +probably you'll never use such +as simple controller anywhere in your app. + +The cost we have on this example for using MVC +on the "/hello" path which serves JSON +is ~2MB per 20MB throughput on my personal laptop, +it's tolerated for the majority of the applications +but you can choose +what suits you best with Iris, low-level handlers: performance +or high-level controllers: easier to maintain and smaller codebase on large applications. + +```go +package main + +import ( + "github.com/kataras/iris" + "github.com/kataras/iris/mvc" + + "github.com/kataras/iris/middleware/logger" + "github.com/kataras/iris/middleware/recover" +) + +func main() { + app := iris.New() + // Optionally, add two built'n handlers + // that can recover from any http-relative panics + // and log the requests to the terminal. + app.Use(recover.New()) + app.Use(logger.New()) + + // Serve a controller based on the root Router, "/". + mvc.New(app).Handle(new(ExampleController)) + + // http://localhost:8080 + // http://localhost:8080/ping + // http://localhost:8080/hello + // http://localhost:8080/custom_path + app.Run(iris.Addr(":8080")) +} + +// ExampleController serves the "/", "/ping" and "/hello". +type ExampleController struct{} + +// Get serves +// Method: GET +// Resource: http://localhost:8080 +func (c *ExampleController) Get() mvc.Result { + return mvc.Response{ + ContentType: "text/html", + Text: "

Welcome

", + } +} + +// GetPing serves +// Method: GET +// Resource: http://localhost:8080/ping +func (c *ExampleController) GetPing() string { + return "pong" +} + +// GetHello serves +// Method: GET +// Resource: http://localhost:8080/hello +func (c *ExampleController) GetHello() interface{} { + return map[string]string{"message": "Hello Iris!"} +} + +// BeforeActivation called once, before the controller adapted to the main application +// and of course before the server ran. +// After version 9 you can also add custom routes for a specific controller's methods. +// Here you can register custom method's handlers +// use the standard router with `ca.Router` to do something that you can do without mvc as well, +// and add dependencies that will be binded to a controller's fields or method function's input arguments. +func (c *ExampleController) BeforeActivation(b mvc.BeforeActivation) { + anyMiddlewareHere := func(ctx iris.Context) { + ctx.Application().Logger().Warnf("Inside /custom_path") + ctx.Next() + } + b.Handle("GET", "/custom_path", "CustomHandlerWithoutFollowingTheNamingGuide", anyMiddlewareHere) + + // or even add a global middleware based on this controller's router, + // which in this example is the root "/": + // b.Router().Use(myMiddleware) +} + +// CustomHandlerWithoutFollowingTheNamingGuide serves +// Method: GET +// Resource: http://localhost:8080/custom_path +func (c *ExampleController) CustomHandlerWithoutFollowingTheNamingGuide() string { + return "hello from the custom handler without following the naming guide" +} + +// GetUserBy serves +// Method: GET +// Resource: http://localhost:8080/user/{username:string} +// By is a reserved "keyword" to tell the framework that you're going to +// bind path parameters in the function's input arguments, and it also +// helps to have "Get" and "GetBy" in the same controller. +// +// func (c *ExampleController) GetUserBy(username string) mvc.Result { +// return mvc.View{ +// Name: "user/username.html", +// Data: username, +// } +// } + +/* Can use more than one, the factory will make sure +that the correct http methods are being registered for each route +for this controller, uncomment these if you want: + +func (c *ExampleController) Post() {} +func (c *ExampleController) Put() {} +func (c *ExampleController) Delete() {} +func (c *ExampleController) Connect() {} +func (c *ExampleController) Head() {} +func (c *ExampleController) Patch() {} +func (c *ExampleController) Options() {} +func (c *ExampleController) Trace() {} +*/ + +/* +func (c *ExampleController) All() {} +// OR +func (c *ExampleController) Any() {} + + + +func (c *ExampleController) BeforeActivation(b mvc.BeforeActivation) { + // 1 -> the HTTP Method + // 2 -> the route's path + // 3 -> this controller's method name that should be handler for that route. + b.Handle("GET", "/mypath/{param}", "DoIt", optionalMiddlewareHere...) +} + +// After activation, all dependencies are set-ed - so read only access on them +// but still possible to add custom controller or simple standard handlers. +func (c *ExampleController) AfterActivation(a mvc.AfterActivation) {} + +*/ +``` + +Every `exported` func prefixed with an HTTP Method(`Get`, `Post`, `Put`, `Delete`...) in a controller is callable as an HTTP endpoint. In the sample above, all funcs writes a string to the response. Note the comments preceding each method. + +An HTTP endpoint is a targetable URL in the web application, such as `http://localhost:8080/helloworld`, and combines the protocol used: HTTP, the network location of the web server (including the TCP port): `localhost:8080` and the target URI `/helloworld`. + +The first comment states this is an [HTTP GET](https://www.w3schools.com/tags/ref_httpmethods.asp) method that is invoked by appending "/helloworld" to the base URL. The third comment specifies an [HTTP GET](https://www.w3schools.com/tags/ref_httpmethods.asp) method that is invoked by appending "/helloworld/welcome" to the URL. + +Controller knows how to handle the "name" on `GetBy` or the "name" and "numTimes" at `GetWelcomeBy`, because of the `By` keyword, and builds the dynamic route without boilerplate; the third comment specifies an [HTTP GET](https://www.w3schools.com/tags/ref_httpmethods.asp) dynamic method that is invoked by any URL that starts with "/helloworld/welcome" and followed by two more path parts, the first one can accept any value and the second can accept only numbers, i,e: "http://localhost:8080/helloworld/welcome/golang/32719", otherwise a [404 Not Found HTTP Error](https://www.w3.org/Protocols/rfc2616/rfc2616-sec10.html#sec10.4.5) will be sent to the client instead. + +> The [_examples/mvc](https://github.com/kataras/iris/tree/master/_examples/mvc) and [mvc/controller_test.go](https://github.com/kataras/iris/blob/master/mvc/controller_test.go) files explain each feature with simple paradigms, they show how you can take advandage of the Iris MVC Binder, Iris MVC Models and many more... + +> For websocket controller go ahead to the [[Websockets]] chapter instead. \ No newline at end of file diff --git a/_assets/web_mvc_diagram.png b/_assets/web_mvc_diagram.png new file mode 100644 index 0000000000000000000000000000000000000000..7d7956835703a0ba694a5ae74674287962d113da GIT binary patch literal 25515 zcmZ_01yojB*fqLoq@_a?=>{dFrKCYZx*G%}1VKRQP#P2jq>&WqZjcg5NofHorBe~^ z!}-4Zk8#KN?;hiLJo@tPz1MnTK6B1>Ua70e+B+ zxeWN%H5Uc_rwD>IeDx1XeZ(64AfZ! zD1Gz#Vo=ZL?xhuO$p9Qi7la7A((3lpe+($d=}R#&4*E8%76irX8!k4|rkdKudn4?U za8o+j2*p1brOiD~NEzFo6p{3fmd-;YKTO}1Q=p-xnk++a^GYf zRHWb_6*NaRPm$#Ac%DpkH-MjT@!%_hWX6%f+aCP$8YK8MI4BrhLtx6a*@}5dZ(*@~ zu{u=jB8ebN?k`6!IC(0m{Y5eToi4JOw$bfOa5FtlB5W!MC99Fljqkb#E>~;wASqm6j3bgy;Zm7axMsf{tqP@u7!1K^1`8#g{Dm28$ z@Tz6%3+_<|%VpyZTe;s!i6PHS9d@gt7LOFnS{p95Bm5pCA=AU#woZw~_t}w`ySr1m zT!`~pf@Oa>{YSjwZt60fk7$jrjx2}DJ<*8+9<*H(ME8`YGruXNpr@jzHlj?I`R{>`T|(8?Mj2y{VQotUKDjA-|rqj&|sYhaXB7)Dv#YN|j29MQKarNm=?% zC6DS`1Xa%?-g|ep-mN7QCOd2EvDdKslEr<&d8_o6`7I4Q&!fVkyrTIcTks`qS3M~6fFoVvMq3abU*i{{=Zk4`kgAB4`p&SGRsYu zo4V<6EvYKKIBz@P7l(QT2z+KPADH%i#@_huA8liVcu`@NuneCPpKhh*!5f?VSj+ER zPv5(%U0Y+#Pda${dY*KL?FSo89=}Tc9cv?pqQs;`y<&x8jbiz&X2DOt^V9O0A2jO! z4Iq%}QDQM-k++Q*#7JAyn%0`j$H^yG6&E@B#9id@fhMa_*0c3V{`R}{78Cz;73ci< z=gn(>ZoJ_6_voL~pZp_vJUz@xJVwkJyg^E_E&*3(FPN(K#^s{q2qW#gjg}dgow}X6bC@xiZ!;^aZmMplXsXudvE_-Xh^q7qd>zOhm`D~# z6~8licP(`-bux9K*37`mfU~Bcrp{WiV#Od&f4ipXNr-{4{s%p61LI1$lC%=0iN=z~ z{OkGkY6)t^=@Yh{WqUP!HHEcQWvf$|GoNalYF?PzT2R>5c75vHPH0Ye(eNVbpEwqN z*fc>gtpV-Jr&VsGB03`TDTD8~@4x6eOx)nH)f*xjn&MloA?auPY@eo;`c2-J!nXct z&_Q^_E9Jm`?j#BBRGRL&-sTl0_aj&1CGXLrwA9Mfj^70{rQ3qr_S<2z8DIG`*wXd+ zo(^~R$}DQEj@-x1c+2as@bTqCnTG+k)oTnqmOOE~C6i^fA3Tdr%y%dxjwReOmL-W)vi5E;ZqS|}ME&LZ#4wimPxFY*mv}58 zVIjJq_oH3H^{7YgBnfzq%*s4nko_Z@C_A5Od*`8WDVLG}yF?N9W3lh|8u%OTcXQk5 ze;wCL(^GU*z9G!b{z>qOW6Q$%?}M-(X+Ln6eJI}X^cuT7&l>DF49O=i=Sh z>w{SeW1Cd)RpwGf(#cbv(K+1}7iqo|6dxDsDqVD2HKE3K)Apy$v;L3PAr%*0PaXrJk{zqU)>_x5b>P((;l$!}j)C7_E5FRd-h023arv9L zgLo;v=0m8mE*Gud&*qPhg)78dpU>bdlVNa#>R^5pt9xC;?lk_e__uD-rg)fM&9reEZ2ZM|3^OcR0YYQhg@kPEri}d-pg!S##Gg@0(p2yND`zdm%S}A`G zEesnTew7%R*qrx1m!G*s_?}-(|GCn^qdxoZ8-d>vZ1;yE)83}Nc*%V>Yc`Wzxj9=CaB9*oS&pJ0Xr4PC??#SqG1#3aY`hvJ8Br3*<2 z3;($9_HW}nUuMW^h&i3&BKxBM69qZX%hU0#$-$9#BUwrNNeQh^z90T=wrx?B&UANl z-)!mg;=5yVsPp%CyXUMY?M}`D;lmYQIzQG+yR-5mt>OH?2~-IQm*{Bk4$dw4xMl!v z(pf5Ksv?Lt6N2~$A;{S!{CfjIJa`dg(+ojG-XREubG&Jn9D?XgD9TDb^7{TO&C`ga z?{5#w?L%hOqBrWK7`Wv@tE8kFV=^d5kA6*wbG%=uOv?`}@Z6jpKKMmHrCuIjEUToR zk}0{~988RQ`}W_zmMshaT>TY1J^6O-`*tx+r`bL`uH+l~Dn^Lk$?GpkM|2q)U4#Tk z(%IA9d6+KtDm+~B$X{~Q|CHikhQy1@3-KZ>*`YQ`ZAo(Ghv^@)vjaC#M)-zfX@~

2|PkV`TxC%xw*N9hQ|MXA~v*8D?i%dUW!p-&V2<)Sedk|skUXU9orG5z_7D6z+v;}7~w5=Yj4aI2ReLiZf-kcwCo;uCUn#QOj4_#$G>MvO`4_u_bp3J zTcaZ)WRCpTsbWh5_`jwI;KD({Tz$;m@QL#e5$;gvskjgOQ4&RQ2k4Or}s zqH%R~brck3XD_O$IZnN=p{YqN@c2zsR8)0!b!uvARTcl$?MVarS8s}YAND1%#Kpx$ z%`^oDO1HlJ_viR`aX~>rW@ct~Ha#hh!{f(A#l`*o{gsuKt-fcYdJ?(0xv)-_&d%^* z@5i<*a-)*esAy=_RaGxfm#`j@ImvU9|NZ-Sq0V)AyjZuaP+3t?^&PMI>F(0A|1KpZ zr3EoX6B83h$6pXY9i3NKm&F~#UoBr$M5Ljvj#IxPST0ASY?~KdQ4j7?ZrP(QUUmIu z%t_BJzx9oc_GjE29HM>~=UbDdxFH>b?{(;ij9PrByShT!Pj}4T_gSTj`@o;6e?*Pr zj}5JLUSMWq%=A8GrjJ{nt$*6k(6Bo){_UISi$Cr!Uc8tz`S9t}_UYboN=nKudtP3i zl$4Z3Ii(^Rs+6qIjloQ*pv7eoi_hT@kM3K`--m~Zh=|OrtuadN92`(^6m)SGFL?73?uwW`LkA={&u&gaFGZ4Rmr11{- z*qXR)+Bw<#_3N*N*87Kdy?uNp$H$L+ucA;)Ts%wJZKXG^tE&rkSiBw9ikO5%L!5u@ z;@{t9?;})1PfyPmBK$8ovxvy|wl?IC(0t2_h+LF_Q;E~Rf4^)txV` z^d-Qp=e8V#UY-jTVcmH6@F9W(wbyy=(ce+_+Fg`d_oiEpl7RrAr>BpPk5?C$^nLMS zN%Rb!P?mcw1ed~&pE^pe(S3tB9uqy==NcYfaD&ToH~x>Lm$ z-|VV_gV8G{+n_3RN7EMP<{qy0Q_y?*sY5BjyCq?C*8>IF&A2?5XCy8$s*gt%;I;Ys z4%T4LtEt)NB-;cn8yEH}yQQV2xw$!)D*gR?M{8>)28M*xROP6;osEqRC?XXV74Q)7 zdAVjx+5GV6=tLFM&McX*&lY>5AC%b=2s_5c+#%zkctBl}hY#7ldi4rwcX?S^ENd|b z2M7Gk19}Z_?}oUz>(;+shlf*&dsl^q%1KF~+@Y|`G(oec6mc)e-9SYazgIh;2AGZJ zDn1&;K-vm4axn3!AL-~E?=H#kXG*%i#--p64h>aG8K>YeK}R@^>SDd~q;j~88-g)O z!_~^4{r(Q21@+ayO=YmZpO2SUT}OwTi|cJ%T-G~}kdP2>Z|}Qz@2;+{LX|9l%1;+T z!Sl?;C6+b8+|~zfJN69&@sExk?2TiYan<8Ytgo+^O@@|ciTLN_Flghy z7khs933EKAES4}7ns50JnZ8(^ilp(|6KmrK=Rx}6D57OAmrehIYT8$RkAWeme|2+x zosybbbG-YuOsImgG7Ad}32!)BJmzSb`-bM!(J6%rB> zMDp1)!4aHp$(S4ZP+No4S>N37S^6ezE{}#z9S-^Jn#g1N32M0TF*zwIf*c+l6*@8V z6H!ONN)iw#C9CAEOc`ovp&{y;nw!xHfB*a;{_KkOzjsCV^YeSPFVJ=-_TWL+wvcc{ z7rnwq?>bp(RTFxVL5Kt48`1FNrly3*dOXu8R83wf=3hJo#l=tSjhvmGy@LB!MTCUl zzZ>i8UF(gmstYa-4k{8H5;9`PulIXyY$W#W+b#@f?%51p-rkyCeJ)SUUKc@e9?bXx z-HfoCmYn?O<|Ymk@?&wa&7yqt+qZfnZj}%A&d!9b3o8rT*yR}bA4^IejKVetVd4jp z7!ylV99QXn)N5aInQ|0N>JJ(9zkD@dQ#t*Mj6#g*7I%|5$vIfBuJAr9!Ix*9?SX}b zY*BIthljzJA){?Jm9P{^NffCA1h}}%ZuN8J{3O&g#u+F%)M{aIz z4J(c=DkHi52%>(q?r)NkF8xC75Qsi#J*B0k@L*%tVc~szd`?$CVNlzdnfb#;O6hzu zV$)~|{bY>00_$OVp_lT#=my$ z8b7rvF((%fPpi+#Hqwi-ErW^%BRc=YsP3_U&6X$Hn}I z8G%7TJM+ynWMmjI>+9>J7UFuJwNz4Fgt7HrLL^pKRx{%DjNX-!T$a}f-o_C@b~wJ;J!RR7<$u`FALBu zH-Mj!nfWf|N{cDnUS1wx4FfMPkuJK7j0^=u(k;L9k-@=ewadvj(_@8NA98a|T732O z^$UxNl*(yR5)%_+V>3T~baZflzC7YO@yS?u-V494uMfIb37H&PD;x=u;L*9w|2uhLNlA&ve>gedWe{tH`-Hqw&{O8Y~ zR6(cLk&&bkT~5NCfVfbQ9Ql|$y@Bv9i@L8HT@e(YId5OB#jmOI*jOS>(&|s2xOsV9 zHpdE2|EjC1I(5A!<1uLh{BE~XXl4rOqP6j49>6p*3_B#KWHl6|BNHDAGl9o=Xy6lC zp^t{OY7ZX{4GeHGG6t*VU!E?<)IOPG=j0T7`tvKms8lbKmRBD?a^6rnJv-Cbcyd$B ziwG%$AnM?rmMp&A$8V&oqrPcMx{wnq|{4UNG+tC6^K_=;e)K4J#BOP6$*MJmmp3vxT1{J<4Eg}Y;>N~vKoC17k%xzes;PoY-wI%- zW@?<2m6f-)x3<4m<058GPF%#VdVNUFd|$#41$=MaTLo%XX-NJjPqsaOVTOfA#bOJ|7a@QWJax+9j(w3o~HE?@CTiS0D`wj}jr1 zQc`+6U11H~THG{#Z7AcL9Y1DJ+?zMD-6_6*kGZ1c65hU5RZyUNX@3QK8RVm3CTe9V z)zi?}I~cmZyflAwbab+_upp#kFjQ$XK#lm<*9#~0Gfn>P@9P_xn7~8;hGvjr$c@4b z$JMs#=6AMA;X7{*VF}?{Tw2P~p-20v#QoW`Cp(*kI||0ebI?aokOY>8%n_yNifHx< zii&;x{af3`zUQYS0|Tl`N;rsQK6KBFi{syh(&I96a+pRO}S8LS*u0#UAvj%LQ69Yo$nst6B34rQ)|{SF3~ASN!`A4Cr+D8FjkE3z5fTtVW~&2eou`tIIu=mRjR57>ibCcrqISl?i*;yiBqM=ERjKrfSWs{JY z|N0dV$t)~Pe)A@Ht!BE)p5#@c8@)Xp{?$nAxnp8G7@M9h@$%fODc|LE*Ic^UUQ|U| zIuJH9636vye|1MM9wtMm0v)q8oaDINcnyFPN0!_d5U7U9vAGq7e}gK!>+V0Hbwc6Esi=rA+I+tET zW<_*(XBgeyeuIQX4akny{AQFohK3wmTyra>^3gZ$@bYGk*inYQlBEaW!o|e}g~!v= z^HfOO_td4$9|filIXO8PE<#%OkB)xNHP!|Oc3cHVW^+x=Gss8w|1JoR9>Z(MB6I=x zIQ&o$7U2cJ+K4sBy-^_v2?-cIoC^8N^?Z+iO`9}(w;%uc_VB)|(2ZBrz7J$&BPs8o z65g(b=EVJeHUP$!PlmMwgfBN17k8^wwOl&wB0d^azsBw#isLt9Vq&^H8}dszq(+eK z?QH;&yREJNj#GnzWYpB4T#aWxh|no92r++`m-llZ_1@OzCV+exNpSoGJT}L&uP%BP zmVBp~8gt5;=La_Md-x-0E3lEy(-j}~nB1N|eJ(Z+Eh!YAX5xpiVH5x0{%Zfs4~M#^ zYXpaVCnPL1=?!K$+!mf1%40&S;C!l?mDQX0c+~q89%fG0(;6@P_fVhV zT_)ymEPJB6Ds`=#EDlVEDFt! zvP7Y8)p;Ln#xp5rnr7Z{7kSYedmHk$rnc4-IGktC(uG`ql$mz|C6pTGGch`90E0&q z&Asn+7ZpWCo0pdS-|V86MPa!i-)3iLfpuWSXN(P%c=5;AX;Yb#JS;dEHiCacAU7|s zgCH0;5E`DHq$7TH@n?%?YWBm25BHwTDkRz;>?l}S ztw1}5P!fPztExIMVOv*KT@CzK3-ClRJjuz+*Pa+aRXi<(&WMJ*6Lg|xdwfk%=3DFb zOzlu#9~&2!Dl2JsPfufGqa~%F?cn>|T*d&&U1-9ps;Z|Pwzg|POuz*w&S|cJtg{T> z?gs(3ynGLI*lNx6pI6xv^#Xs`@D;!|8cJI9hW3WpZ_L89uYpc%@;Tw=*TJ8Tnk-No73Eod~4 z_|RE|gz7wZ=1(830`T1XbL8-Yf`+MP%dTt0yK3{)_W}lL;E1{`$^!!0fi-)1z9;Wa zp&+lXPh~W!qoENHHqXe+O8caT1oe2T8luF?$%*#XEyBOq@ID);iX+3r>yxFoGKOLz zA{e|h;`oVD02sp>=;`ab3cZK177Ek$bYx(Jv;H0r;64i*n`ghK z?m*)LtZ{q^ftMaA7m#-y3f3oW0MFsrEdMLTUO0hMLM$J29g09!W?rPt5tyxw7w8|Icr zmZV4?#+R>OWk>z(P|Edwt*zBs_7G&L+c`PCSp7mKcGETDaN`@6HnjjR6rDLq;6wPC z?%!Vk3V3G5kd^e4Nps48P3C!g&M$3Bnsfy!7i2jEAaQzAG;6@xSP0Sc;PBk6 znZnZ21*mWkFwmu-gu&fXY(*TF{ZY@TS<&!b4lVCt8%o3DHa~jwNF`lNn4MioPVOhH z6x5&X-NNJTxtV7@=z*l8>c+-Vxl+W}aB*P-HBnRql1kCcY;ibCM)axR`h=W1TEV`r z#4UVQMqIqk8s`NG`_WvOW##4N1ykn~jS=Mh&sHgL#d03X_+}Lvh_qT7}G@P>o0e1Dd z&8;mI1WJpYq?CT0(KaxfIXOA-378|VX0#^_!|*;JN8D}eQk&buks6i6hN_X4md3}& zhmVhM+T_)4b+>WHz)RB+9Rr3O)Jwxt;NKp>{M<1yA;`z~^l*IyuDK#y1aWrWF|2)( z^*BGCpGcUKH$IfW4LE7YLmh4Hf%n1(Fo1fseA~`}I^4VU`1)_uJkr~4n@AN~wYBZcWbklsfDR;eFXWdQC1$0ufq?-`wRXmxy7j(i z6=7jmq2{gU`~47Ctv=7c^!Ed}*7&Ym(YfRT=m8RVNep9CAT|E6affs#1CO^9S&!fG+KSC}iP2A^MeYpEf#Fw(e6?wKpWs|--~*3yMECzF;QDVK8FiJNXg*XOSXjimD>!YK&AcC+Y4m@ zBp%`-MrzS6H8mcgFxbB z=SPe|$AkuSwOghXjNXy~=2O6dJI~g&oAE+10T`{kiwY{C1dvMNW-F_(e~3S~ie0ET z{#-|eb^l<-eI6d3O8`tiwoq@VkByIKVMR90HhK~wyr5rczDfMjf{EAJLSDT$Y3erz zH3!%xJv~bEf6=N?ynuj`yG^5jGb@q>C0b8UVI^04?3Vi27QJ!MT7!mX}PZDC;n(el~CHDMV#ieA0jhc|D=R{N9sMyrE9 z8aI-kQTO%(Z2NB(v0~%3{;&j%&)(kt_U+qIgeHy8oFJC@segBb;4(HSp88AE5oOv& zMt<(;VPRr|kEy;FisQ82&T3ILF`0)J_Vnpf&>Fve`v%hEsjtKhvHxLTS=reE=S>2E z2}})?#{+xmg{J3dh>-VTL1iVMnA_#W3qnFdn6E%H11&D$)AKYT*T7!k$?GM%L-#M+ zxY6|GNI-h`paH<@_wQ&DdI%)Rj3GO7!p6^^&p-?2PMQf&zQ@lGMFSU+%o!mjCg#QS z0Y<`zvkD|KynuBnP}v?LSnnVQE0LKu1Rh5VVK|UkG&+k_y5ank%jk z4j^;stk|J7U2ScsX4ba0`9PNE<-v^jT9*F27Fe3Y-Q9Pho=;{b&p&r{EoI%+`KY(F zx@v7{sim)957Pk@$k@YyO8A}Ya(CR58?utzbW}vaLH(eG~)YQ*T-GCx~^5lt3C|*DuHDmeYF1$TJgk@VO(`kIRgP_$- zIX-I~WB{6!fgy%g^ykV-@ZXgU_lDwP*oeo5gD&T%u1%D11DB*!*dRSl=AC}q_CSmz zZewYlrRetMy=^GqZmUWT4qF6b%npb5Ch&@6!doZIOrd42vp;9Eq#|N%?y1Pe4Mmqk}g~wKXQc_=k2CxtYtLHSH zs;W_vbdrS68w*NH2?+?&1srsiHA>k>b5qj|TH4gly_9z>KEpT$+w@)2zphT`H02|t4W~T_Vcki@AnBZ*o&xl6 zmzRQ<2JCM8E<8Xk2O^w@kMF?2bYgtmN#idW85yKT9njyv6YP139j>TTawh=>G!YA` z2mLTDZEmOa@&ZOsg7;hk0^j#6*Bwh<7{giYuWZj0w3Kxn~trJC{!2ppyUlMxqhhPr+%8PG@s%&fmZ za`?6OgHJVxxW0ltU%qSt2BM|Ju2OJva*~wvPe>q(`PFX@i?duU;FJHdg^{_TK--E_>lUvf<{C3ND zN|#0Zb|-vA*5v!#>hA>htUNro1Rj$fastJgAtZQ1#2uU9Tue-?qO#IegHq6O3hE=< z@;I;*!utYMLJh%tV?cyJBZVRDguSoYVUnMpe{qJDkx^D(KUps4#Z$qk!%=m0bu)8w zlmW1OFr-kyd>9x(3!R4&FSN1I$IDBoD;;IU!EO)+aOeXl2=vYC*RL-$ivjLK!y*Wt z$AXK3f?|KdDK+;>AqVzq7n*rLLmm@MYA(V>u=RzLJibv44I)b4$IW4}2=a-0BB{P< zlMtoJvywtTC&R?KeN=SrtSsZl$$PYi!+-;I;vRDSN~Yev=!{4+>l-trqC-be1$w*a8XI-AY2`s-%H)hm={e zKp{Sh|Bn?p+D_Kio8!jECFewtNLtav+!%6hr>jX`;AZ552y(@`QghHz5QL8pFpJyh zoT#1~aY==}KDC*R1Pp(u+~#(ogg3?fJ72>H3&tT)U@wAwHhb%|73qjz%8hgA$i}cI zdL`?^CDL;EuBpvf5AK!OR(YEghv}Ki=T*0*m&uSB31h*ZKSRjqQ%8YxFQ;R_dvX#s zLItx^?|klEK0W|K>+T};9s9Ra%Kl^cOG>y3yIe0X{<*v$Vyo#BcpLiXk2fVI4=-;l zbqT;kT;$41RY6nXveW@q3dKxr@I&xX;<2$6f^rwzynuCbK`ZPQdicO zR2gogI>`@{gAE>A2ogcgMPE$@t&+Izk0`ji5Rl4d%d61P(SK^rRy$B6W0FFE^L}RN zN}K==eb|ow`SY_cUzGTtuu$;UUDPuMjremBPN(>zVx*=318bQa*NDb(qz`22oAcU<1yZ=&I1~5J_ zb(#F?rEyX@na6Q&E}tDRz5*Q{h&JJ;KNkz}3fdu+Gd*OvS1xT!y^nt-H#h$SqY!ZN z3e9re%X^TXT^6ny8rSi5K3JR=d zpWtl)m<}ir|FF6oO7KVl@9Au3hmDWVRCtZ}0}TBDgl(*>KrCE-rN$Zr+=o#l*53`; zq)_Op2m;Nl@cUS%{jkd2ec+Xi8=tAV<)VCg>iP6(P`w%}=9^G}RwTyMAX&j~!D7nA z+*BRU!wib((5H+)re-W!mi+zX7w9?TV`DIcLo8k6!iRnd3JMhH?xz>(gg}D{3)h1- zu(|p8ZsO&aw;Zr0Z;6aqxw)fbV&F~kHXC2Jo3)+VgIdT`#a}k zE4tgG$bvQ}c|?bx^cI*Xu0B?YJFE8qJ{I+DDi&KLja#?{^R!LfkQ$TVMz0w!3?CS% zDA&Wp6sUVUpcV&wj!jI&M9QkFa?7G%s(_kS2m(uTGEg8)cBNS#KjI<7jh@br?+Mw_ z@h7^6%hH$Yab9ciH`fDn<*j>Nni{YuA_>$;b1NYZ4!s5s1vPdQ6Dlr(sO*w610uw|JZ zCp0GRq*UOaDJj=?c6PS59KgjjhKOZorx3|c7Y3tSH=k5LHH5tcZW&5g| z@C|~betbNh=?HmfToYTeT1I=#6yrF+{M+^4|#c*svsP+=Nv9R z-)m}WdZ%JzW=40O0$wX{azu1>@J50Y5s>c7vfA37p+1Z9#X_jKC`eXT)^0X!Z#4xm zF)H#-#N+WvXpjBz%01zIReQVrh40@DK&%4d{l{}w1o{6}s7{KC*zr1H@yWRia)FR4 zDR}{oyrye4UT?{Vb^*MgpkaawiH3>_Ci$8N$y*4(1n6>b!4H9N;OEbufEsQHyR8IY zBgs=sgFkHmMiTKaDRDAHmF)Wbc~SnI3bP|SW$4-IDQ~ih9fPB;*Hfo+luNu+l7zm) z{r$k6ERn_EC3~g2g4YOtP;?O1TrW_ERs4*qTUv7z9hPjW%FP6H zf3o0rOUNZNGE&9TR0c{ISORWb+Xl&cz^13W8`yZzo;wxlfk|QoMyIzoJR-se=J+jL z`#n6!(^(Lw0MmeJbfML6K~G7KsqyjZ&IxI> ztnxW=X6GNG>${4PQBgVB*`JK+-Ih8+x@&F;yUBu7_44BHPAe$KPt44qSN>XFe){*= z326g7c>%n~e6x>(gTpOw-yJzrdtpMe1l|TXP8pfbPf?;3ATE;A8bWUYZh9Q%mI(f~ z2~>>iv(&=pT8=rAi%!*V$&yvSTZL6ubZ%d!Cxoi0WqbMf$m~S7w%-3L5sH@KTktWe z)y&!X7AYzE3`~X`7gPjOnddV2Cgm0(@S$HiRdem%=*4R)iqFilI$4(Xyr32Qo-EA( zzxgZKQ&So&30P_xUNa=J_ft-e7EpF!VOIe2mwB~UC=iL_Kx%+I1ZBmz?nNCKbFYA5 zD82)C2*ARsii*IwPUv3~L*PFivbqb2WQU z5X2%UdGQ1LHXhh8vy56xZ4@U)JIC8o7r>q($m!Wy#*8Q(_)@LP^>%N9MQmxAf0#Al z!SmW+*!!Ajg~RdO{mP8%IIJUi^7u z)PmUygDv%6YU;~Ecx~VrRa?N;m64KybKmc5ALAmp-E4703H%~^2UT8};d-0|*RBDN zdS=i!1OM?7yyY` z&wlhhkN{?uPdz+B2zbtMqgt==pwqA)TKgZ{ItK)xh9?hgwm$1XSl}76TpWLZ;{vo} zA#au(eolibu(TC){a=N;8tZ=Y|B>bZt-iZ=4T^B1mL^Iks7$- z;85{Gm=&mi;5p|e{rDuXe-)}|Gzj;)=-`sH?oY(P#1vF42Y0uMiVDCam-4o0K(PpN zD?>AWch}`VFmxxPr)_5eOd-IzffhA7dtVlRF%z^1MMkbm5Q1T;u4&Z}UDck&|1RJp zykvEBCP3zIZ(njqRt4R;#&H@%EKF17sDO(+g2odCl#ykYC3;twn2PIDLaFQu22{3_)}oRF-EKX zqF|E0u0}&r>6N+HD-YCwTE4A~jpmLZ_~)UZgH(q%BK+CnPU^t%-kz(Ai(QkTl(F%P z@gnWXQqvuFPcq-MXD9BXCoqMXJa`Zymji!v ziRPn6Rb^#B*xv%DA+KdO9w2n$$(;w~~bG4TvM zEevvz{!asp!*g;h;XDE0_?DWufU)4PFyPzt4Gn21DdDyO|D18Y0T*ULm8`6!M2UwP z)D9LaJIk4YfdSo5MrRNret!;Moic+=-T5jgU5b$yVq_a;KtL~!#P_63P5ofJ18i_A zk+cmm-tgpPzMh*6wh>O%i@(o05{dXXIH+l8&=6SLLU)>H+q18R-h;9PrrN<|zWlx| zT~Nlan*^@|{J4I+$6Cb$Jj;H@CaOxhS2ybyF9qsq+fxF+D-J8bIUD_9AoqJ zJo(wkzOuRsWK=T%T=?dbsm|epPtzd90q^?^Jm@g=sCG1f!yKfbC({+HVD$z#weTSr z-Wvk}IWEjXfUq(aj85-+L(VVV>ta(R2yL1rlHvaOzPm^Dc=lyS5H^hha<^{7Ue=591)#MZxR!2Y_BfhR#=#sU!LuM z*qh)C2OI(g3J{bKqyx-GApE2Lx#Fq7u3lx{8G8TnJb}6a(Hh-aUk9{8G<|(OkRQfT z*bg32(Z66J0#L$uI1t=1Xq7V;&Er4T%!VbeYEGb-2vY?2qGdaDtmxcq?ve{q<1DXpi82)*9O5x$A zr>4Mn4>TK`mw+vUZH2Z9zk(M7psbGDF|76x@a-VU0`i4g1=rWFk*A{>@7@WyEJ^~l z`1)1FmqetHO4tqFZUuykE4v_lQY8j#hf%Y)$Hn;>WRaSR3ggZ{@W=$JB>;6%XPoZ< z&!(uN!pYA51+?uiU)W(X0@|{_A0p_&L}Lj!XLvUle?YuQPNq6{G&dh<_4C6Fk{bQH z{_`ie*{l9X%SkY%0LuCAa?E`IQEoyvfXCcdL<=R)xMp9S(4=)#*Zy3pgawVB`m8mbgbP%<(>3XB~LIvt{@ z%kscqw(Hr$3ITpDYlMOEBaG4jQ{Y#4S`b)^ig09V06}Q*bdrU2Zoq+_Sz-~hHe{b# z)6~@2#wIZ#;pzTLpLVg%_2xR$gNHUYHXXhFjC22LfTu+yA(SBg3YR9HJ$>2;6Qvb* z`)q|Z%>7*!9yWVNo@*fQU|b#fiM9A3=diVT35G(%A4Fm!qZ{?xC@M4@OiW!im23xI zU|4u>v8DQ5&BH?g?@=|7(D5lmBqV4-b|GP53E6E6Q*M=DyS+LGp$2Q9zb&PyN$h@p zWr&qgzk*r7vp~ww^N{?Z2Em+r;d|3_KK(CvE%lDL+}t;X-56tf7+S=^GJ>fJ+C}D6 zB`l^?a=V5t<|}}{Z0zjx8s%`HE7Iq&we^E+l#$wdn?KjqI$LHTqr<79G4l%wu(=Px z+eCjPc+gN^uOYfQau19EVG&wadRTT8*)Z-r1hxgH_f{Ra^&k!~pH2x03HkEHubt5I z@sS))U-{A)Qz!-W$}PGe${2n1GyqG=jKFb&IBD7|k|}2dn6R5@$(o~}&H=hG!*&7X z67>%)up4F(clh|WwhPL_cltqoSRy_Gj)0`80M0=ML<~T?QETviBEOOWhdYESz}5vk z2xBxpIQU?<5&ymA9w0k3kK%v@UOPBbpazi$4i!eqwR-JYbVSbsaf{=50->22`F6G? z(+so+m!t@Q>u{4+pAE3*WMtejT3O!QRO*ZRC**QQHHy&-MLJ6)lIC8t|Le0Wxyq*S z!-uQAyNmhQ*|Vt)7+c@QsgL@VEjgt^a7sk3&YG7pjDR-#yz|PK4B{6fj?m6RYuLNR)Ie?NVUItvd?~8RbHR+{E`+#S9=K%`l@nD)LW$2PVsj7+!HOo=n$E$q-Ht_kr zm0it;57seEYdF~0!xIysMNOaqDXGa-DS)qMUx2@7ZjP3_IcvmDIf=WZpy1TRaz-m( zt({g2U_X>){~i#h_f)SzT7g(JmW0_0=FVLrMG(fCJhpW1;TNC!UI5#i#fXN4;!zP_ zzkXX|2vMPqtjfH@D;5Kq5!h)V^HC6>p|8Nl(i2BGij4AOZoNI1)_)2qLe}N!V z-@n5kSDQ)=rrr)vO_vUHBO|{8;b;(9`mdTb0Ag^MO6rAu+s*(OmqBze8+{ZG<1uh| zwN5kOY$^xkgqelK*4i3OAK2)Dfcd~@2^3s!Z!dTWz+J`z=G?`$fT$coXnv00t6r&d zu(jXv(d!1wRoTN5QfJ3BhxN5#B#a&V9eHR5KCuD(9l!jE8` zN-oKD3rc}MJq-**MV)Zz*GO+550E4RmY9s}EnFbJrl$|Wm-@a0y%h$7j?49#+ESP$ zz>W`|Ek{SkUYfFxse0glhl4G7D#?LGsE7;TFAzYZsRcG++$@o2_lDa6mkg&x^tH7^ z`h!1wSOsYjd@YvX*tD?7{_lV+qU8w33~$CHfg2<(4L`>j0N=8dC)hsWNI@O&=~o!~ zQ~hIFDyrn}kv{PK2m|p;If;A0LHr7Kyty&|_eP!2C~uZb}x>#hW1ce-n%0m>e`eD4<|a0tn74AmEhVn*W<35cdGaxht=n ztt|@|7r0H7cKyp2!tr0xWtJ|1skq=~*`;;0L7mI(_I@@Z>_siigtyU9y=2>UHrB~x z$${?GNJ8-&MG)|9GI$BoP=i?+Y8<%7un?6D30j2c#*Ii!Qf%4Dgm>@216T6l!&^{{ zTuh;FAAw~Fq_b;14A6(*5QwTOh`Vo2`vR^GKEg4feJ`;`gkbSQMZn%k*8^HO9eVkARjI31OWPkE;XRpjiV#;JtobkxIf>2%!Uc1Wt|{ zcS5yeYQi*AVL{!NeM|xNenj&8OnD5>q66OmRDlBZuDSzb7pNp^YTKa9qMzKj4Mzt6 zjPkMl>}-qy743@Q<0>pMY+WDzU>$AbNpmhA#GXV4&{_ZltrU z3;1|2M|amU{FExrTwI=5TB0$OYDiK8s=7Kh$4w_HN)w~S7yyfhay}F$|IDn1MO>T~ z&i3I>fwh&5eCioV*J0R4pqlH!<03gYOE0j~hB!kzTDT9ypf*Ny|=E#!H;y${$y;pG3fZ#kjh4uTCtL15|a zBm>qt;XqWNC^lm(^e#kldDhMfD{qROl@#UD6>N=us+v#56R5U z4K8Dn-GXpg>I`F=I0oAuf}|&;p|-6*G~%W>f^{D*Ow=<)`{mWSCmfH-h#&4(4s04= zB|7^|OqZJ}y$)00F2-a|U@LD49UTR51)el(&Om!NAQ$2PJ}{zBKr6ynUeg)vnXvwq zG&U4S-Z41Bln7pRfS!F-wA5-$_WtJ1For-Ri1dTD1{uJXT+>M@I2Pe2zf#=`;T!~b z_^nCmZ`9~Mwo1}?QaV#O2jjJyX+=E`#u!u6Av0d=^tvpxe;D*V|4$cZ9@bO-_VLpq zp_CYm)iQ>Y}`DDjIHVH71s zl6qdp%=28o>p6e8T;%JV@A-W0&wanQW0rr&R57*9Z&};%diKN-lEUc|2);rsL$<5q zEHb+ZeTENV&tIXc1y=`|E(+z9z=G?*T{)UN*s6xNnG>W?_4L)NNeN-1nLNZr=VXlI z`ts?~wVA1ydeO*U^5{{e`G4WJZO0DtgM~wf1rJlkYxcCgorUgGnzaJ*q)30<lEjB3*i!0Dtvb>Z4!J{vuUWmsXn@H za(#Whh~8UyAD+F>As%U%sQ;cUz6z7*=E*rjR5TM=ciZGojD_<|Pq&-myEpY=MAGHd z6@h)d|LXCq*WkD48?K?Dmyk^*lN6xGzB&GOJrY*du^e7rp6f)(m`4HZ2;Hty#;ND=40 zWg~oUwVAjkC=#}R8zIAl*E2X#hg z*%|(%GUP<4UEAZUu{Aqh-ks`sM+Jg=*sxhun$h%FQsRkmbi@!d^q66&&=se}tyDX(wHZi_c?u7X&D~e0y5&BfBWsm&6|}6?~$8R zoBlyr7O>EUPo~DxlOPD!(bEgtdTqKbpUmy;+jkoak*)Ln7tvZnhzzhgCYsUjicl5%d%I-1|# zrxq}(WXcg?V%(63@Q4TlLqqG)11*xzpF3CH+}WW;owdNRrWUNBq0t8#MfWk++8U9H zVP7n56wm>!1pC!tV#}8#lJeCabdyLS9sq0682LuLsY7$doW;+HDxBb6#lCOhy-=j2!7MgU1fb@AB zsjME58c?9H=U^rcS!T)bj0gdl<+s}^H9mgnq)D=LCiP7U@JTq0 zIxGsAw^;lnBrN^Pj-ZnKpdH9&y2sPFQw>yuX|JNbI8<<+YH|(_VX4v8Df#r#`sF`Z z`{D1u*S-BQdR`0c(T*U{Z-$fkix$1fyNDa1_g(d(^=a0#W;NoxrLuG^0yhytkT1k! z6pFir9@l(Jhh>b9rje0iDe0wiL{K5=N3doXn4j7X6;NF{!F|o1q&#R*O z=6m^efP!hc&5rhc>{`P%c}6Ky`SfXal%^^V!%&tN+@Hr}$^)@-Z5?w^;;T~TYMc7TM2w#{Z7aZapv9Bw zYS9gPqh`R1ks?fsA`@yT7#N)X<4fJ)2xF0-*3e|W#V5m3q%T8gsJSJ}MrPMAMMZri z$1G@u)C1$P(T!KF^zk`+{P?cFBm_32D6Ryg8yV@3w$*9(#_0HX)RM*q2Kba%MB{=& zqt8psvOq4Hi@FtYpmE~4^XC_(#Q<{dSD$u~Cx8bPeO`15dH&?8b~4^Y(kn%34Ypl}I$Z$WK%ZzgzfhBanUB?c12j zEz`Qsx;gI!PfJKl=C4u=N%o2In!O#5ydsvH*9=JjORqtn;tX*m z#1%DK&z-9<+H3@kZF?(%&X|`zTY9?;JG3_=d9oeqn70G3%9+{Y7Z(a1 zKTfLmw31@76NjWI8i}hrkNOXK_z<@ps@VU_O3C^a(;%eJf+P2tg@h1#vB2Uf=u~&; zy8BNG_ExSaz_r273h1IQ81&9)@ps=z2(VG_N0;GtpWbmQKtdk%FU#G_1b^LJCjAr3 z%Aa>h2=uH+w?0q&BB-hIGIVyXW?06(-kng?Sn#I1r-zU%E|NQ%XTJOU@34WK)g8M4 zwEoe@P?T4AeFOpD>dYSG~77gfE zxFDUl_#}Sck%Bq~y$TAK3{CpBhX2y5T-fiYDmF+Y=0HjR@f%ckDkK@1*vc_zfbEVh;%U%?27_RCtPY=Tk z&i@$0vyIhkx9T17AgEVNhAoxG9p0)phkAXzR(N@4ilx+`@$#o>$e}*QpDV*M^WXub z!6u#zlrHzB(xfHn9q-@&c)_KjOuXOj6ga4N7KRpeF80@?RVMuazsG9%577^^B+tF> z{a!OLv*YqTjA%dT)s~mb2ZdEVZEh}lwsEw&I-#x9n8gDRD;JlSN0mLZT4OCf@wkjO ztNnTx6_u1Y{Iu3C5lfmt6RF{ycvZ}iC?J_`4^BT*Se#@6H7YfKs_}yDe?z1tiu>1WP+geHr-GV2+^Lo3X>m` zJ{uVV9(&_b(45l!MR+#IctZP=_vY3ne8a7rP)aX+LJHynr0?`S*qY)rYqrXmawC?}jKwSUNeyFq2c#5lg2UJCOL4z&RVna7ZLp zPY=&>{_NT58(U-#w!Q7@k`i=WuOIfh#>^#K)j^BKpa7o*LyX76sUWSlH;}efu86fm zW?jUR88tp$+OaE!^}xdFzM?X=}>&*9VYs1+N71DCxm1# z{k;8+d32-+tU3*8_UBK0HR}2+Ljc{PqbpIb8psWgux9sQQlO#2L(ki(_=^uM7+(k8 z#7L7IdDDGD>?mdB59MR3yt0n{9*SfbVg%DD_jl1GySsY}JQmPiP0eEWLyGTt6~Lm8 zF0b8;Mgc+j?-?25m(5%zA@IwZOAk59>HPWs)_*V%G?AYg8;>l?WCS-4?o-zw79fG; zZTDMkkHYq!u7=WyMMe(!wfNJsc(;-u6LLX-h%>jn_ofW)968K?r0NG%!q%W`&!wbf zLWt3#x4yZ>w2KhocL2)Mry+u_GbS=&U?VQd#0RPxbtpc5?<$v#8_E1yR@~6A;=R)A z>QndV_SD`q8{<2*xv8I?nF-UZ=Bj*XR8eMrUk{-u@<9Rq{$iqqT5#QJP-_Ijs!>F^ zX}!(PqTP`cFe2a*3IAlOY2&3M55BMaB@_WrzdqYnZN`h&uU(;M@-O{Y*npL3;uZAf zERNMG0dHGuk(R=?7u=(1+B>tdriK&5bH$1k499TO267CPPt?`b`9wxlByU;X_s_H{ zd*6jEVEn0Hw{Y>|I2;q#A?)Q{d`OQeQ5rB-o=N%!F5&M$?cu3pCB*$N& z3?;?q-rk`aGfZjIZjC-&i$g>nTM% zU6bm7y!FUTfsw^NujqLfJS7LusuV|B2i6awXO_Uw{6Chr&`&}kuggWObH{f6d?i_F z#&ypB8~Qj*cYN_(uhq9?Zr$GX3W69ioC_yhr3-Fc5VWx&>}N^>?pzxx0E z^{ZUaqp|H9FIr(~Byp*=7J!=0fGf(a#P{PWg)aPVW=9tuuS6eEQdIz*CkO{(V&zV*9T)d7^Ut7&s~uR07uPhJ85 zuGz=G*Dd5U^Yol>&EAyI3^l>h)wK^%;El=cn0f&31p&fCtGGGjdzaN~3)W0zPJ0@j zQaZfsc~`v7vNVX_^z`c4XrP`{>pUmgSK;B+oQ!I7nMm(L_rKoT)6Mq{DmUWMvOTM@tC2`7pbm=hs|U zJV8W}o=c`66s**L{rKwatR~RSKL>P+6iaR3U@_2%97Wt9!!EeUb$!4=i}1eDdEOIc z?(4WdmCDV{?QPU~$D(mV@WYqXRt$y$j1fi94DH!d6E5fOX3S8T=1MvcV53L+qO83; z4X@*ajQ7gW?Uo

+Zf0@}h0Kv^uc0cp`scL=8<$I10_*g&k0Mmp#iN zf^&z`T9obUfFC6@0i=H$!WF|$8jNg&pv z+jrwKh$9);dQMt6eE2Y`@r$)2R!xB=n(R6!OAIuD4gn8OwKSbReRHv={RI~)f#{{3 zIGAF<{_!kum3P@<(1ZNWq_*+Ns{3 z-