URL
stringlengths
15
1.68k
text_list
sequencelengths
1
199
image_list
sequencelengths
1
199
metadata
stringlengths
1.19k
3.08k
https://git.ufz.de/shatwell/seefo/-/commit/143fd07efc4dbf6a24a31058489a5d72ed3fb826
[ "### Added mixed layer depth fns, improved descriptions\n\nparent 403ecd4c\nR/h3mix.R 0 → 100644\n #' @title Robust calculation of mixed layer depth #' #' @description Robust calculation of the mixed layer depth and thermocline depth, #' more suited for manual or irregular #' temperature data. #' #' @param T Temperature profile #' @param z The depths corresponding to the temperature profile #' @param plot Should a plot of the profile showing the estimates be shown? (logical) #' @param thresh The threshold for the difference between top and bottom temperature to infer stratification #' @param therm.dz Representative thickness of the thermocline layer. 1 m works well from experience. #' @param min.hmix I can't really remember what this is for. #' @param min.gradient Not used #' @param ... Arguments passed to `plot()`, when `plot=TRUE` #' #' @details #' This function estimates the mixed depth and the thermocline depth. #' It uses regressions to locate the kink in the profile at the bottom of #' the mixed layer as the mixed layer, and the maximum gradient as the thermocline. #' It is better suited to irregular, esp manually measured profile data. #' It first finds the minimum curvature in the #' profile (maximum for winter stratification) as the initial guess of the #' border of the surface mixed #' layer. Then it finds the thermocline as the depth of maximum T-gradient. It #' estimates the mixed layer depth as the depth where the regression line through #' the surface layer temperatures intersects with the regression line through the #' thermocline temperatures. It performs some other checks, like whether #' stratification exists surface-bottom temperature difference > `thresh`, and whether the thermocline #' is above the surface layer, or whether the lake is completely isothermal and #' there is no intersection (and returns `NA`). If mixed, it assumes the mixed #' layer depth is the maximum depth. It also plots the profile if desired #' (`plot=TRUE`), marking the surface layer and inflection point in red and the #' thermocline in blue. #' Surface temperature is estimated as the mean of the upper 2 m, or the top two measurements, #' bottom temperature is estimated as the mean of the deepest 2 m layer. #' #' #' @return A vector of length 2 with the mixed layer depth `hmix` and the thermocline depth `htherm` #' #' @author Tom Shatwell #' #' @seealso \\code{\\link{hmix}}, \\code{\\link{h2mix}}, \\code{\\link{delta_rho}} #' #' @examples #' \\dontrun{ #' T <- c(25.44,25.46,25.48,25.46,25.44,24.36,20.48,18.09,15.96,13.95,11.67, #' 10.62,9.82,9.51,9.22,9.01,8.81,8.68,8.58,8.39,8.29,8.14,8.08,8.03,8.01, #' 8.05,7.94,7.93,7.85) #' z <- 0:28 #' h3mix(T,z,plot=TRUE) #' } #' #' @export h3mix <- function(T, z, plot=FALSE, thresh = 1, therm.dz = 1, min.hmix = 1.5, min.gradient = 0.3, ...) { if(sum(!is.na(T))>3) { dTdz <- diff(T) / diff(z) d2Tdz2 <- diff(T,1,2) / diff(z,2)^2 i1 <- which.min(dTdz) # index of strongest gradient (-ve for positive strat, +ve for winter strat) i2 <- which.min(d2Tdz2) # index of minimum curvature (bot epilimnion) while(z[i2]<=min.hmix) { d2Tdz2[i2] <- NA i2 <- which.min(d2Tdz2) } while(i1 <= i2) { dTdz[i1] <- NA i1 <- which.min(dTdz) } i3 <- which.max(d2Tdz2) # index of maximum curvature (top hypolimnion) if(min(z)<2) { Ts <- mean(T[z<=2], na.rm=TRUE) } else { Ts <- mean(T[1:i1], na.rm=TRUE) warning(\"Warning: Surface temp estimated as temps above greatest curvature\") } Tb <- mean(T[z>=(max(z)-2)], na.rm=TRUE) if(Ts < 4) { i1 <- which.max(dTdz) # index of maximum gradient i2 <- which.max(d2Tdz2) # max curvature for winter stratification i3 <- which.min(d2Tdz2) # min curvature for winter stratification } h1 <- mean(c(z[i1], z[i1+1])) # depth of maximum gradient h2 <- z[i2+1] # depth of inflection thermo <- data.frame(z=z[z>=z[i1]-therm.dz & z <= z[i1+1]+therm.dz], T = T[z>=z[i1]-therm.dz & z <= z[i1+1]+therm.dz]) regs <- lm(T[1:i2]~z[1:i2]) # regression thru surface temps regt <- lm(T~z, thermo) # regression thru thermocline dTdz.s <- coef(regs) # T gradient in surface layer if(is.na(coef(regs))) dTdz.s <- 0 h <- (coef(regt) - coef(regs)) / # depth of intersection of thermocline and surface layer regression lines (dTdz.s - coef(regt)) if(!is.na(h) & h > z[i1+1]) h <- NA # ignore if intersection of thermocline and surface layer is below thermocline if(i1 < i2) h <- NA # ignore if minimum curvature is below the thermocline if(abs(Ts-Tb) < thresh) h <- max(z) # assume mixed to max(z) if Ts-Tb < thresh if(!is.na(h) & h < 0) h <- NA if(plot){ plot(T, z, ylim=c(max(z),0), type=\"n\", ...) abline(h=0:(max(z)), col=\"grey\") abline(h=h) # abline(h=h2, lty=2) # if(!c(coef(regs) %in% c(0,NA) | !coef(regt) %in% c(0,NA))) { # abline(-coef(regs)/coef(regs), 1/coef(regs), lty=2, col=\"red\") # abline(-coef(regt)/coef(regt), 1/coef(regt), lty=2, col=\"blue\") # } # points(coef(regs) * h + coef(regs), h, pch=16, col=\"blue\", cex=1.5) lines(T, z, type=\"o\") lines(T[1:i2], z[1:i2], col=\"red\", lwd=2) lines(T[c(i1,i1+1)], z[c(i1,i1+1)], col=\"blue\", lwd=2) points(T[i2+1], z[i2+1], col=\"red\",pch=16) box() } } else { h <- NA warning(\"Warning:need more than 3 temperature values\") } out <- c(h, mean(z[c(i1,i1+1)])) names(out) <- c(\"hmix\",\"htherm\") return(out) }\n ... ... @@ -7,10 +7,10 @@ #' #' @details #' Calculates mixed layer depths as the depth of the maximum temperature gradient (dT/dz). #' Designed to be as fast as possible for large data sets. It doesn't do any checks at all, #' and only works with regular data, so be careful. #' Designed to be as fast as possible for very large data sets, like model output. #' It doesn't do any checks at all, and only works with regular data, so be careful. #' Choose the right vertical resolution in the temperatures to ensure a more robust result. #' Use the rLakeAnalyzer functions for more robust solutions which are #' Use h3mix or the rLakeAnalyzer functions for more robust solutions which are #' orders of magnitude slower. #' #' @return A vector of mixed layer depths ... ... @@ -32,7 +32,3 @@ #' @export hmix <- function(T,z) z[apply(abs(diff(T)/diff(z)),2,which.max)]\nSupports Markdown\n0% or .\nYou are about to add 0 people to the discussion. Proceed with caution.\nFinish editing this message first!\nPlease register or to comment" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.6070289,"math_prob":0.9347429,"size":6318,"snap":"2022-40-2023-06","text_gpt3_token_len":2059,"char_repetition_ratio":0.13382958,"word_repetition_ratio":0.06382979,"special_character_ratio":0.36562204,"punctuation_ratio":0.16582187,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99225855,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-09-24T23:16:12Z\",\"WARC-Record-ID\":\"<urn:uuid:69e46da2-8f3c-4898-90bf-e03a8bc85241>\",\"Content-Length\":\"345545\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:2ac6f2fe-01f7-42ae-a442-a079c0007fad>\",\"WARC-Concurrent-To\":\"<urn:uuid:e6075511-6879-4af8-9659-20a3d99a59ae>\",\"WARC-IP-Address\":\"141.65.7.38\",\"WARC-Target-URI\":\"https://git.ufz.de/shatwell/seefo/-/commit/143fd07efc4dbf6a24a31058489a5d72ed3fb826\",\"WARC-Payload-Digest\":\"sha1:6QDY6MBAQGPYIUBEBYYMFFGHAVQ2D6EK\",\"WARC-Block-Digest\":\"sha1:ODCJWTKSNYTZ57AKF25GUJYPZNPTXSWR\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-40/CC-MAIN-2022-40_segments_1664030333541.98_warc_CC-MAIN-20220924213650-20220925003650-00299.warc.gz\"}"}
https://whatisconvert.com/193-cubic-inches-in-tablespoons
[ "# What is 193 Cubic Inches in Tablespoons?\n\n## Convert 193 Cubic Inches to Tablespoons\n\nTo calculate 193 Cubic Inches to the corresponding value in Tablespoons, multiply the quantity in Cubic Inches by 1.1082251082238 (conversion factor). In this case we should multiply 193 Cubic Inches by 1.1082251082238 to get the equivalent result in Tablespoons:\n\n193 Cubic Inches x 1.1082251082238 = 213.88744588719 Tablespoons\n\n193 Cubic Inches is equivalent to 213.88744588719 Tablespoons.\n\n## How to convert from Cubic Inches to Tablespoons\n\nThe conversion factor from Cubic Inches to Tablespoons is 1.1082251082238. To find out how many Cubic Inches in Tablespoons, multiply by the conversion factor or use the Volume converter above. One hundred ninety-three Cubic Inches is equivalent to two hundred thirteen point eight eight seven Tablespoons.\n\n## Definition of Cubic Inch\n\nThe cubic inch is a unit of measurement for volume in the Imperial units and United States customary units systems. It is the volume of a cube with each of its three dimensions (length, width, and depth) being one inch long. The cubic inch and the cubic foot are still used as units of volume in the United States, although the common SI units of volume, the liter, milliliter, and cubic meter, are also used, especially in manufacturing and high technology. One cubic foot is equal to exactly 1,728 cubic inches because 123 = 1,728.\n\n## Definition of Tablespoon\n\nIn the United States a tablespoon (abbreviation tbsp) is approximately 14.8 ml (0.50 US fl oz). A tablespoon is a large spoon used for serving or eating. In many English-speaking regions, the term now refers to a large spoon used for serving, however, in some regions, including parts of Canada, it is the largest type of spoon used for eating. By extension, the term is used as a measure of volume in cooking.\n\n## Using the Cubic Inches to Tablespoons converter you can get answers to questions like the following:\n\n• How many Tablespoons are in 193 Cubic Inches?\n• 193 Cubic Inches is equal to how many Tablespoons?\n• How to convert 193 Cubic Inches to Tablespoons?\n• How many is 193 Cubic Inches in Tablespoons?\n• What is 193 Cubic Inches in Tablespoons?\n• How much is 193 Cubic Inches in Tablespoons?\n• How many tbsp are in 193 in3?\n• 193 in3 is equal to how many tbsp?\n• How to convert 193 in3 to tbsp?\n• How many is 193 in3 in tbsp?\n• What is 193 in3 in tbsp?\n• How much is 193 in3 in tbsp?" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.9006129,"math_prob":0.9338033,"size":2377,"snap":"2021-04-2021-17","text_gpt3_token_len":592,"char_repetition_ratio":0.20606826,"word_repetition_ratio":0.07635468,"special_character_ratio":0.27092975,"punctuation_ratio":0.114967465,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9911484,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-01-18T04:28:31Z\",\"WARC-Record-ID\":\"<urn:uuid:107657f8-013f-46ac-9779-1577599530c5>\",\"Content-Length\":\"31860\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:5649fe90-136f-4ccc-acbc-cbe734d7748d>\",\"WARC-Concurrent-To\":\"<urn:uuid:1e32040d-c551-4feb-abbc-317e3bf501fb>\",\"WARC-IP-Address\":\"104.21.23.139\",\"WARC-Target-URI\":\"https://whatisconvert.com/193-cubic-inches-in-tablespoons\",\"WARC-Payload-Digest\":\"sha1:ABTAB5G6MU4XW7YWT7FYO5KJBVBJ5QG3\",\"WARC-Block-Digest\":\"sha1:FPZAV5P5LDHYXDH3UZQGZF7JUZNQYTHD\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-04/CC-MAIN-2021-04_segments_1610703514121.8_warc_CC-MAIN-20210118030549-20210118060549-00657.warc.gz\"}"}
https://www.tocris.com/products/glp-2-rat_2259
[ "# GLP-2 (rat)\n\nCat. No. 2259 Datasheet / COA / SDS\nPricing Availability   Qty\nDescription: Endogenous hormone; displays intestinotrophic activity\nAlternative Names: Glucagon-like peptide 2 (rat)\nDatasheet\nCitations\nReviews\nLiterature\n\n## Biological Activity\n\nEndogenous peptide identified as an intestinal epithelium-specific growth factor; stimulates cell proliferation and inhibits apoptosis. Diverse effects on gastrointestinal function including regulation of intestinal glucose transport, food intake, and gastric acid secretion.\n\nGLP-2 (human) also available.\n\n## Technical Data\n\n M. Wt 3796.17 Formula C166H256N44O56S Sequence HADGSFSDEMNTILDNLATRDFINWLIQTKITD Storage Desiccate at -20°C CAS Number 195262-56-7 PubChem ID 90488760 InChI Key KBNPAOMRSZGNFV-XBBCIFKHSA-N Smiles [H]N[C@@H](CC1=CNC=N1)C(=O)N[C@@H](C)C(=O)N[C@@H](CC(O)=O)C(=O)NCC(=O)N[C@@H](CO)C(=O)N[C@@H](CC1=CC=CC=C1)C(=O)N[C@@H](CO)C(=O)N[C@@H](CC(O)=O)C(=O)N[C@@H](CCC(O)=O)C(=O)N[C@@H](CCSC)C(=O)N[C@@H](CC(N)=O)C(=O)N[C@@H]([C@@H](C)O)C(=O)N[C@@H]([C@@H](C)CC)C(=O)N[C@@H](CC(C)C)C(=O)N[C@@H](CC(O)=O)C(=O)N[C@@H](CC(N)=O)C(=O)N[C@@H](CC(C)C)C(=O)N[C@@H](C)C(=O)N[C@@H]([C@@H](C)O)C(=O)N[C@@H](CCCNC(N)=N)C(=O)N[C@@H](CC(O)=O)C(=O)N[C@@H](CC1=CC=CC=C1)C(=O)N[C@@H]([C@@H](C)CC)C(=O)N[C@@H](CC(N)=O)C(=O)N[C@@H](CC1=CNC2=C1C=CC=C2)C(=O)N[C@@H](CC(C)C)C(=O)N[C@@H]([C@@H](C)CC)C(=O)N[C@@H](CCC(N)=O)C(=O)N[C@@H]([C@@H](C)O)C(=O)N[C@@H](CCCCN)C(=O)N[C@@H]([C@@H](C)CC)C(=O)N[C@@H]([C@@H](C)O)C(=O)N[C@@H](CC(O)=O)C(O)=O\n\nThe technical data provided above is for guidance only. For batch specific data refer to the Certificate of Analysis.\n\nTocris products are intended for laboratory research use only, unless stated otherwise.\n\n## Solubility Data\n\n Solubility Soluble to 1 mg/ml in water\n\n## Product Datasheets\n\nCertificate of Analysis / Product Datasheet\nSelect another batch:\n\n## References\n\nReferences are publications that support the biological activity of the product.\n\nRocha et al (2004) Glucagon-like peptide-2: divergent signalling pathways. J.Surg.Res. 121 5 PMID: 15313368\n\nBrubaker and Drucker (2004) Glucagon-like peptides regulate cell proliferation and apoptosis in the pancreas, gut, and central nervous system. Endocrinol. 145 2653\n\nBulut et al (2004) Glucagon-like peptide 2 improves intestinal wound healing through induction of epithelial cell migration in vitro-evidence for a TGF-β-mediated effect. Reg.Peptides 121 137\n\nIf you know of a relevant reference for GLP-2 (rat), please let us know.\n\n## View Related Products by Target\n\nKeywords: GLP-2 (rat), GLP-2 (rat) supplier, Endogenous, hormone, displays, intestinotrophic, activity, GLP2, Receptors, Glucagon-Like, Peptide, 2, peptide2, (rat), Glucagon-like, peptide, 2259, Tocris Bioscience" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.58558905,"math_prob":0.8979144,"size":3706,"snap":"2019-35-2019-39","text_gpt3_token_len":1292,"char_repetition_ratio":0.19286872,"word_repetition_ratio":0.0,"special_character_ratio":0.30383164,"punctuation_ratio":0.08101266,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9859328,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-09-19T17:13:00Z\",\"WARC-Record-ID\":\"<urn:uuid:98a8b636-40d4-4a0d-bf8b-73116457349c>\",\"Content-Length\":\"114577\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:e66d6ecd-db54-4cb9-90dc-a58cccb4508f>\",\"WARC-Concurrent-To\":\"<urn:uuid:aa1d8847-30d5-42b0-bb4f-b23fd7322853>\",\"WARC-IP-Address\":\"23.49.177.37\",\"WARC-Target-URI\":\"https://www.tocris.com/products/glp-2-rat_2259\",\"WARC-Payload-Digest\":\"sha1:Z3YCKEZU46KXGFJNX3F53D5YG5S7EWUX\",\"WARC-Block-Digest\":\"sha1:R7L2HIUQDJDUHDHVYXSBT4775N7SOWB2\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-39/CC-MAIN-2019-39_segments_1568514573561.45_warc_CC-MAIN-20190919163337-20190919185337-00325.warc.gz\"}"}
https://123dok.net/document/wyepo67z-a-passivity-based-decentralized-strategy-for-generalized-connectivity-maintenance.html
[ "# A Passivity-Based Decentralized Strategy for Generalized Connectivity Maintenance\n\n22\n\nLoading.... (view fulltext now)\n\nLoading....\n\nLoading....\n\nLoading....\n\nLoading....\n\n## Texte intégral\n\n(1)\n\n### �hal-00910385�\n\n(2)\n\nPreprint version - final, definitive version available at http://ijr.sagepub.com/ accepted for IJRR, Sep. 2012\n\n## Generalized Connectivity Maintenance\n\n### Paolo Robuffo Giordano, Antonio Franchi, Cristian Secchi, and Heinrich H. Bülthoff\n\nAbstract—The design of decentralized controllers coping with the typical constraints on the inter-robot sensing/communication capabilities represents a promising direction in multi-robot re-search thanks to the inherent scalability and fault tolerance of these approaches. In these cases, connectivity of the underlying interaction graph plays a fundamental role: it represents a necessary condition for allowing a group or robots achieving a common task by resorting to only local information. Goal of this paper is to present a novel decentralized strategy able to enforce connectivity maintenance for a group of robots in a flexible way, that is, by granting large freedom to the group internal configuration so as to allow establishment/deletion of interaction links at anytime as long as global connectivity is preserved. A peculiar feature of our approach is that we are able to embed into a unique connectivity preserving action a large number of constraints and requirements for the group: (i) presence of specific inter-robot sensing/communication models, (ii) group requirements such as formation control, and (iii) individual requirements such as collision avoidance. This is achieved by defining a suitable global potential function of the second smallest eigenvalue λ2 of the graph Laplacian, and by computing, in a\n\ndecentralized way, a gradient-like controller built on top of this potential. Simulation results obtained with a group of quadorotor UAVs and UGVs, and experimental results obtained with four quadrotor UAVs, are finally presented to thoroughly illustrate the features of our approach on a concrete case study.\n\nI. INTRODUCTION\n\nOver the last years, the challenge of coordinating the actions of multiple robots has increasingly drawn the attention of the robotics and control communities, being inspired by the idea that proper coordination of many simple robots can lead to the fulfillment of arbitrarily complex tasks in a robust (to single robot failures) and highly flexible way. Teams of multi-robots can take advantage of their number to perform, for example, complex manipulation and assembly tasks, or to obtain rich spatial awareness by suitably distributing themselves in the environment. Use of multiple robots, or in general distributed sensing/computing resources, is also at the core of the foreseen Cyber-Physical Society Lee (2008) envisioning a network of computational and physical resources (such as robots) spread over large areas and able to collectively monitor the environment and act upon it. Within the scope of robotics, autonomous search and rescue, firefighting, exploration and P. Robuffo Giordano and A. Franchi are with the Max Planck Institute for Biological Cybernetics, Spemannstraße 38, 72076 Tübingen, Germany\n\n{prg,antonio.franchi}@tuebingen.mpg.de.\n\nC. Secchi is with the Department of Science and Methods of Engineering, University of Modena and Reggio Emilia, Italy cristian.secchi@unimore.it\n\nH. H. Bülthoff is with the Max Planck Institute for Biological Cybernetics, Spemannstraße 38, 72076 Tübingen, Germany, and with the Department of Brain and Cognitive Engineering, Korea University, Anam-dong, Seongbuk-gu, Seoul, 136-713 Koreahhb@tuebingen.mpg.de.\n\nintervention in dangerous or inaccessible areas are the most promising applications. We refer the reader to Murray (2006) for a survey and to Howard et al. (2006); Franchi et al. (2009); Schwager et al. (2011); Renzaglia et al. (2012) for examples of multi-robot exploration, coverage and surveillance tasks.\n\nIn any multi-robot application, a typical requirement when devising motion controllers is to rely on only relative\n\nmeasure-ments w.r.t. other robots or the environment, as for example\n\nrelative distances, bearings or positions. In fact, these can be usually obtained from direct onboard sensing, and are thus free from the presence of global localization modules such as GPS or SLAM algorithms (see, e.g., Durham et al. (2012)), or other forms of centralized localization systems. Similarly, when exploiting a communication medium in order to ex-change information across robots (e.g., by dispatching data via radio signals), decentralized solutions requiring only local and 1-hop information are always preferred because of their higher tolerance to faults and inherent lower communication load Murray (2006); Leonard and Fiorelli (2001).\n\nIn all these cases, properly modeling the ability of each robot to sense and/or communicate with surrounding robots and environment is a fundamental and necessary step. Graph\n\ntheory, in this sense, has provided an abstract but effective\n\nset of theoretical tools for fulfilling this need in a compact way: presence of an edge among pairs of agents represents their ability to interact, i.e., to exchange (by direct sensing and/or communication) those quantities needed to implement their local control actions. Several properties of the interaction graph, in particular of its topology, have direct consequences on the convergence and performance of controllers for multi-robot applications. Among them, connectivity of the graph is perhaps the most ‘fundamental requirement’ in order to allow a group of robots accomplishing common goals by means of de-centralized solutions (examples in this sense are given by con-sensus Olfati-Saber et al. (2007), rendezvous Martinez et al. (2007), flocking Olfati-Saber (2006), leader-follower Mariot-tini et al. (2009), and similar cooperative tasks). In fact, graph connectivity ensures the needed continuity in the data flow among all the robots in the group which, over time, makes it possible to share and distribute the needed information.\n\nThe importance of maintaining connectivity of the interac-tion graph during task execuinterac-tion has motivated a large number of works over the last years. Broadly speaking, in literature two classes of connectivity maintenance approaches are present: i) the conservative methods, which aim at preserving the initial (connected) graph topology during the task, and ii) the flexible approaches, which allow to switch anytime among any of the connected topologies. These usually produce local control actions aimed at optimizing over time some measure\n\n(3)\n\nof the degree of connectivity of the graph, such as the well-known quantity λ2, the second smallest eigenvalue of the\n\ngraph Laplacian Fiedler (1973).\n\nWithin the first class of conservative solutions, the ap-proach detailed in Ji and Egerstedt (2007) considers an inter-robot sensing model based on maximum range, and a similar situation is addressed in Dimarogonas and Kyriakopoulos (2008) where, however, the possibility of permanently adding edges over time is also included. In Stump et al. (2011), inter-robot visibility is also taken into account as criterium for determining the neighboring condition, and a centralized solution for a given known (and fixed) topology of the group is proposed. Finally, a probabilistic approach for optimizing the multi-hop communication quality from a transmitting node to a receiving node over a given line topology is detailed in Yan and Mostofi (2012).\n\nAmong the second class of more flexible approaches, the authors of Kim and Mesbahi (2006) propose a centralized method to optimally place a set of robots in an obstacle-free environment and with maximum range constraints in order to realize a given value ofλ2, i.e., of the degree of connectivity\n\nof the resulting interaction graph. A similar objective is also pursued in De Gennaro and Jadbabaie (2006) but by devising a decentralized solution. In Zavlanos and Pappas (2007), the authors develop a centralized feedback controller based on artificial potential fields in order to maintain connectivity of the group (with only maximum range constraints) and to avoid inter-robot collisions. An extension is also presented in Zavlanos et al. (2009) for achieving velocity synchroniza-tion while maintaining connectivity under the usual maximum range constraints. Another decentralized approach based on a gradient-like controller aimed at maximizing the value of λ2 over time is developed in Yang et al. (2010) by including\n\nmaximum range constraints, but without considering obstacle or inter-robot collision avoidance. In Antonelli et al. (2005, 2006), the authors address the problem of controlling the motion of a Mobile Ad-hoc NETwork (MANET) in order to maintain a communication link between a fixed base station and a mobile robot via a group of mobile antennas. Maximum range constraints and obstacle avoidance are taken into account, and a centralized solution for the case of a given (fixed) line topology for the antennas is developed. Finally, in Stump et al. (2008) a similar problem is addressed by resorting to a centralized solution and by considering maximum range constraints and obstacle avoidance. However, connectivity maintenance is not guaranteed at all times.\n\nWith respect to this state-of-the-art, the goal of this pa-per is to extend and generalize the latter class of methods maintaining connectivity in a flexible way, i.e., by allowing complete freedom for the graph topology as long as con-nectivity is preserved. Specifically, we aim for the following features:(i) possibility of considering complex sensing models determining the neighboring condition besides the sole (and usual) maximum range (e.g., including non-obstructed visi-bility because of occlusions by obstacles), (ii) possibility to embed into a unique connectivity preserving action a number of additional desired behaviors for the robot group such as formation control or inter-robot and obstacle collision\n\navoid-ance, (iii) possibility to establish or lose inter-agent links at any time and also concurrently as long as global connectivity is preserved, (iv) possibility to execute additional exogenous tasks besides the sole connectivity maintenance action such as, e.g., exploration, coverage, patrolling, and finally (v) a fully decentralized design for the connectivity maintenance action implemented by the robots.\n\nThe rest of the paper is structured as follows: Sect. II illustrates our approach (and its underlying motivations) and introduces the concept of Generalized Connectivity, which is central for the rest of the developments. This is then further detailed in Sect. III where the design of a possible inter-robot sensing model and of desired group behaviors is de-scribed. Section IV then focuses on the proposed connectivity preserving control action, by highlighting its decentralized structure and by characterizing the stability of the overall group behavior in closed-loop. As a case study of the proposed machinery, Section V presents an application involving a bilateral shared control task between two human operators and a group of mobile robots navigating in a cluttered environment, and bound to follow the operator motion commands while preserving connectivity of the group at all times. Simulation results obtained with a heterogeneous group of UAVs (quadro-tors) and UGVs (differentially driven wheeled robots), and experimental results obtained with a group of quadrotor UAVs are then reported in Sect. VI, and Sect. VII concludes the paper and discusses future directions.\n\nThroughout the rest of the paper, we will make extensive use of the port-Hamiltonian formalism for modeling and design purposes, and of passivity theory for drawing conclusions about closed-loop stability of the group motion. In fact, in our opinion the use of these and related energy-based arguments provides a powerful and elegant approach for the analysis and control design of multi-robot applications. The reader is referred to Secchi et al. (2007); Duindam et al. (2009) for an introduction to port-Hamiltonian modeling and control of robotic systems, and to Franchi et al. (2011); Robuffo Giordano et al. (2011b,a); Franchi et al. (2012b); Secchi et al. (2012) for a collection of previous works sharing the same theoretical background with the present one. In particular, part of the material developed hereafter has been preliminarily presented in Robuffo Giordano et al. (2011a).\n\nII. GENERALIZEDCONNECTIVITY A. Preliminaries and Notation\n\nIn the following, the symbol 1N will denote a vector of\n\nall ones of dimension N , and similarly 0N for a vector of\n\nall zeros. The symbolIN will represent the identity matrix of\n\ndimension N , and the operator ⊗ will denote the Kronecker\n\nproduct among matrixes. For the reader’s convenience, we\n\nwill provide here a short introduction to some aspects of graph theory pertinent to our work. For a more comprehensive treatment, we refer the interested reader to any of the existing books on this topic, for instance Mesbahi and Egerstedt (2010). Let G = (V, E) be an undirected graph with vertex set V = {1 . . . N} and edge set E ⊂ (V × V)/ ∼, where ∼ is the equivalence relation identifying the pairs(i, j) and (j, i). El-ements inE encode the adjacency relationship among vertexes\n\n(4)\n\nof the graph: [(i, j)]∈ E iff agents i and j are considered as\n\nneighborsor as adjacent1. We assume[(i, i)] /\n\n∈ E, ∀i ∈ V (no self-loops), and also take by convention (i, j), i < j, as the representative element of the equivalence class[(i, j)]. Several matrixes can be associated to graphs and, symmetrically, several graph-related properties can be represented by matrix-related quantities. For our goals, we will mainly rely on the\n\nadjacency matrixA, the incidence matrix E, and the Laplacian\n\nmatrix L.\n\nThe adjacency matrix A ∈ RN ×N is a square symmetric\n\nmatrix with elementsAij ≥ 0 such that Aij= 0 if (i, j) /∈ E\n\nandAij > 0 otherwise (in particular, Aii= 0 by construction).\n\nAs for the incidence matrix, we consider a slight variation from its standard definition. Let\n\nE∗={(1, 2), (1, 3) . . . (1, N) . . . (N − 1, N)}\n\n={e1, e2. . . eN −1. . . , eN (N −1)/2} (1)\n\nbe the set of all the possible representative elements of the equivalence classes in (V × V)/ ∼, i.e., all the vertex pairs (i, j) such that i < j, sorted in lexicographical order. We defineE∈ R|V|×|E∗|\n\nsuch that,∀ek = (i, j)∈ E∗,Eik=−1\n\nand Ejk = 1, if ek ∈ E, and Eik = Ejk = 0 otherwise.\n\nIn short, this definition yields a ‘larger’ incidence matrix E accounting for all the possible representative edges listed in E∗ but with columns of all zeros in presence of those edges\n\nnot belonging to the actual edge setE.\n\nThe Laplacian matrix L ∈ RN ×N is a square positive\n\nsemi-definite symmetric matrix defined as L = diag(δi)− A\n\nwith δi = PNj=1Aij, or, equivalently, as L = EET. The\n\nLaplacian matrix L encodes some fundamental properties of its associated graph which will be heavily exploited in the following developments. Specifically, owing to its symmetry and positive semi-definiteness, all the N eigenvalues of L are real and non-negative. Second, by ordering them in ascending order0≤ λ1≤ λ2≤ . . . ≤ λN, one can show that:(i) λ1= 0\n\nby construction, and (ii) λ2 > 0 if the graphG is connected\n\nand λ2 = 0 otherwise. The second smallest eigenvalue λ2\n\nis then usually referred to as the ‘connectivity eigenvalue’ or\n\nFiedler eigenvalue Fiedler (1973).\n\nFinally, we let νi∈ RN represent the normalized eigenvec-torof the LaplacianL associated to λi, i.e., a vector satisfying\n\nνT\n\ni νi = 1 and λi = νiTLνi. Owing to the properties of the\n\nLaplacian matrix, it is ν1 = 1N/\n\nN and νT\n\ni νj = 0, i6= j.\n\nThe eigenvectorν2associated toλ2 will be denoted hereafter\n\nas the ‘connectivity eigenvector’.\n\nB. Definition of Generalized Connectivity\n\nConsider a system made ofN agents: presence of an inter-action link among a pair of agents (i, j) is usually modeled by setting the corresponding elements Aij = Aji={0, 1} in\n\nthe adjacency matrixA, with Aij = Aji= 0 if no information\n\ncan be exchanged at all, and Aij = Aji= 1 otherwise. This\n\nidea can be easily extended to explicitly consider more so-phisticated agent sensing/communication models representing the actual (physical) ability to exchange mutual information\n\n1This loose definition will be refined later on.\n\nbecause of the agent relative state. For illustration, letxi∈ R3\n\ndenote the i-th robot position and assume an environment modeled as a collection of obstacle pointsO = {ok ∈ R3}. An\n\ninter-robot sensing/communication model is any sufficiently smooth scalar function γij(xi, xj,O) ≥ 0 measuring the\n\n‘quality’ of the mutual information exchange, with γij = 0\n\nif no exchange is possible and γij > 0 otherwise (the larger\n\nγij the better the quality). Common examples are:\n\nProximity sensing model: assume agentsi and j are able to interact iff kxi− xjk < D, with D > 0 being a suitable\n\nsensing/communication maximum range. For example, if radio signals are employed to deliver messages, there typically exists a maximum range beyond which no signal can be reliably dispatched. In this case γij does not depend on surrounding\n\nobstacles and can be defined as any sufficiently smooth function such that γij(xi, xj) > 0 for kxi− xjk < D and\n\nγij(xi, xj) = 0 forkxi− xjk ≥ D.\n\nProximity-visibility sensing model: letSij be the segment\n\n(line-of-sight) joining xi andxj. Agents i and j are able to\n\ninteract iffkxi− xjk < D and\n\nkσxj+ (1− σ)xi− okk > Dvis, ∀σ ∈ [0, 1], ∀ok∈ O,\n\nwith Dvis > 0 being a minimum visibility range, i.e., a\n\nminimum clearance between all the points on Sij and any\n\nclose obstacle ok. In this case, γij(xi, xj, ok) = 0 as either\n\nthe maximum range is exceeded (kxi− xjk ≥ D) or\n\nline-of-sight visibility is lost (kσxj+(1−σ)xi−okk ≤ Dvis for some\n\nok andσ), while γij(xi, xj, ok) > 0 otherwise. Examples of\n\nthis situation can occur when onboard cameras are the source of position feedback, so that maximum range and occlusions because of obstacles hinder the ability to sense surrounding robots.\n\nClearly, more complex situations involving specific models of onboard sensors (e.g., antenna directionality or limited field of view) can be taken into account by suitably shaping the functions γij. Probabilistic extensions accounting for\n\nstochastic properties of the adopted sensors/communication medium as, for instance, transmission error rates, can also be considered, see, e.g., Yan and Mostofi (2012).\n\nOnce functions γij have been chosen, one can exploit\n\nthem as weights on the inter-agent links, i.e., by setting in the adjacency matrix Aij = γij. This way, the value of\n\nλ2 becomes a (smooth) measure of the graph connectivity\n\nand, in particular, a (smooth) function of the system state (e.g., of the agent and obstacle relative positions). Second, and consequently, it becomes conceivable to devise (local) gradient-like controllers aimed at either maximizing the value of λ2 over time, or at just ensuring a minimum level of\n\nconnectivity λ2 ≥ λmin2 > 0 for the graph G, while, for\n\ninstance, the robots are performing additional tasks of interest for which connectivity maintenance is a necessary require-ment. This approach has been investigated in the past literature especially for the proximity sensing model case: see, among the others, Stump et al. (2008); Sabattini et al. (2011); Kim and Mesbahi (2006); De Gennaro and Jadbabaie (2006); Zavlanos and Pappas (2007); Yang et al. (2010).\n\nOne of the contributions of this work is the extension of these ideas to not only embed in Aij the physical quality of\n\n(5)\n\nthe interaction among pairs of robots (the sensing model), but to also encode a number of additional inter-agent be-haviors and constraints to be fulfilled by the group as a whole. This is achieved by designing the weights Aij so\n\nthat the interaction graph G is forced to decrease its degree of connectivity whenever: (i) any two agents lose ability to physically exchange information as per their sensing model γij, and (ii) any of the existing inter-agent behaviors or\n\nconstraints is not met with the required accuracy (and, in this case, even though the agents could still be able to interact from a pure sensing/communication standpoint). By then designing a gradient-like controller built on top of the unique scalar\n\nquantity λ2, and by exploiting the monotonic relationship\n\nbetween λ2 and the weights Aij Yang et al. (2010), we are\n\nable to simultaneously optimize:(i) as customary, the physical connectivity of the graph, i.e., that due to the inter-agent sensing model γij, and (ii) additional individual or group\n\nrequirements, such as, e.g., obstacle avoidance or formation control.\n\nSpecifically, we propose to augment the previous definition of the weightsAij= γij as follows:\n\nAij = αijβijγij. (2)\n\nThe weight βij ≥ 0 is meant to account for additional\n\ninter-agent soft requirements that should be preferably realized by the individual pair(i, j) (e.g., for formation control purposes, βij(dij) could have a unique maximum at some desired\n\ninter-distance dij = d0 andβij(dij)→ 0 as dij deviates too much\n\nfrom d0). Failure in complying with βij will lead to a\n\ndis-connected edge (i, j) and to a corresponding decrease of λ2,\n\nbut will not (in general) result in a global loss of connectivity for the graph G. The weight αij ≥ 0 is meant to represent\n\nhard requirementsthat must be necessarily satisfied by agentsi\n\norj with some desired accuracy. A straightforward example is obstacle or inter-agent collision avoidance: whatever the task, collisions with obstacles or other agents must be mandatorily avoided. Considering agent i, in our framework this will be achieved by letting αij → 0, ∀j ∈ 1 . . . N, whenever\n\nany of such behaviors is not sufficiently met, e.g., when the distance of agenti to an obstacle becomes smaller than some safety threshold. Failure in complying with a hard requirement will then result in a null i-th row (and i-th column) in the adjacency matrix A, necessarily leading to a disconnected graph (λ2 → 0). Ensuring graph connectivity (λ2 > 0) at\n\nall times will then automatically enforce fulfillment of all the mandatory behaviors encoded within αij.\n\nWe finally note that, as it will be clear in the following, all the individual weights in (2) will be designed as sufficiently smooth functions of the agent and obstacle relative positions. This will ultimately make it possible for any agent to im-plement a decentralized gradient controller aimed at keeping λ2 > 0 during motion and, thus, as explained before, at\n\nrealizing all the desired behaviors and at complying with all the existing constraints. Motivated by these considerations, we then speak about the concept of Generalized Connectivity\n\nMaintenance throughout the rest of the paper, to reflect the\n\ngeneralized role played by the value of λ2 in our context\n\nbe-sides representing the sole (and usual) sensing/communication\n\n0.2 0.4 0.6 0.8 1 1.2 1.4 0 100 200 300 400 500 600 700 λ2 V λ( λ2 )\n\nFig. 1: An illustrative shape for Vλ\n\n2) ≥ 0 with λ min\n\n2 = 0.2 and\n\nλmax\n\n2 = 1. The shape of Vλ(λ2) is chosen such that Vλ(λ2) → ∞\n\nas λ2→ λ min\n\n2 , Vλ(λ2) → 0 (with vanishing slope) as λ2→ λ max\n\n2 ,\n\nand Vλ(λ2) ≡ 0 for λ2≥ λ max\n\n2 .\n\nconnectivity of the interaction graphG. C. Generalized Connectivity Potential\n\nIn order to devise gradient-like controllers based onλ2, we\n\ninformally introduce the concept of Generalized Connectivity\n\nPotential, that is, a scalar functionVλ\n\n2)≥ 0 in the domain\n\n(λmin\n\n2 ,∞) such that Vλ(λ2)→ ∞ as λ2 → λmin2 > 0, and\n\n2)≡ 0 if λ2 ≥ λmax2 > λ2min, with λmax2 > λmin2 > 0\n\nrepresenting desired maximum and minimum values for λ2.\n\nThe potentialVλ\n\n2) is required to beC1 over its domain, in\n\nparticular atλmax\n\n2 . Figure 1 shows a possible shape ofVλ(λ2).\n\nFor the sake of illustration, let againxi∈ R3represent the\n\nposition of thei-th agent and x = (xT\n\n1. . . xTN)T. Assume also\n\nthat the weightsAijin (2) are designed as sufficiently smooth\n\nfunctions of the agent and obstacle positions, so that λ2 =\n\nλ2(x, O) is also sufficiently smooth. From a conceptual point\n\nof view, minimization ofVλ\n\n2(x,O)) can then be achieved\n\nby letting every agenti implement the gradient controller Fiλ(x,O) = −\n\n∂Vλ\n\n2(x,O))\n\n∂xi\n\n(3) which will be denoted as the Generalized Connectivity Force. We note that in generalFλ\n\ni (x, O) would depend on the state\n\nof all the agents and obstacle points, thus requiring some form of centralization for its evaluation by means of agent i. However, the next sections will show that our design of Fλ\n\ni(x, O) actually exhibits a decentralized structure, so that\n\nits evaluation by agenti can be performed by only relying on local and 1-hop information. This important feature will then form the basis for a fully decentralized implementation of our approach.\n\nWe also note that, while following the gradient force Fλ\n\ni(x, O), the agents will not be bound to keep a given\n\nfixed topology (i.e. a constant edge setE) for the interaction\n\ngraphG. Creation or deletion of single or multiple links (also concurrently) will be fully permitted as long as the current\n\n(6)\n\nvalue of the generalized connectivity does not fall below a minimum threshold, i.e., while ensuring thatλ2> λmin2 . The\n\nstability issues arising when controlling the agent motion by means of the proposed generalized connectivity force will also be thoroughly analyzed and discussed in the following developments.\n\nIII. DESIGN OF THEGROUPBEHAVIOR\n\nAfter the general overview given in the previous Section, we will now proceed to a more detailed illustration of our approach. Specifically, this Section will focus on the modeling assumptions for the group of agents considered in this work, and on the shaping of the weights in (2). The next Sect. IV will then address the design of the control action Fλ\n\ni and discuss\n\nthe stability of the resulting closed-loop system. A. Agent Model\n\nConsider a group of N agents modeled as floating masses in R3and coupled by means of suitable inter-agent forces. Ex-ploiting the port-Hamiltonian modeling formalism, we model each agent i as an element storing kinetic energy\n\n   ˙pi= Fiλ+ Fie− BiMi−1pi vi= ∂Ki ∂pi = Mi−1pi i = 1, . . . , N (4)\n\nwhere pi ∈ R3 and Mi ∈ R3×3 are the momentum\n\nand positive definite inertia matrix of agent i, respectively, Ki(pi) = 12pTiMi−1pi is the kinetic energy stored by the\n\nagent during its motion, and Bi ∈ R3×3 is a positive definite\n\nmatrix representing a velocity damping term (this can be either artificially introduced, or representative of phenomena such as fluid drag or viscous friction). The force input Fλ\n\ni ∈ R3\n\nrepresents the Generalized Connectivity Force, i.e., the in-teraction of agent i with the other agents and surrounding environment. Force Fie ∈ R3, on the other hand, is an\n\nadditional input that can be exploited for implementing other tasks of interest besides the sole Generalized Connectivity maintenance action2. Finally, v\n\ni ∈ R3 is the velocity of the\n\nagent and xi ∈ R3 its position, with ˙xi = vi. Following\n\nthe port-Hamiltonian terminology, the pair (vi, Fiλ + Fie)\n\nrepresents the power port by which agent i can exchange energy with other agents and the environment.\n\nWe note that the dynamics of (4) is purposely kept simple (linear dynamics) for the sake of exposition clarity. In fact, as it will be clear later on, the only fundamental requirement of model (4) is its output strict passivity w.r.t. the pair (vi, Fiλ+Fie) with storage function the kinetic energyKi(pi).\n\nThis requirement, trivially met by system (4), would never-theless hold for more complex (also nonlinear) mechanical systems Sabattini et al. (2012), thus allowing a straightforward extension of the proposed analysis to more general cases. Being this true, we believe model (4) represents a sufficient compromise between modeling complexity and representation power.\n\n2In fact, in Sect. V we will show how to use inputs Fe\n\ni in order to steer\n\nthe overall group motion while preserving connectivity of the group.\n\nRemark 1: Another alternative to more complex agent\n\nmod-eling is to make use of suitable low-level motion controllers able to track the Cartesian trajectory generated by (4) with negligible tracking errors. Devising closed-loop controllers for exact tracking of the trajectories generated by (4) is always possible for all those systems whose Cartesian position is part of the flat outputs Fliess et al. (1995), i.e., outputs algebraically defining, with their derivatives, the state and the control inputs of the system. Many mobile robots, including nonholonomic ground robots or quadrotor UAVs, satisfy this property Murray et al. (1995); Mistler et al. (2001), and this approach has proven successful in several previous works, see, e.g., Michael and Kumar (2009) for unicycle-like robots and Robuffo Giordano et al. (2011b); Franchi et al. (2012b) for quadrotor UAVs.\n\nB. Inter-Agent Requirements\n\nIn view of the next developments, we provide the following two neighboring definitions:\n\nDefinition 1 (Sensing-Neighbors): For an agenti, we define\n\nSi={j| γij6= 0}\n\nto be the set of sensing-neighbors, i.e., those agents with whom agenti could physically exchange information according to the sensing model γij.\n\nDefinition 2 (Neighbors): For an agent i, we define\n\nNi={j| Aij 6= 0}\n\nto be the (usual) set of neighbors, i.e., those agents logically considered as neighbors as per the entries of the adjacency matrixA.\n\nObviously,Ni⊆ Si butSi 6⊂ Ni.\n\nThe following three requirements specify the properties of the Generalized Connectivity adopted in the rest of the work: R1) two agents are able to communicate and to measure their relative position iff(i) their relative distance is less than D ∈ R+ (the communication/sensing range), and (ii)\n\ntheir line-of-sight is not occluded by an obstacle. This requirement defines the sensing model (function γij) of\n\nthe agents in the group which will be used for building weights (2). This requirement also defines the set Si of\n\nsensing-neighbors of agenti (Definition 1);\n\nR2) two agents, when able to exchange information (γij >\n\n0), should keep a preferred interdistance 0 < d0 < D\n\nin order to obtain an overall cohesive behavior for the group motion. This plays the role of a soft requirement for formation control and its fulfillment will be embedded into the weights βij in (2);\n\nR3) any agent must avoid collisions by keeping the minimum safe distances 0 < domin < D and 0 < dmin < D from\n\nsurrounding obstacles and agents, respectively. This plays the role of a hard requirement and its fulfillment will be embedded into the weightsαij in (2).\n\n(7)\n\nxi xj vi vj obstacle point Sij sijk dijk xi,ok xj,ok ok2 Oij\n\nFig. 2: Illustration of several quantities of interest relative to a pair of agents i and j. The agent positions xiand xj, and their velocities\n\nvi and vj. The segment Sij (line-of-sight) joining agents i and j.\n\nAn obstacle point okand the corresponding closest point sijkon the\n\nsegment itself. The segment-obstacle distance dijk.\n\nC. Weight definition\n\nWe will now proceed to shape the individual weights (αij, βij, γij) encoding the requirements listed in R1–R3.\n\nTo this end, consider an environment consisting of a set of obstacle points O = {ok ∈ R3} with cardinality Nobs, and\n\nassume that an agent can measure its relative position w.r.t. the surrounding obstacles located within the sensing range D. Let Oi collect all the obstacle points sensed by agent i and\n\ndefineOij = Oi∪ Oj. BeingSij the segment (line-of-sight)\n\njoining agents i and j, for any ok ∈ Oij we denote with\n\nsijk ∈ R3 the closest point on Sij to the obstacle point ok,\n\nand withdijk∈ R the associated point-line distance3. We also\n\nlet dij = kxi− xjk represent the distance between agents i\n\nandj. Figure 2 summarizes the quantities of interest.\n\n1) Requirement R1: we define γij= γija(dij) Y ok∈Oij γb ij(dijk). (5) The weight γa\n\nij(dij) takes into account the maximum range\n\nconstraint and is chosen to stay constant at a maximum value ka\n\nγ > 0 for 0 ≤ dij ≤ d1 < D and to smoothly vanish (with\n\nvanishing derivative) when dij → D. To this end, we choose\n\nthe following function\n\nγija(dij) =      ka γ 0≤ dij ≤ d1 ka γ 2 (1 + cos(µadij+ νa)) d1< dij ≤ D 0 dij > D (6) withµa= D−dπ 1, andνa =−µad1. Figure 3a shows the shape\n\nof a possibleγa ij(dij).\n\nThe individual weights γb\n\nij(dijk) composing the product\n\nsequence in (5) take into account the constraint of line-of-sight occlusion. Assume a minimum and maximum distance 0 ≤ do\n\nmin < domax ≤ D between the segment Sij and\n\nan obstacle point ok ∈ Oij are chosen. The quantity domin\n\nrepresents the minimum distance to an obstacle in order to\n\n3This is formally defined as d\n\nijk =\n\nk(ok− xj) × (ok− xi)k\n\nkxj− xik\n\nif sijk\n\nfalls within the boundaries of the segment Sij, and as dijk= kok− xik if\n\nsijk= xi(resp. xj). 0 1 2 3 4 5 6 7 0 0.5 1 1.5 dij γ a ij(d ij ) (a) 0 1 2 3 4 5 6 7 0 0.5 1 1.5 dijk γ b ij(d ij k ) (b)\n\nFig. 3: The shape of γija(dij) for d1 = 5, D = 6, kaγ = 1 (a) and\n\nγijb(dijk) for domin= 1, d o max= 3, k b γ= 1 (b). 0 1 2 3 4 5 6 7 8 0 0.5 1 1.5 dij βij (d ij )\n\nFig. 4: The shape of βij(dij) for d0= 4, kβ= 1 and σ = 5.\n\navoid occlusion, anddo\n\nmaxthe obstacle range of influence. The\n\nweightγb\n\nij(dijk) is then defined to stay constant at a maximum\n\nvalue kb\n\nγ > 0 for dijk ≥ domax and to smoothly vanish (with\n\nvanishing derivative) when dijk→ domin. Similarly to before,\n\nwe adopted the following function\n\nγijb(dijk) =        0 dijk≤ domin kb γ 2 (1− cos(µbdijk+ νb)) d o\n\nmin< dijk≤ domax\n\nkb\n\nγ dijk> domax\n\n(7) withµb= do π\n\nmax−domin andνb=−µbd\n\no\n\nmin. Figure 3b shows the\n\nshape of a possibleγb ij(dijk).\n\nIt is then clear that, owing to these definitions and to the structure in (5), the composite weight γij → 0 (and,\n\nconsequently, the total weight Aij → 0 in (2)) whenever dij\n\ngrows too large ordijk, for anyok∈ Oij, becomes too small,\n\nthus forcing the disconnection of the link among agentsi and j as dictated by the adopted sensing model (conditions in R1). We also note that γij = γjisincedij = dji anddijk= djik.\n\n2) Requirement R2: in order to cope with R2, we define the\n\nweightβij(dij) as a smooth function having a unique\n\nmaxi-mum atdij = d0 and smoothly vanishing as|dij− d0| → ∞.\n\nTo this end, we take\n\nβij(dij) = kβe−\n\n(dij −d0)2\n\nσ (8)\n\nwithkβ > 0 and σ > 0, and show in Fig. 4 a representative\n\n(8)\n\n0 1 2 3 4 5 6 7 0 0.5 1 1.5 dij α ∗(dij ij )\n\nFig. 5: The shape of α∗\n\nij(dij) for dmin= 0.5, dmax= 4 and kα= 1.\n\n3) Requirement R3: as last case, we consider the collision\n\navoidance requirements of R3. We first deal with the\n\ninter-agentcollision avoidance: let0 ≤ dmin< dmax≤ D represent\n\na minimum safe distance and a maximum range of influence among the agents, and consider a weight function α∗\n\nij(dij)\n\nbeing constant at a maximum valuekα> 0 for dij ≥ dmaxand\n\nsmoothly vanishing (with vanishing derivative) when dij →\n\ndmin. For αij∗(dij) we take the expression (equivalent to the\n\nweights γijb in (7)): α∗ij(dij) =      0 dij ≤ dmin kα\n\n2 (1− cos(µαdij+ να)) dmin< dij ≤ dmax\n\nkα dij > dmax\n\n(9) withµα= dmaxπ−dmin andνα=−µαdmin, and show in Fig. 5\n\na possible shape. As before, it isα∗ ij= α∗ji.\n\nThe weightα∗\n\nij(dij) is designed to vanish as the agent pair\n\n(i, j) gets closer than the safe distance dmin. In order to obtain\n\nthe result discussed in Sect. II-B, i.e., to force disconnection of the graphG as agent i gets too close to any agent, we define the total weight αij in (2) as\n\nαij = Y k∈Si α∗ik ! ·   Y k∈Sj/{i} α∗jk  = αi· αj/i. (10)\n\nThis choice is motivated as follows: the first product sequence in (10)\n\nαi=\n\nY\n\nk∈Si\n\nα∗ik (11)\n\nmakes it possible for αij → 0 as any of the sensed agents\n\nin Si gets closer than dmin to agent i. The second product\n\nsequence in (10)\n\nαj/i=\n\nY\n\nk∈Sj/{i}\n\nαjk∗ (12)\n\nis introduced to enforce the ‘symmetry condition’αij = αji:\n\ntogether with the previous βij = βji and γij = γji, this\n\nguaranteesAij= Aji (see (2)) so that, eventually, the overall\n\nadjacency matrix A stays symmetric as required. Finally, we note that, by construction, the very same term αi will be\n\npresent in all the weightsαij,∀j ∈ Si. This allows to obtain\n\n1 2 3 4 5 α15∗ α∗25 α∗24 α∗45 α∗34 α∗35\n\nFig. 6: An illustrative example of the use of the weights α∗\n\nij in a\n\nGraph G with N = 5 agents and with the edges representing the sensing-neighbor condition of Definition 1 (setsSi).\n\nthe desired effect: as any sensed agent inSi gets too close to\n\nagent i, the term αi → 0 thus forcing the whole i-th row of\n\nmatrixA to vanish, leading to a disconnected graph G. In order to better explain the design philosophy behind the weights αij, we give an illustrative example. Consider the\n\nsituation depicted in Fig. 6 withN = 5 agents, and with the links representing the neighboring conditions as perSi. Take\n\nagents2 and 5: from (10) we have\n\nα25= (α∗24α∗25)(α∗51α∗53α∗54)\n\nand\n\nα52= (α∗51α∗52α∗53α∗54)(α∗24)\n\nso that, being α∗ij = α∗ji, the overall ‘symmetry condition’\n\nα25= α52 is satisfied.\n\nNow consider the weight among agents2 and 4 α24= (α∗24α∗25)(α∗43α∗45).\n\nWe can readily verify that α24 and α25 share the common\n\nfactorα2= α24∗ α∗25: thus, as agent2 gets closer than dmin to\n\none of its sensing-neighbors (either agent 4 or 5), the whole second row of matrixA will vanish (α24→ 0 and α25→ 0),\n\nforcing disconnection of graph G.\n\nAs for obstacle avoidance, one could replicate the same machinery developed for the inter-agent collision avoidance by defining an additional set of suitable weights leading to a disconnected graph as any agent gets too close to an obstacle point (and this could be further extended for including any additional hard requirement besides the agent/obstacle collision avoidance considered here). In our specific case, however, this step is not necessary thanks to the previously introduced weightsγb\n\nij(dijk) in (5). In fact, with reference to\n\nFig. 2, as an agent i approaches an obstacle ok, the agent\n\npositionxi will eventually become the closest point took for all the inter-agent segments Sij (i.e., links) departing from\n\nxi. Thus, all the product sequences Qok∈Oijγ b\n\nij(dijk) in (5),\n\n∀j ∈ Si, will contain an individual term γijb(dijk)→ 0 and,\n\nagain, the wholei-th row of matrix A will be forced to vanish, leading to a disconnected graphG.\n\nRemark 2: We note that the possibility of exploiting the\n\nalready existing weightsγb\n\n(9)\n\nembedding the hard requirement of obstacle avoidance is only a (very convenient) specificity of the case under consideration. In general, each hard requirement to be executed by the group requires the design of an associated function with properties analogous to the aforementioned weights αij (i.e., forcing\n\ndisconnection of the graph G when the requirement is not sufficiently satisfied).\n\nWe conclude by noting the following properties of weights Aij which will be exploited in the next developments. Using\n\nthe previous definitions ofαij,βij,γij, and noting thatdij=\n\ndji, it is Aij = Aij({dijk|ok ∈ Oij}, {dik|k ∈ Si}, {djk|k ∈ Sj}) implying that ∂Aij ∂dik ≡ 0, ∀k /∈ Si, ∂Aij ∂djk ≡ 0, ∀k /∈ Sj. (13)\n\nFurthermore, it is easy to show that, for a generic relative distance dij, ifj /∈ Si ∂Ahk ∂dij ≡ 0 ∀(h, k) ∈ E∗, (14) while, if j ∈ Si ∂Ahk ∂dij ≡ 0, ∀h 6= i, k 6= j, (15) and ∂Aik ∂dij ≡ 0, ∀k /∈ Si, ∂Ajk ∂dij ≡ 0, ∀k /∈ Sj. (16)\n\nThese latter conditions can be slightly simplified by replacing the sensing-neighbors Si with the (logical) neighbors Ni,\n\nyielding ∂Aik ∂dij ≡ 0, ∀k /∈ Ni, ∂Ajk ∂dij ≡ 0, ∀k /∈ Nj. (17)\n\nIn fact, if k ∈ Si butk /∈ Ni, then not onlyAik= 0 but also\n\n∂Aik/∂dij = 0 thanks to the design of weights (αik, βik, γik)\n\ncomposingAik (vanishing weights with vanishing slope).\n\nFor the reader’s convenience, we finally report in Fig. 7 a graphical representation (3D surface and planar contour plot) of the total weight Aij = αijβijγij as a function of the two\n\nvariables dij and dijk, i.e., assuming presence of only two\n\nagents i and j and of a single obstacle point ok.\n\nIV. CONTROL OF THEGROUPBEHAVIOR\n\nIn this Section we address the design of the Generalized Connectivity ForceFλ\n\ni based on the previous definition of the\n\nweights in (2) and discuss its decentralized structure. Sub-sequently, the passivity properties of the closed-loop system obtained when controlling the motion of agents (4) by means of Fλ\n\ni are also thoroughly analyzed.\n\n(a) dijk dij 0 1 2 3 4 5 6 7 8 0 1 2 3 4 5 6 7 8 (b)\n\nFig. 7: Visualization as 3D surface of the total weight Aij =\n\nαijβijγij as a function of the variables dij and dijk (top), and\n\ncorresponding contour plot (bottom). The values of the various parameters are those employed for the previous Figs. 3–5.\n\nA. Inter-Agent Interconnection\n\nWith reference to Fig. 2, let xij = xi− xj∈ R3 represent\n\nthe relative position of agent i w.r.t. agent j. Replicating the lexicographical ordering used for setE∗ in (1), we collect all\n\nthe possible |E∗| relative positions into the cumulative vector\n\nxR= (xT12 . . . xT1N x23T . . . xT2N . . . xTN −1N)T ∈ R 3N (N −1)\n\n2 .\n\nWe also let xi,ok = xi− ok ∈ R\n\n3 be the relative position of\n\nthei-th agent w.r.t. the k-th obstacle point, and xi,o= (xTi,o1. . . x\n\nT\n\ni,oNobs)T ∈ R3Nobs\n\nbe a vector collecting all the relative positions between the i-th agent and the Nobs obstacles. Finally, vector\n\nxO = (xT1,o. . . xTN,o)T ∈ R3N Nobs\n\ncollects all the xi,o for all theN robots.\n\nIn port-Hamiltonian terms, the Generalized Connectivity Potential Vλ\n\n2) can be thought as a ‘nonlinear elastic\n\npotential’ whose internal energy grows unbounded as the graph approaches disconnection (see Fig. 1). Note that, due to the definition of the individual weights (αij, βij, γij) given\n\n(10)\n\nmatrix, and, as a consequence, λ2 and Vλ(λ2) as well,\n\nbecome sufficiently smooth functions of the agent and obstacle relative positions (xR, xO). As explained in Sect. II-C, the\n\nGeneralized Connectivity Force (anti-gradient ofVλ) is then\n\nFiλ= −\n\n∂Vλ\n\n2(xR, xO))\n\n∂xi\n\n. (18)\n\nThis formal expression of Fλ\n\ni can be given the following\n\nstructure: being ∂xij/∂xi = I3 and ∂xi,oj/∂xi = I3, and applying the chain rule, expression (18) can be expanded as\n\nFiλ= − N X j=1, j6=i ∂Vλ ∂xij − Nobs X j=1 ∂Vλ ∂xi,oj . (19)\n\nFurthermore, using the results reported in Yang et al. (2010), the terms in the two summations can be further expanded as\n\n∂Vλ ∂xij = ∂V λ ∂λ2 ∂λ2 ∂xij =∂V λ ∂λ2 X (h, k)∈E ∂Ahk ∂xij (ν2h− ν2k) 2, (20) and ∂Vλ ∂xi,oj =∂V λ ∂λ2 ∂λ2 ∂xi,oj =∂V λ ∂λ2 X (h, k)∈E ∂Ahk ∂xi,oj (ν2h− ν2k) 2, (21) with ν2h being the h-th component of the normalized\n\ncon-nectivity eigenvector ν2. Being dij = kxijk, we can plug\n\nproperty (14) in (20) to conclude that∂Vλ/∂x\n\nij= 0 if j /∈ Si.\n\nTherefore, expression (19) can be simplified into Fiλ= − X j∈Si ∂Vλ ∂xij − Nobs X j=1 ∂Vλ ∂xi,oj . (22)\n\nRemark 3: We note that, formally, Fλ\n\ni in (22) depends on all the Nobs obstacles present in the scene — an unrealistic\n\nassumption in most practical situations. However, as it will be clear in the following developments, only the sensed obstacle points (i.e., only those within the range D) actually contribute to the evaluation ofFλ\n\ni . With this understanding, we\n\nnevertheless keep the expression (22) for the sake of generality. Exploiting the structure of (22), and defining p = (pT\n\n1 . . . pTN)T ∈ R3N,B = diag(Bi) ∈ R3N ×3N, andFe=\n\n(FeT\n\n1 . . . FNeT)T ∈ R3N, and by noting that ˙xij = vi− vjand\n\n(assuming static obstacles) ˙xi,ok = vi, we can finally model the interconnection of the N agents (4) with the Generalized Connectivity Force Fλ as the mechanical system in\n\nport-Hamiltonian form:          ˙p ˙xR ˙xO  =     0 E −I −ET 0 0 IT 0 0  −   B 0 0 0 0 0 0 0 0    ∇H + GFe v= GT∇H . (23) Here, H(p, xR, xO) = N X i=1 Ki(pi) + Vλ(xR, xO) ≥ 0 (24)\n\nrepresents the total energy of the system (Hamiltonian) and\n\n∇H =\u0012 ∂ TH ∂p ∂TH ∂xR ∂TH ∂xO \u0013T . Moreover, I = IN ⊗ 1TNobs ⊗ I3, G = IN⊗ I3 0 0 \u0001T , and E = E ⊗ I3, with E being the incidence matrix of the\n\ngraph G encoding the neighboring condition of Definition 1 (see Sects. II-A and II-B). Finally,v ∈ R3N is the conjugate\n\npower variable associated toFe: the port (Fe, v) allows the\n\nsystem to exchange energy with the external world. We refer again the reader to Franchi et al. (2011); Robuffo Giordano et al. (2011b,a); Franchi et al. (2012b); Secchi et al. (2012) for more detailed illustrations on similar derivations.\n\nB. Decentralized Implementation of\n\ni\n\nIn order to study the decentralized structure of Fλ\n\ni , we\n\nanalyze separately the two summations in its expression (22). We preliminarily assume availability to each agent k of the current value of λ2 and of the k-th component ν2k of the connectivity eigenvector ν2. These assumptions will be later\n\nremoved.\n\nWe start considering the first summationP\n\nj∈Si\n\n∂Vλ\n\n∂xij in (22) with the goal of showing that each individual term∂Vλ/∂x\n\nij,\n\nj ∈ Si, can be computed in a decentralized way by agent i.\n\nBy using properties (15)–(17), we can expand (20) as ∂Vλ ∂xij =∂V λ ∂λ2 X k∈Ni ∂Aik ∂xij (ν2i− ν2k) 2+ + X k∈Nj ∂Ajk ∂xij (ν2j − ν2k) 2∂Aij ∂xij (ν2i− ν2j) 2  , (25) where the last term is meant to account for weight Aij only\n\nonce in the two previous summations. Let us define the vector quantity ηij = X k∈Ni ∂Aik ∂xij (ν2i− ν2k) 2∈ R3 (26)\n\nand thus rewrite (25) as ∂Vλ ∂xij =∂V λ ∂λ2 \u0012 ηij− ηji− ∂Aij ∂xij (ν2i− ν2j) 2 \u0013 . (27) Proposition 1: Vector ∂V λ ∂xij in (27) can be evaluated by agent i, ∀j ∈ Si, in a decentralized way by only resorting\n\nto local and1-hop information from neighboring agents.\n\nProof: We first note that, under the stated assumptions,\n\nthe quantity ∂Vλ/∂λ\n\n2 can be directly computed by agent i\n\nfrom the current value of λ2. We then proceed showing how\n\nvectorηij, whose expression is given in (26), can be evaluated\n\nin a decentralized way by agent i by resorting to only local and1-hop information.\n\nTo this end, we recall thatν2i is assumed locally available, and the components ν2k, k ∈ Ni, can be communicated as single scalar quantities from neighboring agents k to agent i. Consider now the weights Aik = αikβikγik withk ∈ Ni\n\nin (26): as for the termγik= γik(dik, dikh|oh∈Oik), evaluation of the quantitiesdikanddikh,∀oh∈ Oik, requires knowledge\n\nof xi − xk, xi− oh and xk− oh, ∀oh ∈ Oik, i.e., of\n\nrela-tive positions w.r.t. neighboring agents and sensed obstacles. Furthermore, ∂γik/∂xij ≡ 0, ∀k 6= j, while evaluation of\n\n(11)\n\n∂γij/∂xij requires again knowledge of the relative position\n\nxi− xj. Similar considerations hold for the terms βik(dik):\n\nevaluation of βik(dik) requires knowledge of xi− xk, while\n\n∂βik/∂xij = 0, ∀k 6= j, and ∂βij/∂xij can be evaluated from\n\nthe relative position xi− xj.\n\nComing to weights αik, recalling their definition in (10) it\n\nis αik = αiαk/i. Here, we note that αi = αi(dih|h∈Si), so that evaluation of αi and of its gradient w.r.t. xij requires\n\nknowledge of xi − xh, ∀h ∈ Si (again, relative positions\n\nw.r.t. neighbors). From (12), the term αk/i can be locally\n\ncomputed by agent k and communicated to agent i as a\n\nsingle scalar quantity regardless of the cardinality of Sk.\n\nMoreover, sinceαk/i does not dependon xij, it is obviously\n\n∂αk/i/∂xij ≡ 0.\n\nThese considerations allow then to conclude that evaluation ofηij can be performed in a decentralized way by agenti as it\n\nrequires, in addition to the sole relative positions w.r.t. neigh-boring agents and sensed obstacles, the communication of the scalar quantities αk/i and of the (scalar) components ν2k, ∀k ∈ Ni.\n\nFollowing the same arguments, agent j is symmetrically able to compute, in a decentralized way, the second vector quantityηjipresent in (27). This can then be communicated by\n\nagentj to agent i as a single vector quantity regardless of the cardinality of Nj. Finally, the last quantity∂Aij/∂xij(ν2i− ν2j)\n\n2 in (27) is also available to agent i as it is just one of\n\nthe |Ni| terms needed for evaluating ηij, see (26). This then\n\nconcludes the proof: agent i is able to evaluate all the terms in the first summationP\n\nj∈Si\n\n∂Vλ\n\n∂xij in (22) by resorting to only local and 1-hop information.\n\nConsider now the second summation PNobs\n\nj=1 ∂Vλ/∂xi,oj\n\nin (22), with the individual terms ∂Vλ/∂x\n\ni,oj having the expression (21). Exploiting the structure of weights Aij, in\n\nparticular of functions γb\n\nij(dijk) in (5), the following simple\n\nproperties hold\n\n∂Ahl/∂xi,oj ≡ 0, ∀oj, ∀h 6= i, l 6= i, and\n\n∂Aih/∂xi,oj ≡ 0, ∀oj, ∀h /∈ Ni. Therefore, the expression (21) can be simplified into\n\n∂Vλ ∂xi,oj =∂V λ ∂λ2 X k∈Ni ∂Aik ∂xi,oj (ν2i− ν2k) 2. (28) Proposition 2: Vector ∂V λ ∂xi,oj in (28) can be evaluated by agent i, ∀oj, in a decentralized way by only resorting to local\n\nand1-hop information from neighboring agents.\n\nProof: As before, ∂Vλ/∂λ\n\n2, ν2i and ν2k, ∀k ∈ Ni, are locally available to agent i. If oj is a sensed obstacle point,\n\ni.e., there exists at least one agent k ∈ Si such thatoj ∈ Oik,\n\nthen evaluation of ∂Aik/∂xi,oj can be locally performed by agent i with knowledge of the relative positions xi− oj and\n\nxk−oj. If, on the other hand,ojis nota sensed obstacle point,\n\nthen ∂Aih/∂xi,oj ≡ 0, ∀h. This then concludes the proof: agent i can evaluate all the terms in the second summation PNobs\n\nj=1 ∂Vλ/∂xi,oj in (22) by resorting to only local and 1-hop information.\n\nTo summarize, the computation of the Generalized Con-nectivity Force Fλ\n\ni (22) by agent i requires availability of\n\nthe following quantities: (i) the relative positions xi− xj,\n\n∀j ∈ Si, (ii) xi− ok andxj− ok, ∀j ∈ Si, and for all the\n\nsensed obstacle pointsok∈ Oij,(iii) the scalar quantity αj/i,\n\n∀j ∈ Si,(iv) the vector quantity ηji,∀j ∈ Si,(v) the i-th and\n\nj-th components of ν2,∀j ∈ Ni, and(vi) the current value of\n\nλ2. The complexity per neighbor is then O(1), i.e., constant\n\nw.r.t. the total number of agentsN .\n\nWhile, as discussed, most of this information is locally or 1-hop available through direct sensing or communication, this is not usually the case forλ2andν2i,ν2j,j ∈ Ni. Knowledge of these quantities could be obtained by a global observation of the group in order to recover the full LaplacianL so as to compute their values with a centralized procedure. However, in our case, for the sake of decentralization we chose to rely on the decentralized estimation strategy proposed by Yang et al. in Yang et al. (2010) and then refined by Sabattini et al. in Sabattini et al. (2011, 2012). Therein, the authors show how each agenti can incrementally build its own local estimation of λ2, i.e., ˆλ2, and of the i-th component of ν2, i.e., νˆ2i, by again exploiting only local and 1-hop information. We refer the reader to these works for all the details. Therefore, by exploiting these results, we conclude that an estimation ˆFλ i\n\nof the trueFλ\n\ni can be implemented by every agent in a fully\n\ndecentralized way.\n\nRemark 4: It is worth mentioning that the estimation\n\nschemes developed in Yang et al. (2010); Sabattini et al. (2011, 2012) will not return, in general, a normalized eigenvectorν2\n\n(needed to evaluate (20)), but a (non-null) scalar multiple̺ν2\n\nfor some ̺ 6= 0 depending on the chosen gains and on the numberN of robots in the group. This discrepancy, however, does not constitute an issue since evaluation of (20) on a multiple ̺ν2 of ν2 will just result in a scaled version of the\n\nConnectivity Force ̺2Fλ\n\ni , ∀i. It is then always possible to\n\nre-define the Connectivity Potential Vλ so as to embed the\n\neffect of any ‘scaling factor’̺2 introduced by the estimation\n\nscheme.\n\nBefore addressing the stability issues of the closed-loop sys-tem (23), we summarize the main features of the Generalized Connectivity PotentialVλ and ofFλ\n\ni introduced so far:\n\n1) although Vλ is a global potential, reflecting global\n\nproperties (connectivity) of the group, ˆFλ\n\ni (an\n\nestima-tion of its gradient w.r.t. the i-th agent position) can be computed in a fully decentralized way. The only discrepancies among the trueFλ\n\ni and ˆFiλ are due to the\n\nuse of the estimates ˆλ2,νˆ2i andνˆ2k,k ∈ Ni, in place of their real values, otherwise ˆFλ\n\ni is evaluated upon actual\n\ninformation;\n\n2) Vλ will grow unbounded as λ\n\n2 → λmin2 > 0, thus\n\nenforcing Generalized Connectivity of the group. Note that, during the motion, the agents are fully allowed to break or create links (also concurrently) as long as λ2 > λmin2 . Furthermore, the group motion will\n\nbecome completely unconstrained wheneverλ2≥ λmax2 ,\n\nsince, in this case, the Generalized Connectivity Force will vanish as the potential Vλ becomes flat. These\n\n(12)\n\ntopology and geometry, as the agent motion is not forced to maintain a particular (given) graph topology, but is instead allowed to execute additional tasks in parallel to the Connectivity Maintenance action.\n\n3) because of the various shapes chosen for the weightsαij,\n\nβij andγij, minimization ofVλwill also enforce all the\n\ninter-agent requirements listed in R1–R3. Specifically, inter-agent and obstacle collisions will be prevented, and any interacting pair (i, j) will try to keep a preferred inter-distanced0, thus ensuring an overall cohesive\n\nbe-havior for the group motion. C. Closed-loop Stability\n\nWe now analyze the stability properties of system (23) by extensive use of passivity arguments4. First of all, thanks to\n\nthe port-Hamiltonian structure of (23), and owing to the lower-boundedness of the total energy H in (24) and to the positive semi-definiteness of matrixB, we obtain\n\n˙ H = ∇TH   ˙p ˙xR ˙xO  = − ∂TH ∂p B ∂H ∂p + ∇ THGFe≤ vTFe. (29) This would be in general sufficient to conclude passivity of (23) w.r.t. the pair (Fe, v) with storage function H.\n\nHowever, in our case, two additional issues must be taken into account. First of all, the agents are not implementing Fλ\n\ni , the actual gradient of Vλ, but an estimation ˆFiλ of its\n\nreal value. Second, having allowed for a time-varying graph topology G(t) = (V, E(t)) results in a switching incidence matrix E(t) and, as a consequence, in an overall switching dynamics for the closed-loop system (23).\n\nWhile, as well-known, passivity (and stability) of a sys-tem can be threaten by presence of positive jumps in the employed energy function, for the case under consideration the switching nature of E(t) cannot cause discontinuities in Vλ(t) by construction because of the way the weights A\n\nij are\n\ndesigned. This can be easily shown as follows: the weights Aij(xR(t), xO(t)) are smooth functions of the agent/obstacle\n\nrelative positions, so that one can never face the situation of a\n\ndiscontinuityin the value ofAij(assuming the state is evolving\n\nin a continuous way). This, in turn, ensures continuity of λ2(t) and, consequently, of Vλ(λ2(t)) as well despite possible\n\ncreation/deletion of edges in the graph G(t).\n\nRemark 5: For completeness, we also refer the interested\n\nreader to Franchi et al. (2011); Robuffo Giordano et al. (2011b); Franchi et al. (2012b); Secchi et al. (2012): in the context of formation control with time-varying topology, these works share a similar theoretical background with the present one (borrowing tools from port-Hamiltonian modeling and passivity theory) but allow for a more general situation in which discontinuous changes in the arguments of the employed potential function are allowed at the switching times. In these cases, proper passifying actions must indeed be adopted in order to guarantee stability of the resulting closed-loop dynamics.\n\n4In fact, as well-known, passivity guarantees a sufficient condition for\n\ncharacterizing the stability of a dynamical system Sepulchre et al. (1997).\n\nThe rest of the Section is then devoted to deal with the possible non-passive effects arising from the implementation of the estimated ˆFλ\n\ni in place of the real Fiλ. It is in fact\n\nclear that if ˆFλ\n\ni represents a too poor estimation of Fiλ (the\n\nactual gradient ofVλ), the passivity condition (29) will not in\n\ngeneral hold and passivity of the closed-loop dynamics (23) could be lost. In order to cope with this issue, we will resort to a flexible passifying strategy for safely implementing ˆ\n\ni and\n\nensuring passivity of the closed-loop system. To this end, we first introduce the fundamental concept of Energy Tanks: the Energy Tanks are artificial energy storing elements that keep track of the energy naturally dissipated by the agents because of, e.g., their damping factorsBi (see (4)). The energy stored\n\nin these reservoirs can be re-used to accomplish different goals\n\nwithout violating the passivity of the system. A first example\n\nof using such a technique (a controlled energy transfer) can be found in Duindam and Stramigioli (2004), while extensions are proposed in, e.g., Secchi et al. (2006); Franchi et al. (2011); Franken et al. (2011); Franchi et al. (2012b).\n\nConsider a tank with state xti ∈ R and associated energy function Ti = 12x2ti ≥ 0. From Eq. (4), it follows that the power dissipated by agenti because of the damping action is given by\n\nDi= pTiMi−TBiMi−1pi. (30)\n\nWe then propose to adopt the following augmented dynamics for the agents in place of (4):\n\n     ˙pi= Fie− wixti− BiM −1 i pi ˙xti= si 1 xtiDi+ wTivi yi= viT xti \u0001T . (31)\n\nThis is motivated as follows: the parameter si ∈ {0, 1} is\n\nexploited to enable/disable the storing of the dissipated power Di (30). If si = 1, all the energy dissipated because of the\n\ndamping Bi is stored back into the tank, and if si = 0 no\n\ndissipated energy is stored back. Storage of the dissipated powerDi is disabled whenTi≥ Tmax, i.e., by choosing\n\nsi=\n\n\u001a\n\n0, if Ti≥ Tmax\n\n1, if Ti< Tmax , (32)\n\nwith Tmax > 0 representing a suitable (and\n\napplication-dependent) upper limit for the tank energy5. The inputw\n\ni∈ R3\n\nis meant to implement, by exploiting the tank energy, a desired force on agenti. In fact, note the absence of Fλ\n\ni in the first row\n\nof (31) compared to (4): the idea is to replace the (unknown) Fλ\n\ni with a passive implementation of its estimation ˆFiλ by\n\nmeans of the new input wi. Use of this input allows for a\n\npower-preserving energy transfer between the tank energyTi\n\nand the kinetic energyKi of agenti, as can be seen from the\n\nfollowing power budget\n\n\u001a ˙ Ti= αiDi+ xtiw T i vi ˙ Ki= viTFie− Di− viTwixti . (33)\n\n5Presence of this safety mechanism is not motivated by theoretical\n\nconsider-ations, but is meant to avoid an excessive energy storage in Tithat would allow\n\nfor implementing practical unstable behaviors in the system, see also Lee and Huang (2010); Franchi et al. (2011, 2012b) for a more thorough discussion.\n\n(13)\n\nThus, any action implemented throughwiwill be intrinsically\n\npassivity-preserving.\n\nTo obtain the sought result, we then set wi= −ςi ˆ Fλ i xti , ςi ∈ {0, 1}, (34)\n\nwhere ςi is a second design parameter that enables/disables\n\nthe implementation of ˆFλ\n\ni . Let0 < Tmin< Tmax represent a\n\nminimum energy levelfor the tankTi. Similarly to before, we\n\nchoose\n\nςi=\n\n\u001a\n\n0, if Ti< Tmin\n\n1, if Ti≥ Tmin . (35)\n\nThus, whenςi = 1, input wiwill implement the desired force\n\nˆ Fλ\n\ni in (31) and, at the same time, extract/inject the appropriate\n\namount of energy from/to the tank reservoir Ti as per (33).\n\nWhen ςi = 0, no force is implemented and no energy is\n\nextracted/injected into the tank. The use of this parameter ςi\n\nis meant to avoid complete depletion of the tank reservoir Ti,\n\nan event that would render (34) singular being, in this case, xti = 0.\n\nLet H be the new total energy (Hamiltonian) of the agent group, also accounting for the new tank energies Ti\n\nH(p, xR, xO, xt) = N X i=1 (Ki(pi) + Ti(xti)) + V λ(x R, xO). (36)\n\nLet also Υ = diag(−wi) ∈ R3N ×N, P =\n\ndiag( 1 xtip T i Mi−T) ∈ RN ×3N, S = diag(si) ∈ RN ×N, and ∇H =\u0012 ∂ TH ∂p ∂TH ∂xR ∂TH ∂xO ∂TH ∂xt \u0013T .\n\nThe augmented closed-loop system (still in port-Hamiltonian form) becomes             ˙ p ˙ xR ˙ xO ˙ xt   =         0 E −I Υ −ET 0 0 0 IT 0 0 0 −ΥT 0 0 0     −    B 0 0 0 0 0 0 0 0 0 0 0 −SP B 0 0 0        ∇H+ +GFe v = GT∇H . (37)\n\nProposition 3: System (37) is passive w.r.t. the storage\n\nfunctionH in (36).\n\nProof: Using (36), the following energy balance easily\n\nfollows: ˙ H = −∂ TH ∂p B ∂H ∂p + ∂TH ∂xt SP B∂H ∂p + v TFe. (38) Exploiting the definitions ofS and P , we have\n\n∂TH ∂xt SP B∂H ∂p = ∂TH ∂xt P (S⊗I3)B ∂H ∂p = ∂TH ∂p (S⊗I3)B ∂H ∂p, sinceS is a diagonal matrix made of {0, 1}. Therefore,\n\n˙ H = −∂ TH ∂p B ∂H ∂p + ∂TH ∂p (S ⊗ I3)B ∂H ∂p + v TFe≤ (39) ≤ ∂ TH ∂p ((S ⊗ I3) − I3N)B ∂H ∂p + v TFe≤ vTFe.\n\nThis result can also be interpreted as follows: the energy stored in the tanks (second term in (39)) is at most equal (with\n\nopposite sign) to the energy dissipated by the agents (first term in (39)), so that passivity is preserved.\n\nD. Concluding Remarks\n\nAs a conclusion of this discussion on the closed-loop passiv-ity of the system, we wish to summarize the results and draw a couple of remarks. We note that the proposed passifying strategy, based on the tank machinery, is very powerful and elegant in the sense that it allows complete freedom on the force to be implemented (i.e., ˆFλ\n\ni through (34) in our case),\n\nas long as the passivity of the system is not compromised in\n\nan integral sense. This is, we believe, a crucial point to be\n\nhighlighted, a point pertaining to all the approaches based on the exploitation of energy tanks for preserving passivity (see, e.g., the ‘two-layer approach’ discussed in detail in Franken et al. (2011)): the augmentation of the system dynamics with the tank state xti makes it possible to exploit to the full extent any passivity margin already present in the system by taking into account the complete past evolution and not only a point-wise (at the current time) condition6. In this sense,\n\nthe tank machinery provides a flexible and integral passivity preserving mechanism. One can argue that, if an action cannot be passively implemented by exploiting the tank reservoirs, then no other mechanism can guarantee passivity of the system by implementing the very same action (and, thus, the action should not be implemented in its form, but should be at least suitably ‘modulated’ to cope with the passivity constraint).\n\nComing to our specific case, as thoroughly discussed, the only source of non-passivity lies in the (possibly poor) esti-mation of λ2 and ν2 leading to a (possibly poor) estimation\n\nˆ Fλ\n\ni of the gradient of the elastic potential Vλ. As such, the\n\nproposed tank passifying strategy will guarantee passivity (and thus stability) of the system but at the possible expense of graph connectivity maintenance: if the estimated ˆFλ\n\ni becomes\n\nso poor that passivity is violated (in the sense explained above, i.e., leading to depletion of the tanks), the switching mecha-nism in (35) will always trade stability for implementation of\n\nˆ Fλ\n\ni.\n\nAlthough conceptually possible, this situation is very un-likely to occur in our setting. In fact, the improved decentral-ized estimation proposed in Sabattini et al. (2011, 2012), and employed in this work, guarantees boundedness of the estima-tion errors of ˆλ2andνˆ2with a predefined accuracy. Therefore,\n\nˆ Fλ\n\ni will never diverge too much over time from the realFiλ.\n\nFurthermore, it is easy to prove (see Appendix B) that a tank reservoir can be set up so as to never deplete when its energy is exploited to implement the port behavior of a passive element, as it is(Fλ\n\ni , vi) with Vλas storage function in our case. Then,\n\nassuming small estimation errors ( ˆFλ\n\ni ≃ Fiλ), it follows that\n\nthe tank energyTiwill not approach the safety valueTminand,\n\nconsequently, ˆFλ\n\ni will be implemented. Indeed,(i) ˆFiλwill be\n\nalmost representing the actual port behavior of(Fλ\n\ni , vi), thus\n\nthat of a passive system, and(ii) any remaining non-passive effects due to small estimation errors can be dominated by the passivity margin of the agent dissipation. In other words, in the\n\n6In our case, the passivity margin is due to the agent dissipation induced\n\nUpdating...\n\n## Références\n\nSujets connexes :" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.86169076,"math_prob":0.9270989,"size":64140,"snap":"2021-21-2021-25","text_gpt3_token_len":17529,"char_repetition_ratio":0.1374735,"word_repetition_ratio":0.04646669,"special_character_ratio":0.24312441,"punctuation_ratio":0.118926644,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9730343,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-06-15T15:38:37Z\",\"WARC-Record-ID\":\"<urn:uuid:8f85472d-2bd4-4e1a-b7d5-91c752ae3b79>\",\"Content-Length\":\"287456\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:42619022-7992-406c-bd96-6a189887d339>\",\"WARC-Concurrent-To\":\"<urn:uuid:a78f6524-341e-4062-b2d6-3e250ad98058>\",\"WARC-IP-Address\":\"46.101.80.94\",\"WARC-Target-URI\":\"https://123dok.net/document/wyepo67z-a-passivity-based-decentralized-strategy-for-generalized-connectivity-maintenance.html\",\"WARC-Payload-Digest\":\"sha1:LZV4MOWAIO5SFU5OGD2WAFLY2CPNXFOC\",\"WARC-Block-Digest\":\"sha1:FQBLDVIV2UHDNJSIOKUDEVOAPSL7NGD4\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-25/CC-MAIN-2021-25_segments_1623487621450.29_warc_CC-MAIN-20210615145601-20210615175601-00601.warc.gz\"}"}
http://physicshelpforum.com/thermodynamics-fluid-mechanics/10510-thermodynamics.html
[ "Thermodynamics and Fluid Mechanics Thermodynamics and Fluid Mechanics Physics Help Forum", null, "Oct 2nd 2014, 10:13 AM #1 Junior Member   Join Date: Oct 2014 Posts: 2 Thermodynamics Get could anyone help me with an engineering problem- A quantity of oxygen is stored for the air tanks of the submarine and occupies a volume of 5meters cubed. The pressure of the gas is at atmospheric pressure, at an ambient temperature of 4degrees Celsius. What will be the pressure of the gas be if it is compressed to half it's volume and heated to a temperature of 42degrees Celsius. Calculate the mass of the oxygen using the density of oxygen and using the specific heat at constant volume ,calculate the characteristic gas constant and the specific heat capacity at constant pressure ,when Cv=660KJ/KgK. I'd appreciate any help on this question, I have no idea where to start on this question.", null, "", null, "", null, "Oct 3rd 2014, 08:09 AM #2 Physics Team   Join Date: Jun 2010 Location: Morristown, NJ USA Posts: 2,354 Use the Ideal gas law: PV=nRT. Here n (number of moles of gas) is constant, as is R, so: PV/T = nR = constant. Thus: P1V1/T1 = P2V2/T2 Where P1, V1, and T1 are the initial values of pressure, volume and temp (in kelvin) and P2, T2, and V2 are the final values. Solve for P2. For the second part, use PV=nRT to solve for n. You can use either initial values of P, V and T or final values - it doesn't matter, just don't mix them up. Then from n calculate total mass of gas. Post back with your answers, and if still having issues with it or the third part we'll help you along.", null, "", null, "", null, "Oct 4th 2014, 06:11 AM #3 Junior Member   Join Date: Oct 2014 Posts: 2 Part 1 PV=nRT PV/T=nR P1V1/T1=P2V2/T2 P1- 101’325 Pascal V1- 5m3 T1- 4oc -> 1092K P2- 463.9 V2- 5m3/ 2= 2.5m3 T2- 42oc -> 11 466K Using the equation i will solve the final pressure: 101’325x 5/1092= 463.9 x 2.5/ 11 466 Final pressure= 463.9 Part 2 Use-PV=nRT I will be using the final values. Pressure= 463 Pascal 0.0045783370 Atmosphere Volume= 2.5m3 2500 L Temp= 11 466 K n = 0.01216 PV=nRT 463 x 2.5 = 0.01216 x 0.08206 x 11 466 1125.5 = 11.44 1125.5/ 11.44 = 0.1048080 (Mass of gas) Part 3 Specific gas constant- S= R/MW MW= R/S S= 0.08206/ 0.01216 = 6.74835 (Specific gas constant) Thanks for the reply, these are my workings out and i would appriciate any feedback and help you could offer.", null, "", null, "Tags thermodynamics", null, "Thread Tools", null, "Show Printable Version", null, "Email this Page Display Modes", null, "Linear Mode", null, "Switch to Hybrid Mode", null, "Switch to Threaded Mode", null, "Similar Physics Forum Discussions Thread Thread Starter Forum Replies Last Post ariana Thermodynamics and Fluid Mechanics 0 Oct 1st 2014 02:29 PM abcde Advanced Thermodynamics 2 Sep 12th 2014 02:43 PM KAJ0989 Advanced Thermodynamics 1 Dec 24th 2012 07:44 PM CNM DESIGN Thermodynamics and Fluid Mechanics 0 Aug 22nd 2010 04:35 PM AJEY Thermodynamics and Fluid Mechanics 1 Dec 15th 2009 10:12 PM" ]
[ null, "http://physicshelpforum.com/images/styles/physics/statusicon/post_old.gif", null, "http://physicshelpforum.com/images/styles/physics/statusicon/user_offline.gif", null, "http://physicshelpforum.com/images/styles/physics/buttons/quote.gif", null, "http://physicshelpforum.com/images/styles/physics/statusicon/post_old.gif", null, "http://physicshelpforum.com/images/styles/physics/statusicon/user_offline.gif", null, "http://physicshelpforum.com/images/styles/physics/buttons/quote.gif", null, "http://physicshelpforum.com/images/styles/physics/statusicon/post_old.gif", null, "http://physicshelpforum.com/images/styles/physics/statusicon/user_offline.gif", null, "http://physicshelpforum.com/images/styles/physics/buttons/quote.gif", null, "http://physicshelpforum.com/images/styles/physics/misc/11x11progress.gif", null, "http://physicshelpforum.com/images/styles/physics/buttons/printer.gif", null, "http://physicshelpforum.com/images/styles/physics/buttons/sendtofriend.gif", null, "http://physicshelpforum.com/images/styles/physics/buttons/mode_linear.gif", null, "http://physicshelpforum.com/images/styles/physics/buttons/mode_hybrid.gif", null, "http://physicshelpforum.com/images/styles/physics/buttons/mode_threaded.gif", null, "http://physicshelpforum.com/images/styles/physics/buttons/collapse_tcat.gif", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.8788693,"math_prob":0.8651768,"size":689,"snap":"2019-43-2019-47","text_gpt3_token_len":221,"char_repetition_ratio":0.10364964,"word_repetition_ratio":0.0,"special_character_ratio":0.32365748,"punctuation_ratio":0.1736527,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9692615,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-10-21T15:32:56Z\",\"WARC-Record-ID\":\"<urn:uuid:226e7272-a468-4372-b696-b1c07e39799a>\",\"Content-Length\":\"40215\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:6df17658-d09a-489c-b88b-f1148cb364e9>\",\"WARC-Concurrent-To\":\"<urn:uuid:deed8d44-e0c7-4dfb-ba48-12bec64a48c1>\",\"WARC-IP-Address\":\"138.68.250.125\",\"WARC-Target-URI\":\"http://physicshelpforum.com/thermodynamics-fluid-mechanics/10510-thermodynamics.html\",\"WARC-Payload-Digest\":\"sha1:AX4YDDXCQSE5N3LPJEIE4J2MJPHRCTOX\",\"WARC-Block-Digest\":\"sha1:R55TPZZZPKXS6YWVNQBYDD6ETR4NSLAX\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-43/CC-MAIN-2019-43_segments_1570987779528.82_warc_CC-MAIN-20191021143945-20191021171445-00499.warc.gz\"}"}
https://answers.everydaycalculation.com/simplify-fraction/490-224
[ "# Answers\n\nSolutions by everydaycalculation.com\n\n## Reduce 490/224 to lowest terms\n\nThe simplest form of 490/224 is 35/16.\n\n#### Steps to simplifying fractions\n\n1. Find the GCD (or HCF) of numerator and denominator\nGCD of 490 and 224 is 14\n2. Divide both the numerator and denominator by the GCD\n490 ÷ 14/224 ÷ 14\n3. Reduced fraction: 35/16\nTherefore, 490/224 simplified to lowest terms is 35/16.\n\nMathStep (Works offline)", null, "Download our mobile app and learn to work with fractions in your own time:\nAndroid and iPhone/ iPad\n\nEquivalent fractions:\n\nMore fractions:\n\n#### Fractions Simplifier\n\n© everydaycalculation.com" ]
[ null, "https://answers.everydaycalculation.com/mathstep-app-icon.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.69482243,"math_prob":0.7442996,"size":377,"snap":"2021-21-2021-25","text_gpt3_token_len":121,"char_repetition_ratio":0.13672923,"word_repetition_ratio":0.0,"special_character_ratio":0.45358092,"punctuation_ratio":0.08450704,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9569304,"pos_list":[0,1,2],"im_url_duplicate_count":[null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-06-16T13:19:58Z\",\"WARC-Record-ID\":\"<urn:uuid:cd699f45-6ee7-4bb9-bc05-bd8cf92ddb8e>\",\"Content-Length\":\"6704\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:d7b20108-643d-4144-9f9d-449387706e4a>\",\"WARC-Concurrent-To\":\"<urn:uuid:7d212aeb-7337-45e5-bd38-4fc0d5c43f90>\",\"WARC-IP-Address\":\"96.126.107.130\",\"WARC-Target-URI\":\"https://answers.everydaycalculation.com/simplify-fraction/490-224\",\"WARC-Payload-Digest\":\"sha1:KTV6QYLX7XR2TUAS7JA7ELEZNLSHUV4L\",\"WARC-Block-Digest\":\"sha1:OLCXI5552UFGTZO3VLI5KTWBU25IJO75\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-25/CC-MAIN-2021-25_segments_1623487623942.48_warc_CC-MAIN-20210616124819-20210616154819-00172.warc.gz\"}"}
https://www.numberempire.com/10092
[ "Home | Menu | Get Involved | Contact webmaster", null, "", null, "", null, "", null, "", null, "0 / 12\n\n# Number 10092\n\nten thousand ninety two\n\n### Properties of the number 10092\n\n Factorization 2 * 2 * 3 * 29 * 29 Divisors 1, 2, 3, 4, 6, 12, 29, 58, 87, 116, 174, 348, 841, 1682, 2523, 3364, 5046, 10092 Count of divisors 18 Sum of divisors 24388 Previous integer 10091 Next integer 10093 Is prime? NO Previous prime 10091 Next prime 10093 10092nd prime 105829 Is a Fibonacci number? NO Is a Bell number? NO Is a Catalan number? NO Is a factorial? NO Is a regular number? NO Is a perfect number? NO Polygonal number (s < 11)? NO Binary 10011101101100 Octal 23554 Duodecimal 5a10 Hexadecimal 276c Square 101848464 Square root 100.45894683899 Natural logarithm 9.2194983097609 Decimal logarithm 4.0039772418455 Sine 0.933623239681 Cosine 0.35825639746912 Tangent 2.6060197285422\nNumber 10092 is pronounced ten thousand ninety two. Number 10092 is a composite number. Factors of 10092 are 2 * 2 * 3 * 29 * 29. Number 10092 has 18 divisors: 1, 2, 3, 4, 6, 12, 29, 58, 87, 116, 174, 348, 841, 1682, 2523, 3364, 5046, 10092. Sum of the divisors is 24388. Number 10092 is not a Fibonacci number. It is not a Bell number. Number 10092 is not a Catalan number. Number 10092 is not a regular number (Hamming number). It is a not factorial of any number. Number 10092 is an abundant number and therefore is not a perfect number. Binary numeral for number 10092 is 10011101101100. Octal numeral is 23554. Duodecimal value is 5a10. Hexadecimal representation is 276c. Square of the number 10092 is 101848464. Square root of the number 10092 is 100.45894683899. Natural logarithm of 10092 is 9.2194983097609 Decimal logarithm of the number 10092 is 4.0039772418455 Sine of 10092 is 0.933623239681. Cosine of the number 10092 is 0.35825639746912. Tangent of the number 10092 is 2.6060197285422\n\n### Number properties\n\n0 / 12\nExamples: 3628800, 9876543211, 12586269025" ]
[ null, "https://www.numberempire.com/images/graystar.png", null, "https://www.numberempire.com/images/graystar.png", null, "https://www.numberempire.com/images/graystar.png", null, "https://www.numberempire.com/images/graystar.png", null, "https://www.numberempire.com/images/graystar.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.5811168,"math_prob":0.99497414,"size":2210,"snap":"2021-21-2021-25","text_gpt3_token_len":781,"char_repetition_ratio":0.17951043,"word_repetition_ratio":0.12765957,"special_character_ratio":0.46515837,"punctuation_ratio":0.18181819,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9922467,"pos_list":[0,1,2,3,4,5,6,7,8,9,10],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-05-16T12:50:02Z\",\"WARC-Record-ID\":\"<urn:uuid:d40849b9-7ba8-487e-b973-218f4800ec1b>\",\"Content-Length\":\"23207\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:6d463357-57cc-4d0b-a116-438e061f75f1>\",\"WARC-Concurrent-To\":\"<urn:uuid:c21d513b-5ce8-44f8-935f-4245a91a9898>\",\"WARC-IP-Address\":\"172.67.208.6\",\"WARC-Target-URI\":\"https://www.numberempire.com/10092\",\"WARC-Payload-Digest\":\"sha1:FICG3IKO3SQN7LKKUI2SD2BPX3GMOGMQ\",\"WARC-Block-Digest\":\"sha1:XHE564XNJPACITRHHNATLTXTAIKIN57P\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-21/CC-MAIN-2021-21_segments_1620243991269.57_warc_CC-MAIN-20210516105746-20210516135746-00306.warc.gz\"}"}
https://eslint.org/docs/rules/one-var.html
[ "enforce variables to be declared either together or separately in functions (one-var)\n\nThe --fix option on the command line can automatically fix some of the problems reported by this rule.\n\nVariables can be declared at any point in JavaScript code using var, let, or const. There are many styles and preferences related to the declaration of variables, and one of those is deciding on how many variable declarations should be allowed in a single function.\n\nThere are two schools of thought in this regard:\n\n1. There should be just one variable declaration for all variables in the function. That declaration typically appears at the top of the function.\n2. You should use one variable declaration for each variable you want to define.\n\nFor instance:\n\n// one variable declaration per function\nfunction foo() {\nvar bar, baz;\n}\n\n// multiple variable declarations per function\nfunction foo() {\nvar bar;\nvar baz;\n}\n\nThe single-declaration school of thought is based in pre-ECMAScript 6 behaviors, where there was no such thing as block scope, only function scope. Since all var statements are hoisted to the top of the function anyway, some believe that declaring all variables in a single declaration at the top of the function removes confusion around scoping rules.\n\nRule Details\n\nThis rule enforces variables to be declared either together or separately per function ( for var) or block (for let and const) scope.\n\nOptions\n\nThis rule has one option, which can be a string option or an object option.\n\nString option:\n\n• \"always\" (default) requires one variable declaration per scope\n• \"never\" requires multiple variable declarations per scope\n• \"consecutive\" allows multiple variable declarations per scope but requires consecutive variable declarations to be combined into a single declaration\n\nObject option:\n\n• \"var\": \"always\" requires one var declaration per function\n• \"var\": \"never\" requires multiple var declarations per function\n• \"var\": \"consecutive\" requires consecutive var declarations to be a single declaration\n• \"let\": \"always\" requires one let declaration per block\n• \"let\": \"never\" requires multiple let declarations per block\n• \"let\": \"consecutive\" requires consecutive let declarations to be a single declaration\n• \"const\": \"always\" requires one const declaration per block\n• \"const\": \"never\" requires multiple const declarations per block\n• \"const\": \"consecutive\" requires consecutive const declarations to be a single declaration\n• \"separateRequires\": true enforces requires to be separate from declarations\n\nAlternate object option:\n\n• \"initialized\": \"always\" requires one variable declaration for initialized variables per scope\n• \"initialized\": \"never\" requires multiple variable declarations for initialized variables per scope\n• \"initialized\": \"consecutive\" requires consecutive variable declarations for initialized variables to be a single declaration\n• \"uninitialized\": \"always\" requires one variable declaration for uninitialized variables per scope\n• \"uninitialized\": \"never\" requires multiple variable declarations for uninitialized variables per scope\n• \"uninitialized\": \"consecutive\" requires consecutive variable declarations for uninitialized variables to be a single declaration\n\nalways\n\nExamples of incorrect code for this rule with the default \"always\" option:\n\n/*eslint one-var: [\"error\", \"always\"]*/\n\nfunction foo() {\nvar bar;\nvar baz;\nlet qux;\nlet norf;\n}\n\nfunction foo(){\nconst bar = false;\nconst baz = true;\nlet qux;\nlet norf;\n}\n\nfunction foo() {\nvar bar;\n\nif (baz) {\nvar qux = true;\n}\n}\n\nclass C {\nstatic {\nvar foo;\nvar bar;\n}\n\nstatic {\nvar foo;\nif (bar) {\nvar baz = true;\n}\n}\n\nstatic {\nlet foo;\nlet bar;\n}\n}\n\nExamples of correct code for this rule with the default \"always\" option:\n\n/*eslint one-var: [\"error\", \"always\"]*/\n\nfunction foo() {\nvar bar,\nbaz;\nlet qux,\nnorf;\n}\n\nfunction foo(){\nconst bar = true,\nbaz = false;\nlet qux,\nnorf;\n}\n\nfunction foo() {\nvar bar,\nqux;\n\nif (baz) {\nqux = true;\n}\n}\n\nfunction foo(){\nlet bar;\n\nif (baz) {\nlet qux;\n}\n}\n\nclass C {\nstatic {\nvar foo, bar;\n}\n\nstatic {\nvar foo, baz;\nif (bar) {\nbaz = true;\n}\n}\n\nstatic {\nlet foo, bar;\n}\n\nstatic {\nlet foo;\nif (bar) {\nlet baz;\n}\n}\n}\n\nnever\n\nExamples of incorrect code for this rule with the \"never\" option:\n\n/*eslint one-var: [\"error\", \"never\"]*/\n\nfunction foo() {\nvar bar,\nbaz;\nconst bar = true,\nbaz = false;\n}\n\nfunction foo() {\nvar bar,\nqux;\n\nif (baz) {\nqux = true;\n}\n}\n\nfunction foo(){\nlet bar = true,\nbaz = false;\n}\n\nclass C {\nstatic {\nvar foo, bar;\nlet baz, qux;\n}\n}\n\nExamples of correct code for this rule with the \"never\" option:\n\n/*eslint one-var: [\"error\", \"never\"]*/\n\nfunction foo() {\nvar bar;\nvar baz;\n}\n\nfunction foo() {\nvar bar;\n\nif (baz) {\nvar qux = true;\n}\n}\n\nfunction foo() {\nlet bar;\n\nif (baz) {\nlet qux = true;\n}\n}\n\nclass C {\nstatic {\nvar foo;\nvar bar;\nlet baz;\nlet qux;\n}\n}\n\nconsecutive\n\nExamples of incorrect code for this rule with the \"consecutive\" option:\n\n/*eslint one-var: [\"error\", \"consecutive\"]*/\n\nfunction foo() {\nvar bar;\nvar baz;\n}\n\nfunction foo(){\nvar bar = 1;\nvar baz = 2;\n\nqux();\n\nvar qux = 3;\nvar quux;\n}\n\nclass C {\nstatic {\nvar foo;\nvar bar;\nlet baz;\nlet qux;\n}\n}\n\nExamples of correct code for this rule with the \"consecutive\" option:\n\n/*eslint one-var: [\"error\", \"consecutive\"]*/\n\nfunction foo() {\nvar bar,\nbaz;\n}\n\nfunction foo(){\nvar bar = 1,\nbaz = 2;\n\nqux();\n\nvar qux = 3,\nquux;\n}\n\nclass C {\nstatic {\nvar foo, bar;\nlet baz, qux;\ndoSomething();\nlet quux;\nvar quuux;\n}\n}\n\nvar, let, and const\n\nExamples of incorrect code for this rule with the { var: \"always\", let: \"never\", const: \"never\" } option:\n\n/*eslint one-var: [\"error\", { var: \"always\", let: \"never\", const: \"never\" }]*/\n/*eslint-env es6*/\n\nfunction foo() {\nvar bar;\nvar baz;\nlet qux,\nnorf;\n}\n\nfunction foo() {\nconst bar = 1,\nbaz = 2;\nlet qux,\nnorf;\n}\n\nExamples of correct code for this rule with the { var: \"always\", let: \"never\", const: \"never\" } option:\n\n/*eslint one-var: [\"error\", { var: \"always\", let: \"never\", const: \"never\" }]*/\n/*eslint-env es6*/\n\nfunction foo() {\nvar bar,\nbaz;\nlet qux;\nlet norf;\n}\n\nfunction foo() {\nconst bar = 1;\nconst baz = 2;\nlet qux;\nlet norf;\n}\n\nExamples of incorrect code for this rule with the { var: \"never\" } option:\n\n/*eslint one-var: [\"error\", { var: \"never\" }]*/\n/*eslint-env es6*/\n\nfunction foo() {\nvar bar,\nbaz;\n}\n\nExamples of correct code for this rule with the { var: \"never\" } option:\n\n/*eslint one-var: [\"error\", { var: \"never\" }]*/\n/*eslint-env es6*/\n\nfunction foo() {\nvar bar,\nbaz;\nconst bar = 1; // `const` and `let` declarations are ignored if they are not specified\nconst baz = 2;\nlet qux;\nlet norf;\n}\n\nExamples of incorrect code for this rule with the { separateRequires: true } option:\n\n/*eslint one-var: [\"error\", { separateRequires: true, var: \"always\" }]*/\n/*eslint-env node*/\n\nvar foo = require(\"foo\"),\nbar = \"bar\";\n\nExamples of correct code for this rule with the { separateRequires: true } option:\n\n/*eslint one-var: [\"error\", { separateRequires: true, var: \"always\" }]*/\n/*eslint-env node*/\n\nvar foo = require(\"foo\");\nvar bar = \"bar\";\nvar foo = require(\"foo\"),\nbar = require(\"bar\");\n\nExamples of incorrect code for this rule with the { var: \"never\", let: \"consecutive\", const: \"consecutive\" } option:\n\n/*eslint one-var: [\"error\", { var: \"never\", let: \"consecutive\", const: \"consecutive\" }]*/\n/*eslint-env es6*/\n\nfunction foo() {\nlet a,\nb;\nlet c;\n\nvar d,\ne;\n}\n\nfunction foo() {\nconst a = 1,\nb = 2;\nconst c = 3;\n\nvar d,\ne;\n}\n\nExamples of correct code for this rule with the { var: \"never\", let: \"consecutive\", const: \"consecutive\" } option:\n\n/*eslint one-var: [\"error\", { var: \"never\", let: \"consecutive\", const: \"consecutive\" }]*/\n/*eslint-env es6*/\n\nfunction foo() {\nlet a,\nb;\n\nvar d;\nvar e;\n\nlet f;\n}\n\nfunction foo() {\nconst a = 1,\nb = 2;\n\nvar c;\nvar d;\n\nconst e = 3;\n}\n\nExamples of incorrect code for this rule with the { var: \"consecutive\" } option:\n\n/*eslint one-var: [\"error\", { var: \"consecutive\" }]*/\n/*eslint-env es6*/\n\nfunction foo() {\nvar a;\nvar b;\n}\n\nExamples of correct code for this rule with the { var: \"consecutive\" } option:\n\n/*eslint one-var: [\"error\", { var: \"consecutive\" }]*/\n/*eslint-env es6*/\n\nfunction foo() {\nvar a,\nb;\nconst c = 1; // `const` and `let` declarations are ignored if they are not specified\nconst d = 2;\nlet e;\nlet f;\n}\n\ninitialized and uninitialized\n\nExamples of incorrect code for this rule with the { \"initialized\": \"always\", \"uninitialized\": \"never\" } option:\n\n/*eslint one-var: [\"error\", { \"initialized\": \"always\", \"uninitialized\": \"never\" }]*/\n/*eslint-env es6*/\n\nfunction foo() {\nvar a, b, c;\nvar foo = true;\nvar bar = false;\n}\n\nExamples of correct code for this rule with the { \"initialized\": \"always\", \"uninitialized\": \"never\" } option:\n\n/*eslint one-var: [\"error\", { \"initialized\": \"always\", \"uninitialized\": \"never\" }]*/\n\nfunction foo() {\nvar a;\nvar b;\nvar c;\nvar foo = true,\nbar = false;\n}\n\nfor (let z of foo) {\ndoSomething(z);\n}\n\nlet z;\nfor (z of foo) {\ndoSomething(z);\n}\n\nExamples of incorrect code for this rule with the { \"initialized\": \"never\" } option:\n\n/*eslint one-var: [\"error\", { \"initialized\": \"never\" }]*/\n/*eslint-env es6*/\n\nfunction foo() {\nvar foo = true,\nbar = false;\n}\n\nExamples of correct code for this rule with the { \"initialized\": \"never\" } option:\n\n/*eslint one-var: [\"error\", { \"initialized\": \"never\" }]*/\n\nfunction foo() {\nvar foo = true;\nvar bar = false;\nvar a, b, c; // Uninitialized variables are ignored\n}\n\nExamples of incorrect code for this rule with the { \"initialized\": \"consecutive\", \"uninitialized\": \"never\" } option:\n\n/*eslint one-var: [\"error\", { \"initialized\": \"consecutive\", \"uninitialized\": \"never\" }]*/\n\nfunction foo() {\nvar a = 1;\nvar b = 2;\nvar c,\nd;\nvar e = 3;\nvar f = 4;\n}\n\nExamples of correct code for this rule with the { \"initialized\": \"consecutive\", \"uninitialized\": \"never\" } option:\n\n/*eslint one-var: [\"error\", { \"initialized\": \"consecutive\", \"uninitialized\": \"never\" }]*/\n\nfunction foo() {\nvar a = 1,\nb = 2;\nvar c;\nvar d;\nvar e = 3,\nf = 4;\n}\n\nExamples of incorrect code for this rule with the { \"initialized\": \"consecutive\" } option:\n\n/*eslint one-var: [\"error\", { \"initialized\": \"consecutive\" }]*/\n\nfunction foo() {\nvar a = 1;\nvar b = 2;\n\nfoo();\n\nvar c = 3;\nvar d = 4;\n}\n\nExamples of correct code for this rule with the { \"initialized\": \"consecutive\" } option:\n\n/*eslint one-var: [\"error\", { \"initialized\": \"consecutive\" }]*/\n\nfunction foo() {\nvar a = 1,\nb = 2;\n\nfoo();\n\nvar c = 3,\nd = 4;\n}\n\nCompatibility\n\n• JSHint: This rule maps to the onevar JSHint rule, but allows let and const to be configured separately.\n• JSCS: This rule roughly maps to disallowMultipleVarDecl.\n• JSCS: This rule option separateRequires roughly maps to requireMultipleVarDecl.\n\nVersion\n\nThis rule was introduced in ESLint 0.0.9." ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.59115773,"math_prob":0.94926393,"size":10467,"snap":"2022-05-2022-21","text_gpt3_token_len":2806,"char_repetition_ratio":0.1830259,"word_repetition_ratio":0.56006867,"special_character_ratio":0.30323875,"punctuation_ratio":0.20682523,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.950363,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-01-19T04:08:57Z\",\"WARC-Record-ID\":\"<urn:uuid:c730530e-cdc9-4ad1-b6ac-160aeeaf419e>\",\"Content-Length\":\"41553\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:020d7341-7a01-4b75-a670-7014fd350899>\",\"WARC-Concurrent-To\":\"<urn:uuid:ed23ae80-3d00-409d-a67e-92e38f0dfc7b>\",\"WARC-IP-Address\":\"34.196.254.27\",\"WARC-Target-URI\":\"https://eslint.org/docs/rules/one-var.html\",\"WARC-Payload-Digest\":\"sha1:PBPIHMO5GUUS4TI7ZJ4XVO4Z2GIRTI6V\",\"WARC-Block-Digest\":\"sha1:YJDOOZY3W757YE52WE3WJFENWJDEBESW\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-05/CC-MAIN-2022-05_segments_1642320301263.50_warc_CC-MAIN-20220119033421-20220119063421-00381.warc.gz\"}"}
https://arelarsiv.arel.edu.tr/xmlui/handle/20.500.12294/1671/browse?value=Meslek+Y%C3%BCksekokulu%2C+Optisyenlik+Program%C4%B1&type=department
[ "Now showing items 1-20 of 33\n\n• #### Amplitude analysis of the chi(c1) -> eta pi(+)pi(-) decays \n\n(Amer Physical Soc., 2017)\nUsing 448.0 x 10(6) psi(3686) events collected with the BESIII detector, an amplitude analysis is performed for psi(3686) -> gamma chi(c1), chi(c1) ->eta pi(+)pi(-) decays. The most dominant two- body structure observed ...\n• #### Amplitude Analysis of the Decays eta ' -> pi(+)pi(-)pi(0) and eta' -> pi(0)pi(0)pi(0) \n\n(Amer Physic Soc., 2017)\nBased on a sample of 1.31 x 10(9) J/Psi events collected with the BESIII detector, an amplitude analysis of the isospin-violating decays eta' -> pi(+)pi(-)pi(0) and eta' -> pi(0)pi(0)pi(0) is performed. A significant P-wave ...\n• #### Analysis of D+ -> (K)over-bar(0)e(+)nu(e) and D+ -> pi(0)e(+)nu(e) semileptonic decays \n\n(Amer Physical Soc., 2017)\nUsing 2.93 fb(-1) of data taken at 3.773 GeV with the BESIII detector operated at the BEPCII collider, we study the semileptonic decays D+ -> (K) over bar (0)e(+)nu(e) and D+ -> pi(0)e(+)nu(e). We measure the absolute decay ...\n• #### Branching fraction measurement of J=Psi -> KSKL and search for J=Psi -> KSKS \n\n(Amer Physical Soc., 2017)\nUsing a sample of 1.31 x 10(9) J/Psi events collected with the BESIII detector at the BEPCII collider, we study the decays of J/Psi -> KSKL and KSKS. The branching fraction of J/Psi -> KSKL is determined to be B(J/Psi -> ...\n• #### Dark photon search in the mass range between 1.5 and 3.4 GeV/c \n\n(Elsevier Science, 2017)\nUsing a data set of 2.93 fb taken at a center-of-mass energy root s = 3.773 GeV with the BESIII detector at the BEPCII collider, we perform a search for an extra U(1) gauge boson, also denoted as a dark photon. We examine ...\n• #### Determination of the number of J/psi events with inclusive J/psi decays \n\n(Chinese Physical, 2017)\nA measurement of the number of J/psi events collected with the BESIII detector in 2009 and 2012 is performed using inclusive decays of the J/psi. The number of J/psi events taken in 2009 is recalculated to be (223.7 +/- ...\n• #### Determination of the Spin and Parity of the Z(c)(3900) \n\n(Amer Physic Soc., 2017)\nThe spin and parity of the Z(c)(3900)(+/-) state are determined to be J(P) = 1(+) with a statistical significance larger than 7 sigma over other quantum numbers in a partial wave analysis of the process e(+)e(-) -> pi(+)pi(-) ...\n• #### Evaluation of Superconducting Features and Gap Coefficients for Electron-Phonon Couplings Properties of Mgb2 with Multi-Walled Carbon Nanotube Addition \n\nIn this study, the samples are prepared by solid state reaction method at different weight ratios (0-4%). The characterization of materials produced is conducted with the aid of powder X-ray diffraction (XRD), temperatur ...\n• #### Evidence for e(+)e(-) -> gamma eta(c)(1S) at center-of-mass energies between 4.01 and 4.60 GeV \n\n(Amer Physical Soc., 2017)\nWe present first evidence for the process e(+)e(-) -> gamma eta(c)(1S) at six center-of-mass energies between 4.01 and 4.60 GeV using data collected by the BESIII experiment operating at BEPCII. We measure the Born cross ...\n• #### Evidence of Two Resonant Structures in e(+)e(-)->pi(+) pi(-) h(c) \n\n(Amer Physic Soc., 2017)\nThe cross sections of e(+)e(-) -> pi(+) pi(-) hc at center-of-mass energies from 3.896 to 4.600 GeVare measured using data samples collected with the BESIII detector operating at the Beijing Electron Positron Collider. The ...\n• #### Improved measurement of the absolute branching fraction of D+ -> (K)over-bar(0)mu(+)nu(mu) \n\n(Springer, 2016)\nBy analyzing 2.93 fb(-1) of data collected at root s = 3.773 GeV with the BESIII detector, we measure the absolute branching fraction B(D+ -> (K) over bar (0) (+)(mu)nu(mu)) = (8.72 +/- 0.07(stat). +/- 0.18(sys).) %, which ...\n• #### Improved measurements of two-photon widths of the chi(cJ) states and helicity analysis for chi(c2) -> gamma gamma \n\n(Amer Physical Soc., 2017)\nBased on 448.1 x 10(6) Psi(3686) events collected with the BESIII detector, the decays Psi(3686) -> gamma chi(cJ), chi(cJ) -> gamma gamma(J = 0, 1, 2) are studied. The decay branching fractions of chi(c0,2) -> gamma gamma ...\n• #### Investigation of Microhardness Properties of the Multi-Walled Carbon Nanotube Additive Mgb2 Structure By Using The Vickers Method \n\nIn this study, the effect of multi-walled carbon nanotube doping to MgB2 compound on microhardness properties of MgB2 was investigated by using solid-state reaction method. The amount of multi-walled carbon nanotubes was ...\n• #### Luminosity measurements for the R scan experiment at BESIII \n\n(Chinese Physical, 2017)\nBy analyzing the large-angle Bhabha scattering events e(+)e(-) -> (gamma)e(+)e(-) and diphoton events e(+)e(-) -> (gamma)gamma gamma for the data sets collected at center-of-mass (c.m.) energies between 2.2324 and 4.5900 ...\n• #### Measurement of branching fractions for psi(3686) -> gamma eta ', gamma eta, and gamma pi(0) \n\n(Amer Physical Soc., 2017)\nUsing a data sample of 448 x 10(6) psi(3686) events collected with the BESIII detector operating at the BEPCII storage ring, the decays psi(3686) -> gamma eta and psi(3686) -> gamma pi(0) are observed with a statistical ...\n• #### Measurement of cross sections of the interactions e(+)e(-) -> phi phi omega and e(+)e(-) -> phi phi phi at center-of-mass energies from 4.008 to 4.600 GeV \n\n(Elsevier Science, 2017)\nUsing data samples collected with the BESIII detector at the BEPCII collider at six center-of-mass energies between 4.008 and 4.600 GeV, we observe the processes e(+)e(-) -> phi phi omega and e(-)e(-) -> phi phi phi. The ...\n• #### Measurement of integrated luminosity and center-of-mass energy of data taken by BESIII at root s=2.125 GeV \n\n(Chinese Physical, 2017)\nTo study the nature of the state Y (2175), a dedicated data set of e(+)e(-) collision data was collected at the center-of-mass energy of 2.125 GeV with the BESIII detector at the BEPCII collider. By analyzing large-angle ...\n• #### Measurement of the Absolute Branching Fraction for Lambda(+)(c) -> Lambda e(+)nu(e) \n\n(Amer Physical Soc., 2015)\nWe report the first measurement of the absolute branching fraction for Lambda(+)(c) -> Lambda e(+)nu(e). This measurement is based on 567 pb(-1) of e(+)e(-) annihilation data produced at root s = 4.599 GeV, which is just ...\n• #### Measurement of the absolute branching fraction for Lambda(+)(c) -> Lambda mu(+)nu(mu) \n\n(Elsevier Science, 2017)\nWe report the first measurement of the absolute branching fraction for Lambda(+)(c) -> Lambda mu(+)nu(mu).This measurement is based on a sample of e+e(-) annihilation data produced at a center-of-mass energy root s = 4.6 ...\n• #### Measurement of the leptonic decay width of J/psi using initial state radiation \n\n(Elsevier, 2016)\nUsing a data set of 2.93 fb(-1) taken at a center-of-mass energy of root s = 3.773 GeV with the BESIII detector at the BEPCII collider, we measure the process e(+) e(-) -> J/psi gamma -> mu(+)mu(-)gamma and determine the ..." ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.78419906,"math_prob":0.9442139,"size":6954,"snap":"2023-40-2023-50","text_gpt3_token_len":2049,"char_repetition_ratio":0.13410072,"word_repetition_ratio":0.14613971,"special_character_ratio":0.31276962,"punctuation_ratio":0.12034384,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9803384,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-09-27T16:16:50Z\",\"WARC-Record-ID\":\"<urn:uuid:b257dee8-be97-412e-a700-cbd3cb22c124>\",\"Content-Length\":\"71323\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:1c9d9c68-d2f5-463e-aa87-8d59d9e1e91a>\",\"WARC-Concurrent-To\":\"<urn:uuid:ccb34ad8-723d-438e-9169-b2a2395cf210>\",\"WARC-IP-Address\":\"193.255.56.228\",\"WARC-Target-URI\":\"https://arelarsiv.arel.edu.tr/xmlui/handle/20.500.12294/1671/browse?value=Meslek+Y%C3%BCksekokulu%2C+Optisyenlik+Program%C4%B1&type=department\",\"WARC-Payload-Digest\":\"sha1:3ECXXHRWK7UTW7WDF6Y5YBINV4UBIXKF\",\"WARC-Block-Digest\":\"sha1:OBVCO6ECBDRNPPE7T2JBIYIU5F64KTQD\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-40/CC-MAIN-2023-40_segments_1695233510300.41_warc_CC-MAIN-20230927135227-20230927165227-00656.warc.gz\"}"}
https://apprize.best/programming/ocaml/4.html
[ " Lists and Patterns - Language Concepts - Real World OCaml (2013)\n\n# Real World OCaml (2013)\n\n### Chapter 3. Lists and Patterns\n\nThis chapter will focus on two common elements of programming in OCaml: lists and pattern matching. Both of these were discussed in Chapter 1, but we’ll go into more depth here, presenting the two topics together and using one to help illustrate the other.\n\nList Basics\n\nAn OCaml list is an immutable, finite sequence of elements of the same type. As we’ve seen, OCaml lists can be generated using a bracket-and-semicolon notation:\n\nOCaml utop\n\n# [1;2;3];;\n\n- : int list = [1; 2; 3]\n\nAnd they can also be generated using the equivalent :: notation:\n\nOCaml utop (part 1)\n\n# 1 :: (2 :: (3 :: [])) ;;\n\n- : int list = [1; 2; 3]\n\n# 1 :: 2 :: 3 :: [] ;;\n\n- : int list = [1; 2; 3]\n\nAs you can see, the :: operator is right-associative, which means that we can build up lists without parentheses. The empty list [] is used to terminate a list. Note that the empty list is polymorphic, meaning it can be used with elements of any type, as you can see here:\n\nOCaml utop (part 2)\n\n# letempty = [];;\n\nval empty : 'a list = []\n\n# 3 :: empty;;\n\n- : int list = \n\n# \"three\" :: empty;;\n\n- : string list = [\"three\"]\n\nThe way in which the :: operator attaches elements to the front of a list reflects the fact that OCaml’s lists are in fact singly linked lists. The figure below is a rough graphical representation of how the list 1 :: 2 :: 3 :: [] is laid out as a data structure. The final arrow (from the box containing 3) points to the empty list.\n\nDiagram", null, "Each :: essentially adds a new block to the proceding picture. Such a block contains two things: a reference to the data in that list element, and a reference to the remainder of the list. This is why :: can extend a list without modifying it; extension allocates a new list element but change any of the existing ones, as you can see:\n\nOCaml utop (part 3)\n\n# letl = 1 :: 2 :: 3 :: [];;\n\nval l : int list = [1; 2; 3]\n\n# letm = 0 :: l;;\n\nval m : int list = [0; 1; 2; 3]\n\n# l;;\n\n- : int list = [1; 2; 3]\n\nUsing Patterns to Extract Data from a List\n\nWe can read data out of a list using a match statement. Here’s a simple example of a recursive function that computes the sum of all elements of a list:\n\nOCaml utop (part 4)\n\n# letrecsuml =\n\nmatchlwith\n\n| [] -> 0\n\n| hd :: tl -> hd + sumtl\n\n;;\n\nval sum : int list -> int = <fun>\n\n# sum [1;2;3];;\n\n- : int = 6\n\n# sum[];;\n\n- : int = 0\n\nThis code follows the convention of using hd to represent the first element (or head) of the list, and tl to represent the remainder (or tail).\n\nThe match statement in sum is really doing two things: first, it’s acting as a case-analysis tool, breaking down the possibilities into a pattern-indexed list of cases. Second, it lets you name substructures within the data structure being matched. In this case, the variables hd and tl are bound by the pattern that defines the second case of the match statement. Variables that are bound in this way can be used in the expression to the right of the arrow for the pattern in question.\n\nThe fact that match statements can be used to bind new variables can be a source of confusion. To see how, imagine we wanted to write a function that filtered out from a list all elements equal to a particular value. You might be tempted to write that code as follows, but when you do, the compiler will immediately warn you that something is wrong:\n\nOCaml utop (part 5)\n\n# letrecdrop_valuelto_drop =\n\nmatchlwith\n\n| [] -> []\n\n| to_drop :: tl -> drop_valuetlto_drop\n\n| hd :: tl -> hd :: drop_valuetlto_drop\n\n;;\n\nCharacters 114-122:\n\nWarning 11: this match case is unused.\n\nval drop_value : 'a list -> 'a -> 'a list = <fun>\n\nMoreover, the function clearly does the wrong thing, filtering out all elements of the list rather than just those equal to the provided value, as you can see here:\n\nOCaml utop (part 6)\n\n# drop_value [1;2;3] 2;;\n\n- : int list = []\n\nSo, what’s going on?\n\nThe key observation is that the appearance of to_drop in the second case doesn’t imply a check that the first element is equal to the value to_drop passed in as an argument to drop_value. Instead, it just causes a new variable to_drop to be bound to whatever happens to be in the first element of the list, shadowing the earlier definition of to_drop. The third case is unused because it is essentially the same pattern as we had in the second case.\n\nA better way to write this code is not to use pattern matching for determining whether the first element is equal to to_drop, but to instead use an ordinary if statement:\n\nOCaml utop (part 7)\n\n# letrecdrop_valuelto_drop =\n\nmatchlwith\n\n| [] -> []\n\n| hd :: tl ->\n\nletnew_tl = drop_valuetlto_dropin\n\nifhd = to_dropthennew_tlelsehd :: new_tl\n\n;;\n\nval drop_value : 'a list -> 'a -> 'a list = <fun>\n\n# drop_value [1;2;3] 2;;\n\n- : int list = [1; 3]\n\nNote that if we wanted to drop a particular literal value (rather than a value that was passed in), we could do this using something like our original implementation of drop_value:\n\nOCaml utop (part 8)\n\n# letrecdrop_zerol =\n\nmatchlwith\n\n| [] -> []\n\n| 0 :: tl -> drop_zerotl\n\n| hd :: tl -> hd :: drop_zerotl\n\n;;\n\nval drop_zero : int list -> int list = <fun>\n\n# drop_zero [1;2;0;3];;\n\n- : int list = [1; 2; 3]\n\nLimitations (and Blessings) of Pattern Matching\n\nThe preceding example highlights an important fact about patterns, which is that they can’t be used to express arbitrary conditions. Patterns can characterize the layout of a data structure and can even include literals, as in the drop_zero example, but that’s where they stop. A pattern can check if a list has two elements, but it can’t check if the first two elements are equal to each other.\n\nYou can think of patterns as a specialized sublanguage that can express a limited (though still quite rich) set of conditions. The fact that the pattern language is limited turns out to be a very good thing, making it possible to build better support for patterns in the compiler. In particular, both the efficiency of match statements and the ability of the compiler to detect errors in matches depend on the constrained nature of patterns.\n\nPerformance\n\nNaively, you might think that it would be necessary to check each case in a match in sequence to figure out which one fires. If the cases of a match were guarded by arbitrary code, that would be the case. But OCaml is often able to generate machine code that jumps directly to the matched case based on an efficiently chosen set of runtime checks.\n\nAs an example, consider the following rather silly functions for incrementing an integer by one. The first is implemented with a match statement, and the second with a sequence of if statements:\n\nOCaml utop (part 9)\n\n# letplus_one_matchx =\n\nmatchxwith\n\n| 0 -> 1\n\n| 1 -> 2\n\n| 2 -> 3\n\n| _ -> x + 1\n\nletplus_one_ifx =\n\nif x = 0then1\n\nelseifx = 1then2\n\nelseifx = 2then3\n\nelsex + 1\n\n;;\n\nval plus_one_match : int -> int = <fun>\n\nval plus_one_if : int -> int = <fun>\n\nNote the use of _ in the above match. This is a wildcard pattern that matches any value, but without binding a variable name to the value in question.\n\nIf you benchmark these functions, you’ll see that plus_one_if is considerably slower than plus_one_match, and the advantage gets larger as the number of cases increases. Here, we’ll benchmark these functions using the core_bench library, which can be installed by running opam install core_bench from the command line:\n\nOCaml utop (part 10)\n\n# #require\"core_bench\";;\n\n# openCore_bench.Std;;\n\n# letrun_benchtests =\n\nBench.bench\n\n~ascii_table:true\n\n~display:Textutils.Ascii_table.Display.column_titles\n\ntests\n\n;;\n\nval run_bench : Bench.Test.t list -> unit = <fun>\n\n# [ Bench.Test.create ~name:\"plus_one_match\" (fun() ->\n\nignore (plus_one_match10))\n\n; Bench.Test.create ~name:\"plus_one_if\" (fun() ->\n\nignore (plus_one_if10)) ]\n\n|> run_bench\n\n;;\n\nEstimated testing time 20s (change using -quota SECS).\n\nName Time (ns) % of max\n\n---------------- ----------- ----------\n\nplus_one_match 46.81 68.21\n\nplus_one_if 68.63 100.00\n\n- : unit = ()\n\nHere’s another, less artificial example. We can rewrite the sum function we described earlier in the chapter using an if statement rather than a match. We can then use the functions is_empty, hd_exn, and tl_exn from the List module to deconstruct the list, allowing us to implement the entire function without pattern matching:\n\nOCaml utop (part 11)\n\n# letrecsum_ifl =\n\nifList.is_emptylthen0\n\nelseList.hd_exnl + sum_if (List.tl_exnl)\n\n;;\n\nval sum_if : int list -> int = <fun>\n\nAgain, we can benchmark these to see the difference:\n\nOCaml utop (part 12)\n\n# letnumbers = List.range01000in\n\n[ Bench.Test.create ~name:\"sum_if\" (fun() -> ignore (sum_ifnumbers))\n\n; Bench.Test.create ~name:\"sum\" (fun() -> ignore (sumnumbers)) ]\n\n|> run_bench\n\n;;\n\nEstimated testing time 20s (change using -quota SECS).\n\nName Time (ns) % of max\n\n-------- ----------- ----------\n\nsum_if 110_535 100.00\n\nsum 22_361 20.23\n\n- : unit = ()\n\nIn this case, the match-based implementation is many times faster than the if-based implementation. The difference comes because we need to effectively do the same work multiple times, since each function we call has to reexamine the first element of the list to determine whether or not it’s the empty cell. With a match statement, this work happens exactly once per list element.\n\nGenerally, pattern matching is more efficient than the alternatives you might code by hand. One notable exception is matches over strings, which are in fact tested sequentially, so matches containing a long sequence of strings can be outperformed by a hash table. But most of the time, pattern matching is a clear performance win.\n\nDetecting Errors\n\nThe error-detecting capabilities of match statements are if anything more important than their performance. We’ve already seen one example of OCaml’s ability to find problems in a pattern match: in our broken implementation of drop_value, OCaml warned us that the final case was redundant. There are no algorithms for determining if a predicate written in a general-purpose language is redundant, but it can be solved reliably in the context of patterns.\n\nOCaml also checks match statements for exhaustiveness. Consider what happens if we modify drop_zero by deleting the handler for one of the cases. As you can see, the compiler will produce a warning that we’ve missed a case, along with an example of an unmatched pattern:\n\nOCaml utop (part 13)\n\n# letrecdrop_zerol =\n\nmatchlwith\n\n| [] -> []\n\n| 0 :: tl -> drop_zerotl\n\n;;\n\nCharacters 26-84:\n\nWarning 8: this pattern-matching is not exhaustive.\n\nHere is an example of a value that is not matched:\n\n1::_\n\nval drop_zero : int list -> 'a list = <fun>\n\nEven for simple examples like this, exhaustiveness checks are pretty useful. But as we’ll see in Chapter 6, they become yet more valuable as you get to more complicated examples, especially those involving user-defined types. In addition to catching outright errors, they act as a sort of refactoring tool, guiding you to the locations where you need to adapt your code to deal with changing types.\n\nUsing the List Module Effectively\n\nWe’ve so far written a fair amount of list-munging code using pattern matching and recursive functions. But in real life, you’re usually better off using the List module, which is full of reusable functions that abstract out common patterns for computing with lists.\n\nLet’s work through a concrete example to see this in action. We’ll write a function render_table that, given a list of column headers and a list of rows, prints them out in a well-formatted text table, as follows:\n\nOCaml utop (part 69)\n\n# printf\"%s\\n\"\n\n(render_table\n\n[\"language\";\"architect\";\"first release\"]\n\n[ [\"Lisp\" ;\"John McCarthy\" ;\"1958\"] ;\n\n[\"C\" ;\"Dennis Ritchie\";\"1969\"] ;\n\n[\"ML\" ;\"Robin Milner\" ;\"1973\"] ;\n\n[\"OCaml\";\"Xavier Leroy\" ;\"1996\"] ;\n\n]);;\n\n| language | architect | first release |\n\n|----------+----------------+---------------|\n\n| Lisp | John McCarthy | 1958 |\n\n| C | Dennis Ritchie | 1969 |\n\n| ML | Robin Milner | 1973 |\n\n| OCaml | Xavier Leroy | 1996 |\n\n- : unit = ()\n\nThe first step is to write a function to compute the maximum width of each column of data. We can do this by converting the header and each row into a list of integer lengths, and then taking the element-wise max of those lists of lengths. Writing the code for all of this directly would be a bit of a chore, but we can do it quite concisely by making use of three functions from the List module: map, map2_exn, and fold.\n\nList.map is the simplest to explain. It takes a list and a function for transforming elements of that list, and returns a new list with the transformed elements. Thus, we can write:\n\nOCaml utop (part 14)\n\n# List.map ~f:String.length [\"Hello\"; \"World!\"];;\n\n- : int list = [5; 6]\n\nList.map2_exn is similar to List.map, except that it takes two lists and a function for combining them. Thus, we might write:\n\nOCaml utop (part 15)\n\n# List.map2_exn ~f:Int.max [1;2;3] [3;2;1];;\n\n- : int list = [3; 2; 3]\n\nThe _exn is there because the function throws an exception if the lists are of mismatched length:\n\nOCaml utop (part 16)\n\n# List.map2_exn ~f:Int.max [1;2;3] [3;2;1;0];;\n\nException: (Invalid_argument \"length mismatch in rev_map2_exn: 3 <> 4 \").\n\nList.fold is the most complicated of the three, taking three arguments: a list to process, an initial accumulator value, and a function for updating the accumulator. List.fold walks over the list from left to right, updating the accumulator at each step and returning the final value of the accumulator when it’s done. You can see some of this by looking at the type-signature for fold:\n\nOCaml utop (part 17)\n\n# List.fold;;\n\n- : 'a list -> init:'accum -> f:('accum -> 'a -> 'accum) -> 'accum = <fun>\n\nWe can use List.fold for something as simple as summing up a list:\n\nOCaml utop (part 18)\n\n# List.fold ~init:0 ~f:(+) [1;2;3;4];;\n\n- : int = 10\n\nThis example is particularly simple because the accumulator and the list elements are of the same type. But fold is not limited to such cases. We can for example use fold to reverse a list, in which case the accumulator is itself a list:\n\nOCaml utop (part 19)\n\n# List.fold ~init:[] ~f:(funlistx -> x :: list) [1;2;3;4];;\n\n- : int list = [4; 3; 2; 1]\n\nLet’s bring our three functions together to compute the maximum column widths:\n\nOCaml utop (part 20)\n\nletlengthsl = List.map ~f:String.lengthlin\n\nList.foldrows\n\n~f:(funaccrow ->\n\nList.map2_exn ~f:Int.maxacc (lengthsrow))\n\n;;\n\nval max_widths : string list -> string list list -> int list = <fun>\n\nUsing List.map we define the function lengths, which converts a list of strings to a list of integer lengths. List.fold is then used to iterate over the rows, using map2_exn to take the max of the accumulator with the lengths of the strings in each row of the table, with the accumulator initialized to the lengths of the header row.\n\nNow that we know how to compute column widths, we can write the code to generate the line that separates the header from the rest of the text table. We’ll do this in part by mapping String.make over the lengths of the columns to generate a string of dashes of the appropriate length. We’ll then join these sequences of dashes together using String.concat, which concatenates a list of strings with an optional separator string, and ^, which is a pairwise string concatenation function, to add the delimiters on the outside:\n\nOCaml utop (part 21)\n\n# letrender_separatorwidths =\n\nletpieces = List.mapwidths\n\n~f:(funw -> String.make (w + 2) '-')\n\nin\n\n\"|\" ^ String.concat ~sep:\"+\"pieces ^ \"|\"\n\n;;\n\nval render_separator : int list -> string = <fun>\n\n# render_separator [3;6;2];;\n\n- : string = \"|-----+--------+----|\"\n\nNote that we make the line of dashes two larger than the provided width to provide some whitespace around each entry in the table.\n\nPERFORMANCE OF STRING.CONCAT AND ^\n\nIn the preceding code we’ve concatenated strings two different ways: String.concat, which operates on lists of strings; and ^, which is a pairwise operator. You should avoid ^ for joining long numbers of strings, since it allocates a new string every time it runs. Thus, the following code\n\nOCaml utop (part 22)\n\n# lets = \".\" ^ \".\" ^ \".\" ^ \".\" ^ \".\" ^ \".\" ^ \".\";;\n\nval s : string = \".......\"\n\nwill allocate strings of length 2, 3, 4, 5, 6 and 7, whereas this code\n\nOCaml utop (part 23)\n\n# lets = String.concat [\".\";\".\";\".\";\".\";\".\";\".\";\".\"];;\n\nval s : string = \".......\"\n\nallocates one string of size 7, as well as a list of length 7. At these small sizes, the differences don’t amount to much, but for assembling large strings, it can be a serious performance issue.\n\nNow we need code for rendering a row with data in it. We’ll first write a function called pad, for padding out a string to a specified length plus one blank space on both sides:\n\nOCaml utop (part 24)\n\n\" \" ^ s ^ String.make (length - String.lengths + 1) ' '\n\n;;\n\nval pad : string -> int -> string = <fun>\n\n- : string = \" hello \"\n\nWe can render a row of data by merging together the padded strings. Again, we’ll use List.map2_exn for combining the list of data in the row with the list of widths:\n\nOCaml utop (part 25)\n\n# letrender_rowrowwidths =\n\n\"|\" ^ String.concat ~sep:\"|\"padded ^ \"|\"\n\n;;\n\nval render_row : string list -> int list -> string = <fun>\n\n# render_row [\"Hello\";\"World\"] [10;15];;\n\n- : string = \"| Hello | World |\"\n\nNow we can bring this all together in a single function that renders the table:\n\nOCaml utop (part 26)\n\nString.concat ~sep:\"\\n\"\n\n:: render_separatorwidths\n\n:: List.maprows ~f:(funrow -> render_rowrowwidths)\n\n)\n\n;;\n\nval render_table : string list -> string list list -> string = <fun>\n\nMore Useful List Functions\n\nThe previous example we worked through touched on only three of the functions in List. We won’t cover the entire interface (for that you should look at the online docs), but a few more functions are useful enough to mention here.\n\nCombining list elements with List.reduce\n\nList.fold, which we described earlier, is a very general and powerful function. Sometimes, however, you want something simpler and easier to use. One such function is List.reduce, which is essentially a specialized version of List.fold that doesn’t require an explicit starting value, and whose accumulator has to consume and produce values of the same type as the elements of the list it applies to.\n\nHere’s the type signature:\n\nOCaml utop (part 27)\n\n# List.reduce;;\n\n- : 'a list -> f:('a -> 'a -> 'a) -> 'a option = <fun>\n\nreduce returns an optional result, returning None when the input list is empty.\n\nNow we can see reduce in action:\n\nOCaml utop (part 28)\n\n# List.reduce ~f:(+) [1;2;3;4;5];;\n\n- : int option = Some 15\n\n# List.reduce ~f:(+) [];;\n\n- : int option = None\n\nFiltering with List.filter and List.filter_map\n\nVery often when processing lists, you wants to restrict your attention to a subset of the values on your list. The List.filter function is one way of doing that:\n\nOCaml utop (part 29)\n\n# List.filter ~f:(funx -> x mod 2 = 0) [1;2;3;4;5];;\n\n- : int list = [2; 4]\n\nNote that the mod used above is an infix operator, as described in Chapter 2.\n\nSometimes, you want to both transform and filter as part of the same computation. In that case, List.filter_map is what you need. The function passed to List.filter_map returns an optional value, and List.filter_map drops all elements for which None is returned.\n\nHere’s an example. The following expression computes the list of file extensions in the current directory, piping the results through List.dedup to remove duplicates. Note that this example also uses some functions from other modules, including Sys.ls_dir to get a directory listing, andString.rsplit2 to split a string on the rightmost appearance of a given character:\n\nOCaml utop (part 30)\n\n# List.filter_map (Sys.ls_dir\".\") ~f:(funfname ->\n\nmatchString.rsplit2 ~on:'.'fnamewith\n\n| None | Some (\"\",_) -> None\n\n| Some (_,ext) ->\n\nSomeext)\n\n|> List.dedup\n\n;;\n\n- : string list = [\"ascii\"; \"ml\"; \"mli\"; \"topscript\"]\n\nThe preceding code is also an example of an Or pattern, which allows you to have multiple subpatterns within a larger pattern. In this case, None | Some (\"\",_) is an Or pattern. As we’ll see later, Or patterns can be nested anywhere within larger patterns.\n\nPartitioning with List.partition_tf\n\nAnother useful operation that’s closely related to filtering is partitioning. The function List.partition_tf takes a list and a function for computing a Boolean condition on the list elements, and returns two lists. The tf in the name is a mnemonic to remind the user that true elements go to the first list and false ones go to the second. Here’s an example:\n\nOCaml utop (part 31)\n\n# letis_ocaml_sources =\n\nmatchString.rsplit2s ~on:'.'with\n\n| Some (_,(\"ml\"|\"mli\")) -> true\n\n| _ -> false\n\n;;\n\nval is_ocaml_source : string -> bool = <fun>\n\n# let (ml_files,other_files) =\n\nList.partition_tf (Sys.ls_dir\".\") ~f:is_ocaml_source;;\n\nval ml_files : string list = [\"example.mli\"; \"example.ml\"]\n\nval other_files : string list = [\"main.topscript\"; \"lists_layout.ascii\"]\n\nCombining lists\n\nAnother very common operation on lists is concatenation. The list module actually comes with a few different ways of doing this. First, there’s List.append, for concatenating a pair of lists:\n\nOCaml utop (part 32)\n\n# List.append [1;2;3] [4;5;6];;\n\n- : int list = [1; 2; 3; 4; 5; 6]\n\nThere’s also @, an operator equivalent of List.append:\n\nOCaml utop (part 33)\n\n# [1;2;3] @ [4;5;6];;\n\n- : int list = [1; 2; 3; 4; 5; 6]\n\nIn addition, there is List.concat, for concatenating a list of lists:\n\nOCaml utop (part 34)\n\n# List.concat [[1;2];[3;4;5];;[]];;\n\n- : int list = [1; 2; 3; 4; 5; 6]\n\nHere’s an example of using List.concat along with List.map to compute a recursive listing of a directory tree:\n\nOCaml utop (part 35)\n\n# letrecls_recs =\n\nthen [s]\n\nelse\n\nSys.ls_dirs\n\n|> List.map ~f:(funsub -> ls_rec (s ^/ sub))\n\n|> List.concat\n\n;;\n\nval ls_rec : string -> string list = <fun>\n\nNote that ^/ is an infix operator provided by Core for adding a new element to a string representing a file path. It is equivalent to Core’s Filename.concat.\n\nThe preceding combination of List.map and List.concat is common enough that there is a function List.concat_map that combines these into one, more efficient operation:\n\nOCaml utop (part 36)\n\n# letrecls_recs =\n\nthen [s]\n\nelse\n\nSys.ls_dirs\n\n|> List.concat_map ~f:(funsub -> ls_rec (s ^/ sub))\n\n;;\n\nval ls_rec : string -> string list = <fun>\n\nTail Recursion\n\nThe only way to compute the length of an OCaml list is to walk the list from beginning to end. As a result, computing the length of a list takes time linear in the size of the list. Here’s a simple function for doing so:\n\nOCaml utop (part 37)\n\n# letreclength = function\n\n| [] -> 0\n\n| _ :: tl -> 1 + lengthtl\n\n;;\n\nval length : 'a list -> int = <fun>\n\n# length [1;2;3];;\n\n- : int = 3\n\nThis looks simple enough, but you’ll discover that this implementation runs into problems on very large lists, as we’ll show in the following code:\n\nOCaml utop (part 38)\n\n# letmake_listn = List.initn ~f:(funx -> x);;\n\nval make_list : int -> int list = <fun>\n\n# length (make_list10);;\n\n- : int = 10\n\n# length (make_list10_000_000);;\n\nStack overflow during evaluation (looping recursion?).\n\nThe preceding example creates lists using List.init, which takes an integer n and a function f and creates a list of length n, where the data for each element is created by calling f on the index of that element.\n\nTo understand where the error in the above example comes from, you need to learn a bit more about how function calls work. Typically, a function call needs some space to keep track of information associated with the call, such as the arguments passed to the function, or the location of the code that needs to start executing when the function call is complete. To allow for nested function calls, this information is typically organized in a stack, where a new stack frame is allocated for each nested function call, and then deallocated when the function call is complete.\n\nAnd that’s the problem with our call to length: it tried to allocate 10 million stack frames, which exhausted the available stack space. Happily, there’s a way around this problem. Consider the following alternative implementation:\n\nOCaml utop (part 39)\n\n# letreclength_plus_nln =\n\nmatchlwith\n\n| [] -> n\n\n| _ :: tl -> length_plus_ntl (n + 1)\n\n;;\n\nval length_plus_n : 'a list -> int -> int = <fun>\n\n# letlengthl = length_plus_nl0 ;;\n\nval length : 'a list -> int = <fun>\n\n# length [1;2;3;4];;\n\n- : int = 4\n\nThis implementation depends on a helper function, length_plus_n, that computes the length of a given list plus a given n. In practice, n acts as an accumulator in which the answer is built up, step by step. As a result, we can do the additions along the way rather than doing them as we unwind the nested sequence of function calls, as we did in our first implementation of length.\n\nThe advantage of this approach is that the recursive call in length_plus_n is a tail call. We’ll explain more precisely what it means to be a tail call shortly, but the reason it’s important is that tail calls don’t require the allocation of a new stack frame, due to what is called the tail-call optimization. A recursive function is said to be tail recursive if all of its recursive calls are tail calls. length_plus_n is indeed tail recursive, and as a result, length can take a long list as input without blowing the stack:\n\nOCaml utop (part 40)\n\n# length (make_list10_000_000);;\n\n- : int = 10000000\n\nSo when is a call a tail call? Let’s think about the situation where one function (the caller) invokes another (the callee). The invocation is considered a tail call when the caller doesn’t do anything with the value returned by the callee except to return it. The tail-call optimization makes sense because, when a caller makes a tail call, the caller’s stack frame need never be used again, and so you don’t need to keep it around. Thus, instead of allocating a new stack frame for the callee, the compiler is free to reuse the caller’s stack frame.\n\nTail recursion is important for more than just lists. Ordinary nontail recursive calls are reasonable when dealing with data structures like binary trees, where the depth of the tree is logarithmic in the size of your data. But when dealing with situations where the depth of the sequence of nested calls is on the order of the size of your data, tail recursion is usually the right approach.\n\nTerser and Faster Patterns\n\nNow that we know more about how lists and patterns work, let’s consider how we can improve on an example from Recursive list functions: the function destutter, which removes sequential duplicates from a list. Here’s the implementation that was described earlier:\n\nOCaml utop (part 41)\n\n# letrecdestutterlist =\n\nmatchlistwith\n\n| [] -> []\n\n| [hd] -> [hd]\n\n| hd :: hd' :: tl ->\n\nifhd = hd'thendestutter (hd' :: tl)\n\nelsehd :: destutter (hd' :: tl)\n\n;;\n\nval destutter : 'a list -> 'a list = <fun>\n\nWe’ll consider some ways of making this code more concise and more efficient.\n\nFirst, let’s consider efficiency. One problem with the destutter code above is that it in some cases re-creates on the righthand side of the arrow a value that already existed on the lefthand side. Thus, the pattern [hd] -> [hd] actually allocates a new list element, when really, it should be able to just return the list being matched. We can reduce allocation here by using an as pattern, which allows us to declare a name for the thing matched by a pattern or subpattern. While we’re at it, we’ll use the function keyword to eliminate the need for an explicit match:\n\nOCaml utop (part 42)\n\n# letrecdestutter = function\n\n| []asl -> l\n\n| [_] asl -> l\n\n| hd :: (hd' :: _ astl) ->\n\nifhd = hd'thendestuttertl\n\nelsehd :: destuttertl\n\n;;\n\nval destutter : 'a list -> 'a list = <fun>\n\nWe can further collapse this by combining the first two cases into one, using an Or pattern:\n\nOCaml utop (part 43)\n\n# letrecdestutter = function\n\n| [] | [_] asl -> l\n\n| hd :: (hd' :: _ astl) ->\n\nifhd = hd'thendestuttertl\n\nelsehd :: destuttertl\n\n;;\n\nval destutter : 'a list -> 'a list = <fun>\n\nWe can make the code slightly terser now by using a when clause. A when clause allows us to add an extra precondition to a pattern in the form of an arbitrary OCaml expression. In this case, we can use it to include the check on whether the first two elements are equal:\n\nOCaml utop (part 44)\n\n# letrecdestutter = function\n\n| [] | [_] asl -> l\n\n| hd :: (hd' :: _ astl) whenhd = hd' -> destuttertl\n\n| hd :: tl -> hd :: destuttertl\n\n;;\n\nval destutter : 'a list -> 'a list = <fun>\n\nPOLYMORPHIC COMPARE\n\nIn the preceding destutter example, we made use of the fact that OCaml lets us test equality between values of any type, using the = operator. Thus, we can write:\n\nOCaml utop (part 45)\n\n# 3 = 4;;\n\n- : bool = false\n\n# [3;4;5] = [3;4;5];;\n\n- : bool = true\n\n# [Some3; None] = [None; Some3];;\n\n- : bool = false\n\nIndeed, if we look at the type of the equality operator, we’ll see that it is polymorphic:\n\nOCaml utop (part 46)\n\n# (=);;\n\n- : 'a -> 'a -> bool = <fun>\n\nOCaml comes with a whole family of polymorphic comparison operators, including the standard infix comparators, <, >=, etc., as well as the function compare that returns -1, 0, or 1 to flag whether the first operand is smaller than, equal to, or greater than the second, respectively.\n\nYou might wonder how you could build functions like these yourself if OCaml didn’t come with them built in. It turns out that you can’t build these functions on your own. OCaml’s polymorphic comparison functions are built into the runtime to a low level. These comparisons are polymorphic on the basis of ignoring almost everything about the types of the values that are being compared, paying attention only to the structure of the values as they’re laid out in memory.\n\nPolymorphic compare does have some limitations. For example, it will fail at runtime if it encounters a function value:\n\nOCaml utop (part 47)\n\n# (funx -> x + 1) = (funx -> x + 1);;\n\nException: (Invalid_argument \"equal: functional value\").\n\nSimilarly, it will fail on values that come from outside the OCaml heap, like values from C bindings. But it will work in a reasonable way for other kinds of values.\n\nFor simple atomic types, polymorphic compare has the semantics you would expect: for floating-point numbers and integers, polymorphic compare corresponds to the expected numerical comparison functions. For strings, it’s a lexicographic comparison.\n\nSometimes, however, the type-ignoring nature of polymorphic compare is a problem, particularly when you have your own notion of equality and ordering that you want to impose. We’ll discuss this issue more, as well as some of the other downsides of polymorphic compare, in Chapter 13.\n\nNote that when clauses have some downsides. As we noted earlier, the static checks associated with pattern matches rely on the fact that patterns are restricted in what they can express. Once we add the ability to add an arbitrary condition to a pattern, something will be lost. In particular, the ability of the compiler to determine if a match is exhaustive, or if some case is redundant, is compromised.\n\nConsider the following function, which takes a list of optional values, and returns the number of those values that are Some. Because this implementation uses when clauses, the compiler can’t tell that the code is exhaustive:\n\nOCaml utop (part 48)\n\n# letreccount_somelist =\n\nmatchlistwith\n\n| [] -> 0\n\n| x :: tlwhenOption.is_nonex -> count_sometl\n\n| x :: tlwhenOption.is_somex -> 1 + count_sometl\n\n;;\n\nCharacters 30-169:\n\nWarning 8: this pattern-matching is not exhaustive.\n\nHere is an example of a value that is not matched:\n\n_::_\n\n(However, some guarded clause may match this value.)\n\nval count_some : 'a option list -> int = <fun>\n\nDespite the warning, the function does work fine:\n\nOCaml utop (part 49)\n\n# count_some [Some3; None; Some4];;\n\n- : int = 2\n\nIf we add another redundant case without a when clause, the compiler will stop complaining about exhaustiveness and won’t produce a warning about the redundancy.\n\nOCaml utop (part 50)\n\n# letreccount_somelist =\n\nmatchlistwith\n\n| [] -> 0\n\n| x :: tlwhenOption.is_nonex -> count_sometl\n\n| x :: tlwhenOption.is_somex -> 1 + count_sometl\n\n| x :: tl -> -1(* unreachable *)\n\n;;\n\nval count_some : 'a option list -> int = <fun>\n\nProbably a better approach is to simply drop the second when clause:\n\nOCaml utop (part 51)\n\n# letreccount_somelist =\n\nmatchlistwith\n\n| [] -> 0\n\n| x :: tlwhenOption.is_nonex -> count_sometl\n\n| _ :: tl -> 1 + count_sometl\n\n;;\n\nval count_some : 'a option list -> int = <fun>\n\nThis is a little less clear, however, than the direct pattern-matching solution, where the meaning of each pattern is clearer on its own:\n\nOCaml utop (part 52)\n\n# letreccount_somelist =\n\nmatchlistwith\n\n| [] -> 0\n\n| None :: tl -> count_sometl\n\n| Some _ :: tl -> 1 + count_sometl\n\n;;\n\nval count_some : 'a option list -> int = <fun>\n\nThe takeaway from all of this is although when clauses can be useful, we should prefer patterns wherever they are sufficient.\n\nAs a side note, the above implementation of count_some is longer than necessary; even worse, it is not tail recursive. In real life, you would probably just use the List.count function from Core:\n\nOCaml utop (part 53)\n\n# letcount_somel = List.count ~f:Option.is_somel;;\n\nval count_some : 'a option list -> int = <fun>\n\n" ]
[ null, "https://apprize.best/programming/ocaml/ocaml.files/image002.jpg", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.8082375,"math_prob":0.8913586,"size":33192,"snap":"2023-14-2023-23","text_gpt3_token_len":8551,"char_repetition_ratio":0.15291671,"word_repetition_ratio":0.095826894,"special_character_ratio":0.27979633,"punctuation_ratio":0.17326431,"nsfw_num_words":1,"has_unicode_error":false,"math_prob_llama3":0.9623299,"pos_list":[0,1,2],"im_url_duplicate_count":[null,1,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-06-03T11:29:45Z\",\"WARC-Record-ID\":\"<urn:uuid:a54fc698-89d5-46f0-af76-abd206932452>\",\"Content-Length\":\"51893\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:89b0c20c-353d-4881-9200-3fe893c1b07b>\",\"WARC-Concurrent-To\":\"<urn:uuid:cd82231b-d814-44a4-aeba-1117d0853fe4>\",\"WARC-IP-Address\":\"31.131.26.27\",\"WARC-Target-URI\":\"https://apprize.best/programming/ocaml/4.html\",\"WARC-Payload-Digest\":\"sha1:GPMFSI3ERO2GSQOGPWD2AEJ74V2EGANH\",\"WARC-Block-Digest\":\"sha1:2JA3JDC5IONMN24QFGWRJQVES6RUBG57\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-23/CC-MAIN-2023-23_segments_1685224649193.79_warc_CC-MAIN-20230603101032-20230603131032-00686.warc.gz\"}"}
http://www.manisheriar.com/holygrail/rightcol-f.htm
[ "This is the left column and it will be this color all the way down no matter which column is longest.\n\nSee the left column as longest\n\nThis is the right column and it will be this color all the way down no matter which column is longest.\n\nThis is an example of the right column as the longest. This is an example of the right column as the longest. This is an example of the right column as the longest.\n\nThis is an example of the right column as the longest. This is an example of the right column as the longest.\n\nThis is an example of the right column as the longest. This is an example of the right column as the longest. This is an example of the right column as the longest. This is an example of the right column as the longest. This is an example of the right column as the longest.\n\nThis is an example of the right column as the longest.\n\nThis is an example of the right column as the longest. This is an example of the right column as the longest.\n\nThis is an example of the right column as the longest.\n\nThis is a three-column layout where the side columns are fixed-width and the center column is liquid. The background, header, main column, left column, right column, and footer are all capable of being different colors (or backgrounds), and it does NOT matter which column is longest.\n\nSee the center column as longest" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.93409985,"math_prob":0.96498126,"size":1290,"snap":"2021-31-2021-39","text_gpt3_token_len":276,"char_repetition_ratio":0.2799378,"word_repetition_ratio":0.73770493,"special_character_ratio":0.21317829,"punctuation_ratio":0.08759124,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9570151,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-08-04T06:06:31Z\",\"WARC-Record-ID\":\"<urn:uuid:e89497b7-236c-4d3d-bd88-e690498b2d75>\",\"Content-Length\":\"3989\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:ba2cbcfc-7bd7-4489-9e17-cc2cfff58223>\",\"WARC-Concurrent-To\":\"<urn:uuid:c8a0a26a-f72d-4dc8-a8be-7ce9cc1ec5c1>\",\"WARC-IP-Address\":\"104.21.4.172\",\"WARC-Target-URI\":\"http://www.manisheriar.com/holygrail/rightcol-f.htm\",\"WARC-Payload-Digest\":\"sha1:XWIFPRFUO5FQNCA45OAGL2PP7G2UCF5O\",\"WARC-Block-Digest\":\"sha1:254FWH6TGEFYQ7FEODVET5Z3MQKTXTSM\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-31/CC-MAIN-2021-31_segments_1627046154796.71_warc_CC-MAIN-20210804045226-20210804075226-00101.warc.gz\"}"}
https://convertoctopus.com/80-7-hours-to-minutes
[ "## Conversion formula\n\nThe conversion factor from hours to minutes is 60, which means that 1 hour is equal to 60 minutes:\n\n1 hr = 60 min\n\nTo convert 80.7 hours into minutes we have to multiply 80.7 by the conversion factor in order to get the time amount from hours to minutes. We can also form a simple proportion to calculate the result:\n\n1 hr → 60 min\n\n80.7 hr → T(min)\n\nSolve the above proportion to obtain the time T in minutes:\n\nT(min) = 80.7 hr × 60 min\n\nT(min) = 4842 min\n\nThe final result is:\n\n80.7 hr → 4842 min\n\nWe conclude that 80.7 hours is equivalent to 4842 minutes:\n\n80.7 hours = 4842 minutes\n\n## Alternative conversion\n\nWe can also convert by utilizing the inverse value of the conversion factor. In this case 1 minute is equal to 0.00020652622883106 × 80.7 hours.\n\nAnother way is saying that 80.7 hours is equal to 1 ÷ 0.00020652622883106 minutes.\n\n## Approximate result\n\nFor practical purposes we can round our final result to an approximate numerical value. We can say that eighty point seven hours is approximately four thousand eight hundred forty-two minutes:\n\n80.7 hr ≅ 4842 min\n\nAn alternative is also that one minute is approximately zero times eighty point seven hours.\n\n## Conversion table\n\n### hours to minutes chart\n\nFor quick reference purposes, below is the conversion table you can use to convert from hours to minutes\n\nhours (hr) minutes (min)\n81.7 hours 4902 minutes\n82.7 hours 4962 minutes\n83.7 hours 5022 minutes\n84.7 hours 5082 minutes\n85.7 hours 5142 minutes\n86.7 hours 5202 minutes\n87.7 hours 5262 minutes\n88.7 hours 5322 minutes\n89.7 hours 5382 minutes\n90.7 hours 5442 minutes" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.81150746,"math_prob":0.9653294,"size":1615,"snap":"2021-43-2021-49","text_gpt3_token_len":436,"char_repetition_ratio":0.22036003,"word_repetition_ratio":0.0,"special_character_ratio":0.32817337,"punctuation_ratio":0.10843374,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9900284,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-10-18T17:58:30Z\",\"WARC-Record-ID\":\"<urn:uuid:93f92adf-ef8e-4f66-9c38-7c80e14f20b7>\",\"Content-Length\":\"31212\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:2a8cf2fb-57c9-4454-be48-e2fcce7c3ee1>\",\"WARC-Concurrent-To\":\"<urn:uuid:580c6f0e-a3a3-453d-8ee7-e8acf436f4dc>\",\"WARC-IP-Address\":\"104.21.83.208\",\"WARC-Target-URI\":\"https://convertoctopus.com/80-7-hours-to-minutes\",\"WARC-Payload-Digest\":\"sha1:4B4DET6D7WICILPOO2UT35G6LYV5G5A5\",\"WARC-Block-Digest\":\"sha1:IVCG7IIOEEO7RQCSKKZFF5HTN7LYVNY6\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-43/CC-MAIN-2021-43_segments_1634323585204.68_warc_CC-MAIN-20211018155442-20211018185442-00694.warc.gz\"}"}
http://tgtransportes.com.br/solubility-test-egd/distance-between-two-lines-in-3d-equation-78593a
[ "The distance between two lines in the plane is the minimum distance between any two points lying on the lines. The first step in computing a distance involving segments and/or rays is to get the closest points for the infinite lines that they lie on. Let their positions at time t = 0 be P0 and Q0; and let their velocity vectors per unit of time be u and v. Then, the equations of motion for these two points are and , which are the familiar parametric equations for the lines. Thus the distance d betw… And, if C = (sC, tC) is outside G, then it can see at most two edges of G. If sC < 0, C can see the s = 0 edge; if sC > 1, C can see the s = 1 edge; and similarly for tC. Consider the edge s = 0, along which . where . Two parallel or two intersecting lines lie on the same plane, i.e., their direction vectors, s 1 and s 2 are coplanar with the vector P 1 P 2 = r 2 - r 1 drawn from the point P 1 , of the first line, to the point P 2 of the second line. Hence EQUATIONS OF LINES AND PLANES IN 3-D 43 Equation of a Line Segment As the last two examples illustrate, we can also –nd the equation of a line if we are given two points instead of a point and a direction vector. In mathematics, a plane is a flat, two-dimensional surface that extends infinitely far. The equation of a line in the plane is given by the equation ax + by + c = 0, where a, b and c are real constants. That means that the two points are moving along two lines in space. The shortest distance between two skew lines (lines which don't intersect) is the distance of the line which is perpendicular to both of them. A similar geometric approach was used by [Teller, 2000], but he used a cross product which restricts his method to 3D space whereas our method works in any dimension. Problems on lines in 3D with detailed solutions are presented. Which of the points A(3 , 4 , 4) , B(0 , 5 , 3) and C(6 , 3 , 7) is on the line with the parametric equations x = 3t + 3, y = - t + 4 and z = 2t + 5? But if one of the tracks is stationary, then the CPA of another moving track is at the base of the perpendicular from the first track to the second's line of motion. We know that slopes of two parallel lines are equal. Putting it all together by testing all candidate edges, we end up with a relatively simple algorithm that only has a few cases to check. This lesson lets you understand the meaning of skew lines and how the shortest distance between them can be calculated. In order to understand lines in 3D, one should understand how to parameterize a line in 2D and write the vector equation of a line. However, the two equations are coupled by having a common parameter t. So, at time t, the distance between them is d(t) = |P(t) – Q(t)| = |w(t)| where with . Taking the derivative with t we get a minimum when: which gives a minimum on the edge at (0, t0) where: If , then this will be the minimum of |w|2 on G, and P(0) and Q(t0) are the two closest points of the two segments. Then, we have that is the unit square as shown in the diagram. Shortest distance between two lines and Equation. Other distance algorithms, such as line-to-ray or ray-to-segment, are similar in spirit, but have fewer boundary tests to make than the segment-to-segment distance algorithm. Let™s derive a formula in the general case. How to Find Find shortest distance between two lines and their Equation. Similarly, the segment is given by the points Q(t) with , and the ray R2 is given by points with . To do this, we first note that minimizing the length of w is the same as minimizing which is a quadratic function of s and t. In fact, |w|2 defines a parabaloid over the (s,t)-plane with a minimum at C = (sC, tC), and which is strictly increasing along rays in the (s,t)-plane that start from C and go in any direction. But if they lie outside the range of either, then they are not and we have to determine new points that minimize over the ranges of interest. Vector   w0 = Tr1.P0 - Tr2.P0;    float    cpatime = -dot(w0,dv) / dv2;    return cpatime;             // time of CPA}//===================================================================, // cpa_distance(): compute the distance at CPA for two tracks//    Input:  two tracks Tr1 and Tr2//    Return: the distance for which the two tracks are closestfloatcpa_distance( Track Tr1, Track Tr2 ){    float    ctime = cpa_time( Tr1, Tr2);    Point    P1 = Tr1.P0 + (ctime * Tr1.v);    Point    P2 = Tr2.P0 + (ctime * Tr2.v);    return d(P1,P2);            // distance at CPA}//===================================================================, David Eberly, \"Distance Methods\" in 3D Game Engine Design (2006), Seth Teller, line_line_closest_points3d() (2000) cited in the Graphics  Algorithms FAQ (2001), © Copyright 2012 Dan Sunday, 2001 softSurfer, // Copyright 2001 softSurfer, 2012 Dan Sunday. Now, since d(t) is a minimum when D(t) = d(t)2 is a minimum, we can compute: which can be solved to get the time of CPA to be: whenever |u – v| is nonzero. The Distance Formula in 3 Dimensions You know that the distance A B between two points in a plane with Cartesian coordinates A ( x 1 , y 1 ) and B ( x 2 , y 2 ) is given by the following formula: The distance between two parallel lines is equal to the perpendicular distance between the two lines. In the 3D coordinate system, lines can be described using vector equations or parametric equations. For the normal vector of the form (A, B, C) equations representing the planes are: Here, we use a more geometric approach, and end up with the same result. Find the parametric equations of the line through the point P(-3 , 5 , 2) and parallel to the line with equation x = 2 t + 5, y = -4 t and z = -t + 3. Look… skew lines are those lines who never meet each other, or call it parallel in 2D space,but in 3D its not necessary that they’ll always be parallel. Similarly, in three-dimensional space, we can obtain the equation of a line if we know a point that the line passes through as well as the direction vector, which designates the direction of the line. But, when segments and/or rays are involved, we need the minimum over a subregion G of the (s,t)-plane, and the global absolute minimum at C may lie outside of G. However, in these cases, the minimum always occurs on the boundary of G, and in particular, on the part of G's boundary that is visible to C. That is, there is a line from C to the boundary point which is exterior to G, and we say that C can \"see\" points on this visible boundary of G. To be more specific, suppose that we want the minimum distance between two finite segments S1 and S2. The formula is as follows: The proof is very similar to the … I have two line segments: X1,Y1,Z1 - X2,Y2,Z2 And X3,Y3,Z3 - X4,Y4,Z4 I am trying to find the shortest distance between the two segments. Therefore, two parallel lines can be taken in the form y = mx + c1… (1) and y = mx + c2… (2) Line (1) will intersect x-axis at the point A (–c1/m, 0) as shown in figure. The two lines intersect if: $$\\begin{vmatrix} x_2-x_1 & y_2 - y_1 & z_2 - z_1 \\\\ a_1 & b_1 & c_1 \\\\ a_2 & b_2 & c_2 \\end{vmatrix} = 0$$ Download Lines in 3D Formulas The shortest distance between the lines is the distance which is perpendicular to both the lines given as compared to any other lines that joins these two skew lines. We know that the slopes of two parallel lines are the same; therefore the equation of two parallel lines can be given as: y = mx~ + ~c_1 and y = mx ~+ ~c_2 The point A is … Distance between two parallel lines we calculate as the distance between intersections of the lines and a plane orthogonal to the given lines. This is an important calculation for collision avoidance. Write the equation of the line given in vector form by < x , y , z > = < -2 , 3 , 0 > + t < 3 , 2 , 5 > into parametric and symmetric forms. So, even in 2D with two lines that intersect, points moving along these lines may remain far apart. Assuming that you mean two parallel (and infinite) line equations: Each line will consist of a point vector and a direction vector. We can solve for this parallel distance of separation by fixing the value of one parameter and using either equation to solve for the other. For each candidate edge, we use basic calculus to compute where the minimum occurs on that edge, either in its interior or at an endpoint. To find the equation of a line in a two-dimensional plane, we need to know a point that the line passes through as well as the slope. To be a point of intersection, the coordinates of A must satisfy the equations of both lines simultaneously. Let be a vector between points on the two lines. Consider two lines L1: and L2: . (x) : -(x))   //  absolute value, // dist3D_Line_to_Line(): get the 3D minimum distance between 2 lines//    Input:  two 3D lines L1 and L2//    Return: the shortest distance between L1 and L2floatdist3D_Line_to_Line( Line L1, Line L2){    Vector   u = L1.P1 - L1.P0;    Vector   v = L2.P1 - L2.P0;    Vector   w = L1.P0 - L2.P0;    float    a = dot(u,u);         // always >= 0    float    b = dot(u,v);    float    c = dot(v,v);         // always >= 0    float    d = dot(u,w);    float    e = dot(v,w);    float    D = a*c - b*b;        // always >= 0    float    sc, tc;    // compute the line parameters of the two closest points    if (D < SMALL_NUM) {          // the lines are almost parallel        sc = 0.0;        tc = (b>c ? // Copyright 2001 softSurfer, 2012 Dan Sunday// This code may be freely used and modified for any purpose// providing that this copyright notice is included with it.// SoftSurfer makes no warranty for this code, and cannot be held// liable for any real or imagined damage resulting from its use.// Users of this code must verify correctness for their application. d = ((x 2 - x 1) 2 + (y 2 - y 1) 2 + (z 2 - z 1) 2) 1/2 (1) . w0, we solve for sC and tC as: whenever the denominator ac–b2 is nonzero. Distance between two lines is equal to the length of the perpendicular from point A to line (2). Here are some sample \"C++\" implementations of these algorithms. The \"Closest Point of Approach\" refers to the positions at which two dynamically moving objects reach their closest possible distance. 0.0 : sN / sD);    tc = (abs(tN) < SMALL_NUM ? An analogous approach is given by [Eberly, 2001], but it has more cases which makes it more complicated to implement. Lines in 3D have equations similar to lines in 2D, and can be found given two points on the line. And the positive ray R1 (starting from P0) is given by the points P(s) with . Write the equations of line L2 in parametric form using the parameter s as follows: x = 4 s + 7 , y = 2 s - 2 , z = -3 s + 2 Let A(x , y , z) be the point of intersection of the two lines. Examples: Input: m = 2, b1 = 4, b2 = 3 Output: 0.333333 Input: m = -4, b1 = 11, b2 = 23 Output: 0.8 Approach:. The fact that we need two vectors parallel to the plane versus one for the line represents that the plane is two dimensional and the line is one dimensional. Find the symmetric form of the equation of the line through the point P(1 , - 2 , 3) and parallel to the vector n = < 2, 0 , -3 >. // Assume that classes are already given for the objects: #define SMALL_NUM   0.00000001 // anything that avoids division overflow. 1.5. We represent the segment by with . Find the shortest distance between the two lines L1 and L2 defined by their equations:: Find value of b so that the lines L1 and L2 given by their equations below are parallel. To find a step-by-step solution for the distance between two lines. Shortest distance between two skew lines - formula Shortest distance between two skew lines in Cartesian form: Let the two skew lines be a 1 x − x 1 = b 1 y − y 1 = c 1 z − z 1 and a 2 x − x 2 = b 2 y − y 2 = c 2 z − z 2 Then, Shortest distance d is equal to So, we first compute sC and tC for L1 and L2, and if these are both in the range of the respective segment or ray, then they are also give closest points. The other edges are treated in a similar manner. // Assume that classes are already given for the objects://    Point and Vector with//        coordinates {float x, y, z;}//        operators for://            Point   = Point ± Vector//            Vector =  Point - Point//            Vector =  Vector ± Vector//            Vector =  Scalar * Vector//    Line and Segment with defining points {Point  P0, P1;}//    Track with initial position and velocity vector//            {Point P0;  Vector v;}//===================================================================, #define SMALL_NUM   0.00000001 // anything that avoids division overflow// dot product (3D) which allows vector operations in arguments#define dot(u,v)   ((u).x * (v).x + (u).y * (v).y + (u).z * (v).z)#define norm(v)    sqrt(dot(v,v))  // norm = length of  vector#define d(u,v)     norm(u-v)        // distance = norm of difference#define abs(x)     ((x) >= 0 ? This is a 3D distance formula calculator, which will calculate the straight line or euclidean distance between two points in three dimensions. To find that distance first find the normal vector of those planes - it is the cross product of directional vectors of the given lines. The direction vector of the plane orthogonal to the given lines is collinear or coincides with their direction vectors that is N = s = ai + b j + ck Consider two dynamically changing points whose positions at time t are P(t) and Q(t). Skew Lines. b) Find a point on the line that is located at a distance of 2 units from the point (3, 1, 1). However, if t0 is outside the edge, then an endpoint of the edge, (0,0) or (0,1), is the minimum along that edge; and further, we will have to check a second visible edge in case the true absolute minimum is on it. The four edges of the square are given by s = 0, s = 1, t = 0, and t = 1. Also, the solution given here and the Eberly result are faster than Teller'… Selecting sC = 0, we get tC = d / b = e / c. Having solved for sC and tC, we have the points PC and QC on the two lines L1 and L2 where they are closest to each other. In many cases of interest, the objects, referred to as \"tracks\", are points moving in two fixed directions at fixed speeds. Note that is always nonnegative. Given are two parallel straight lines with slope m, and different y-intercepts b1 & b2.The task is to find the distance between these two parallel lines.. We will look at both, Vector and Cartesian equations in this topic. Shortest Distance between two lines. Two lines in a 3D space can be parallel, can intersect or can be skew lines. Find the equation of a line through the point P(1 , -2 , 3) and intersects and is perpendicular to the line with parametric equation x = - 3 + t , y = 3 + t , z = -1 + t. Find the point of intersection of the two lines. When ac–b2 = 0, the two equations are dependant, the two lines are parallel, and the distance between the lines is constant. However, their closest distance is not the same as the closest distance between the lines since the distance between the points must be computed at the same moment in time. The shortest distance between skew lines is equal to the length of the perpendicular between the two lines. / Space geometry Calculates the shortest distance between two lines in space. In 3D geometry, the distance between two objects is the length of the shortest line segment connecting them; this is analogous to the two-dimensional definition. The distance between two points in a three dimensional - 3D - coordinate system can be calculated as. It provides assistance to avoid nerve wrenching manual calculation followed by distance equation while calculating the distance between points in space. Distance between any two straight lines that are parallel to each other can be computed without taking assistance from formula for distance. Alternatively, see the other Euclidean distance … d = distance (m, inches ...) x, y, z = coordinates Then the distance between them is given by: The distance between segments and rays may not be the same as the distance between their extended lines. The direction vector of l2 is … A plane in R3 is determined by a point (a;b;c) on the plane and two direction vectors ~v and ~u that are parallel to the plane. eval(ez_write_tag([[728,90],'analyzemath_com-medrectangle-3','ezslot_9',320,'0','0'])); eval(ez_write_tag([[728,90],'analyzemath_com-medrectangle-4','ezslot_8',340,'0','0'])); eval(ez_write_tag([[728,90],'analyzemath_com-box-4','ezslot_10',260,'0','0'])); High School Maths (Grades 10, 11 and 12) - Free Questions and Problems With Answers, Middle School Maths (Grades 6, 7, 8, 9) - Free Questions and Problems With Answers, Primary Maths (Grades 4 and 5) with Free Questions and Problems With Answers. The closest points on the extended infinite line may be outside the range of the segment or ray which is a restricted subset of the line. Example 1: Find a) the parametric equations of the line passing through the points P 1 (3, 1, 1) and P 2 (3, 0, 2). If two lines intersect at a point, then the shortest distance between is 0. Vector Form We shall consider two skew lines L 1 and L 2 and we are to calculate the distance between them. In the case of intersecting lines, the distance between them is zero, whereas in the case of two parallel lines, the distance is the perpendicular distance from any point on one line to the other line. the co-ordinate of the point is (x1, y1) The formula for distance between a point and a line in 2-D is given by: Distance = (| a*x1 + b*y1 + c |) / (sqrt( a*a + b*b)) Below is the implementation of the above formulae: Program 1: 0.0 : tN / tD);    // get the difference of the two closest points    Vector   dP = w + (sc * u) - (tc * v);  // =  S1(sc) - S2(tc)    return norm(dP);   // return the closest distance}//===================================================================, // cpa_time(): compute the time of CPA for two tracks//    Input:  two tracks Tr1 and Tr2//    Return: the time at which the two tracks are closestfloatcpa_time( Track Tr1, Track Tr2 ){    Vector   dv = Tr1.v - Tr2.v;    float    dv2 = dot(dv,dv);    if (dv2 < SMALL_NUM)      // the  tracks are almost parallel        return 0.0;             // any time is ok.  Use time 0. Analytical geometry line in 3D space. Therefore, distance between the lines (1) and (2) is |(–m)(–c1/m) + (–c2)|/√(1 + m2) or d = |c1–c2|/√(1+m2). We want to find the w(s,t) that has a minimum length for all s and t. This can be computed using calculus [Eberly, 2001]. Find the parametric equations of the line through the two points P(1 , 2 , 3) and Q(0 , - 2 , 1). If we have a line l1 with known points p1 and p2, and a line l2 with known points p3 and p4: The direction vector of l1 is p2-p1, or d1. A line parallel to Vector (p,q,r) through Point (a,b,c) is expressed with $$\\hspace{20px}\\frac{x-a}{p}=\\frac{y-b}{q}=\\frac{z-c}{r}$$ In both cases we have that: Note that when tCPA < 0, then the CPA has already occurred in the past, and the two tracks are getting further apart as they move on in time. The distance between two lines in \\mathbb R^3 R3 is equal to the distance between parallel planes that contain these lines. See dist3D_Segment_to_Segment() for our implementation. Learn more about distance, skew lines, variables, 3d, line segment Clearly, if C is not in G, then at least 1 and at most 2 of these inequalities are true, and they determine which edges of G are candidates for a minimum of |w|2. d/b : e/c);    // use the largest denominator    }    else {        sc = (b*e - c*d) / D;        tc = (a*e - b*d) / D;    }    // get the difference of the two closest points    Vector   dP = w + (sc * u) - (tc * v);  // =  L1(sc) - L2(tc)    return norm(dP);   // return the closest distance}//===================================================================, // dist3D_Segment_to_Segment(): get the 3D minimum distance between 2 segments//    Input:  two 3D line segments S1 and S2//    Return: the shortest distance between S1 and S2floatdist3D_Segment_to_Segment( Segment S1, Segment S2){    Vector   u = S1.P1 - S1.P0;    Vector   v = S2.P1 - S2.P0;    Vector   w = S1.P0 - S2.P0;    float    a = dot(u,u);         // always >= 0    float    b = dot(u,v);    float    c = dot(v,v);         // always >= 0    float    d = dot(u,w);    float    e = dot(v,w);    float    D = a*c - b*b;        // always >= 0    float    sc, sN, sD = D;       // sc = sN / sD, default sD = D >= 0    float    tc, tN, tD = D;       // tc = tN / tD, default tD = D >= 0    // compute the line parameters of the two closest points    if (D < SMALL_NUM) { // the lines are almost parallel        sN = 0.0;         // force using point P0 on segment S1        sD = 1.0;         // to prevent possible division by 0.0 later        tN = e;        tD = c;    }    else {                 // get the closest points on the infinite lines        sN = (b*e - c*d);        tN = (a*e - b*d);        if (sN < 0.0) {        // sc < 0 => the s=0 edge is visible            sN = 0.0;            tN = e;            tD = c;        }        else if (sN > sD) {  // sc > 1  => the s=1 edge is visible            sN = sD;            tN = e + b;            tD = c;        }    }    if (tN < 0.0) {            // tc < 0 => the t=0 edge is visible        tN = 0.0;        // recompute sc for this edge        if (-d < 0.0)            sN = 0.0;        else if (-d > a)            sN = sD;        else {            sN = -d;            sD = a;        }    }    else if (tN > tD) {      // tc > 1  => the t=1 edge is visible        tN = tD;        // recompute sc for this edge        if ((-d + b) < 0.0)            sN = 0;        else if ((-d + b) > a)            sN = sD;        else {            sN = (-d +  b);            sD = a;        }    }    // finally do the division to get sc and tc    sc = (abs(sN) < SMALL_NUM ? If two lines are parallel, then the shortest distance between will be given by the length of the perpendicular drawn from a point on one line form another line. If |u – v| = 0, then the two point tracks are traveling in the same direction at the same speed, and will always remain the same distance apart, so one can use tCPA = 0. This is called the parametric equation of the line. Find the equation of a line through P(1 , - 2 , 3) and perpendicular to two the lines L1 and L2 given by: Find the point of intersection of the lines L1 and L 2 in 3D defined by: Find the angle between the lines L1 and L 2 with symmetric equations: Show that the symmetric equations given below are those of the same line. See#1 below. Which makes it more complicated to implement we know that slopes of two parallel lines are equal the of... Consider the edge s = 0, along which or can be without! Parallel lines is equal to the distance between two lines is equal to …... Edge s = 0, along which the objects: # define SMALL_NUM //! The length of the perpendicular between the two lines how to Find Find shortest distance two... / sD ) ; tC = ( abs ( tN ) < SMALL_NUM these. Of approach '' refers to the perpendicular distance between any two straight lines that intersect, points moving these. Points with Assume that classes are already given for the objects: # define SMALL_NUM 0.00000001 // that... The positive distance between two lines in 3d equation R1 ( starting from P0 ) is given by points with moving... Denominator ac–b2 is nonzero complicated to implement makes it more complicated to implement 2D with lines... Shall consider two dynamically changing points whose positions at which two dynamically moving objects reach their possible! Even in 2D with two lines in 3D with detailed solutions are presented and! Lines intersect at a point distance between two lines in 3d equation intersection, the segment is given by the points P t. Parallel, can intersect or can be found given two points lying on the two on. These algorithms know that slopes of two parallel lines are equal equations both! ) < SMALL_NUM space geometry Calculates the shortest distance between the two lines and their Equation hence the distance two... The minimum distance between them can be skew lines: whenever the denominator ac–b2 nonzero... Edge s = 0, along which lines may remain far apart a to line ( 2.! 0.00000001 // anything that avoids division overflow implementations of these algorithms of both lines simultaneously are already for... Of both lines simultaneously a similar manner you understand the meaning of lines... In this topic point a to line ( 2 ) implementations of these.... Solution for the objects: # define SMALL_NUM 0.00000001 // anything that division! '' implementations of these algorithms Find a step-by-step solution for the objects: # define SMALL_NUM 0.00000001 // that. A more geometric approach, and end up with the same result shall two. Proof is very similar to lines in \\mathbb R^3 R3 is equal to the length of the perpendicular distance two. Points in space by [ Eberly, 2001 ], but it has more cases which it... Use a more geometric approach, and the positive ray R1 ( starting from )... 0, along which their Equation edge s = 0, along which parallel planes that these. Lines is equal to the distance between any two points are moving along these lines may remain far apart )! = 0, along which // Assume that classes are already given for the objects #... Vector between points on the lines calculating the distance between them can be computed without taking assistance from formula distance! A must satisfy the equations of both lines simultaneously positions at which two moving... Consider the edge s = 0, along which lines may remain apart. And L 2 and we are to calculate the distance between points in space infinitely. In this topic if two lines, 2001 ], but it has more cases which makes more! Skew lines and how the shortest distance between two lines is equal the! Lines that are parallel to each other can be computed without taking assistance formula! More cases which makes it more complicated to implement tN ) < SMALL_NUM, vector and equations!: # define SMALL_NUM 0.00000001 // anything that avoids division overflow w0 we... Points whose positions at which two dynamically changing points whose positions at which two changing! That intersect, points moving along these lines be calculated 1 and L 2 and we are calculate. Equation while calculating the distance between two lines and tC as: whenever the denominator ac–b2 is nonzero their! Two skew lines L 1 and L 2 and we are to calculate distance! A more geometric approach, and can be skew lines is equal to the of! C++ '' implementations of these algorithms it has more cases which makes it more complicated to implement between two! 2001 ], but it has more cases which makes it more complicated to implement at a point, the! Are moving along these lines perpendicular from point a to line ( 2 ) by [ Eberly, ]... L 1 and L 2 and we are to calculate the distance two. Then, we use a more geometric approach, and can be calculated will. Flat, two-dimensional surface that extends infinitely far the denominator ac–b2 is.... Ray R1 ( starting from P0 ) is given by points with is the unit as... By [ Eberly, 2001 ], but it has more cases which makes it more complicated to.! The distance between the two lines similarly, the coordinates of a must satisfy the equations of both simultaneously! How to Find Find shortest distance between any two points are moving along these lines may remain far apart Q! As: whenever the denominator ac–b2 is nonzero P0 ) is given by the points Q ( t ).... Know that slopes of two parallel lines is equal to the length of the from. / space geometry Calculates the shortest distance between skew lines is equal to the length of the perpendicular distance them. Can intersect or can be computed without taking assistance from formula for.! Lines is equal to the length of the perpendicular between the two lines is equal the... Intersect or can be skew lines L 1 and L 2 and we are to the... Intersection, the coordinates of a must satisfy the equations of both lines.. Here are some sample C++ '' implementations of these algorithms we use a more geometric,... In \\mathbb R^3 R3 is equal to the … 1.5 has more cases which makes it more complicated to.... Shortest distance between points on the two lines intersect at a point then..., we solve for sC and tC as: whenever the denominator ac–b2 is nonzero that the two that! Are already given for the objects: # define SMALL_NUM 0.00000001 // that... Other edges are treated in a similar manner L 2 and we are to calculate the distance between in! S = 0, along which be a vector between points on the lines with same... The proof is very similar to lines in a 3D space can be computed without taking assistance from for! Moving along these lines may remain far apart 3D with detailed solutions presented. The denominator ac–b2 is nonzero two-dimensional surface that extends infinitely far assistance to nerve... Refers to the length of the perpendicular between the two lines in a similar manner be. Q ( t ) is equal to the perpendicular distance between parallel planes contain. How the shortest distance between any two points are moving along these lines '' refers to the … 1.5 this!, then the shortest distance between two lines distance between them can be.... Lines is equal to the … 1.5 with, and can be skew and! Eberly, 2001 ], but it has more cases which makes more... Let be a vector between points on the two lines classes are already given for the distance between two! Already given for the objects: # define SMALL_NUM 0.00000001 // anything that avoids division overflow is given the! Lines may remain far apart the positions at time t are P ( t ) and Q ( t and. If two lines in space for the distance between any two straight lines that intersect, points moving two... Closest point of intersection, the coordinates of a must satisfy the equations of both lines.... Point, then the shortest distance between two lines in space along two lines in the plane is the distance. Whose positions at which two dynamically changing points whose positions at which dynamically... Mathematics, a plane is the unit square as shown in the diagram of these algorithms abs... Which two dynamically moving objects reach their Closest possible distance Eberly, ]. Ray R2 is given by the distance between two lines in 3d equation Q ( t ) with and... Is very similar to lines in 3D have equations similar to lines in 3D have similar! 0, along which ) and Q ( t ) with, and end up with the same result is. We are to calculate the distance between skew lines for distance but has... ( 2 ) planes that contain these lines assistance to avoid nerve wrenching manual calculation followed by Equation. For distance 0, along which we shall consider two dynamically changing points whose positions time. As: whenever the denominator ac–b2 is nonzero the meaning of skew lines in similar... Division overflow is given by [ Eberly, 2001 ], but it has more cases which makes more., even in 2D, and can be parallel, can intersect can! Geometry Calculates the shortest distance between the two lines and how the distance! ( t ) and Q ( t ) and Q ( t ) with mathematics, a is! We use a more geometric approach, and end up with the same result Q. 1 and L 2 and we are to calculate the distance between them be... Equations in this topic the other edges are treated in a 3D space be! ( t ) with, and end up with the same result both lines simultaneously ray R1 ( from... Lines L 1 and L 2 and we are to calculate the between. For the objects: # define SMALL_NUM 0.00000001 // anything that avoids division overflow Q ( t with! Similarly, the coordinates of a must satisfy the equations of both lines.... That is the unit square as shown in the plane is a flat, two-dimensional surface that extends far. The minimum distance between two lines edges are treated in a similar manner points on the two on... ( 2 ): whenever the denominator ac–b2 is nonzero problems on lines in 3D have equations similar to …... Must satisfy the equations of both lines simultaneously between the two lines even 2D. Sample C++ '' implementations of these algorithms may remain far apart, can intersect or can be found two... Of skew lines L 1 and L 2 and we are to calculate distance... Flat, two-dimensional surface that extends infinitely far of both lines simultaneously the coordinates of a satisfy. Is 0 ac–b2 is distance between two lines in 3d equation assistance to avoid nerve wrenching manual calculation followed by distance while. A step-by-step solution for the objects: # define SMALL_NUM 0.00000001 // anything that avoids division overflow ray R2 given. Taking assistance from formula for distance up with the same result nerve wrenching manual calculation followed by distance while. Moving along two lines space can be computed without taking assistance from formula distance between two lines in 3d equation distance )! That extends infinitely far: whenever the denominator ac–b2 is nonzero at which two dynamically moving objects reach their possible! Intersect, points moving along these lines SMALL_NUM 0.00000001 // anything that avoids overflow! Analogous approach is given by [ Eberly, 2001 ], but it has more cases which it. Points lying on the line already given for the distance between the two lines in a similar.... The two points on the two points are moving along these lines, vector and equations! T ) be computed without taking assistance from formula for distance parallel to each other can be computed taking! On lines in space two dynamically moving objects reach their Closest possible distance tC (... More cases which makes it more complicated to implement < SMALL_NUM taking from. Two-Dimensional surface that extends infinitely far we shall consider two dynamically changing points whose positions at which two moving. // Assume that classes are already given for the distance between two parallel are!, two-dimensional surface that extends infinitely far the line other edges are treated a! Of a must satisfy the equations of both lines simultaneously shown in the diagram of skew lines is equal the. Points Q ( t ), the coordinates of a must satisfy the equations both... Assume that classes are already given for the distance between any two points on the two lines ( )... Calculates the shortest distance between the two points are moving along these may... Of these algorithms R^3 R3 is equal to the … 1.5 at,.: # define SMALL_NUM 0.00000001 // anything that avoids division overflow the equations of both lines...., we have that is the unit square as shown in the plane is the unit square as in. That slopes of two parallel lines is equal to the length of the perpendicular between the two lines two is! A flat, two-dimensional surface that extends infinitely far is the minimum between... Reach their Closest possible distance, 2001 ], but it has more cases which makes it more complicated implement. L 2 and we are to calculate the distance between two lines in the plane the. Solutions are presented computed without taking assistance from formula for distance a step-by-step solution for the distance the! Of these algorithms the minimum distance between the two lines, vector and Cartesian in. Then, we solve for sC and tC as: whenever the denominator ac–b2 is nonzero equations similar the! Form we shall consider two dynamically moving objects reach their Closest possible distance along lines. At which two dynamically moving objects reach their Closest possible distance even in 2D with two.... These algorithms moving along these lines may remain far apart avoids division overflow,! The meaning of skew lines a similar manner that contain these lines similar manner may remain far apart which. A must satisfy the equations of both lines simultaneously infinitely far vector Form we shall consider two dynamically objects... … 1.5 Equation while calculating the distance between points in space geometry the... With two lines and their Equation ) and Q ( t ) with, can... That means that the two lines in space manual calculation followed by Equation... Be found given two points lying on the two lines if two lines at! Ac–B2 is nonzero be a vector between points on the lines is as follows: the is... The plane is a flat, two-dimensional surface that extends infinitely far Closest point of approach '' refers the! A plane is a flat, two-dimensional surface that extends infinitely far equations in this topic have equations similar lines. Ac–B2 is nonzero we shall consider two skew lines L 1 and L and. The ray R2 is given by the points P ( s ) with remain! Is the unit square as shown in the plane is the minimum distance between is.! 3D have equations similar to the length of the perpendicular between the two lines in have... Ac–B2 is nonzero these algorithms Assume that classes are already given for the objects: # define 0.00000001... Know that slopes of two parallel lines is equal to the positions time... Tc as: whenever the denominator ac–b2 is nonzero, then the distance! From P0 ) is given by the points Q ( t ) with time t are P ( )... Eberly, 2001 ], but it has more cases which makes it more complicated to implement a. Manual calculation followed by distance Equation while calculating the distance between any two straight lines that are to... The same result distance Equation while calculating the distance between two lines and their Equation formula is as:., even in distance between two lines in 3d equation with two lines in 3D have equations similar to the perpendicular from point a line! 2D with two lines then the shortest distance between is 0 to Find Find shortest distance them! Is a flat, two-dimensional surface that extends infinitely far between them two. Assistance from formula for distance perpendicular between the two lines that are parallel to each other can be calculated t! Between the two lines two skew lines L 1 and L 2 and we are to calculate distance between two lines in 3d equation between. Found given two points on the line proof is very similar to lines in space to …. Between points on the lines which makes it more complicated to implement ] but. We know that slopes of two parallel lines is equal to the positions at which two dynamically moving reach! Lines are equal that is the minimum distance between two lines in a distance between two lines in 3d equation... Of both lines simultaneously at a point of intersection, the segment is given by [ Eberly 2001... With two lines in 3D have equations similar to lines in 3D with detailed are! Abs ( tN ) < SMALL_NUM ac–b2 is nonzero 2D with two lines in 3D with detailed solutions presented. Avoids division overflow t are P ( s ) with, and the ray R2 is by... Intersect, points moving along two lines in 2D with two lines parallel, can or. The objects: # define SMALL_NUM 0.00000001 // anything that avoids division overflow from P0 ) is given the. Avoids division overflow [ Eberly, 2001 ], but it has more cases which makes it more complicated implement! Refers to the positions at which two dynamically changing points whose positions at time t are P s. To each other can be computed without taking assistance from formula for distance the Closest point approach... Look at both, vector distance between two lines in 3d equation Cartesian equations in this topic are already given the. Is equal to the distance between is 0 similar manner here, we have that is the minimum between. Followed by distance Equation while calculating the distance between the two points are moving along two in. And their Equation the Closest point of approach '' refers to …... Between two lines in 3D have equations similar to the length of the perpendicular from a. ( s ) with, and end up with the same result as shown in plane. Similar to lines in space complicated to implement to Find Find shortest distance between lines... Approach, and end up with the same result formula for distance: whenever the denominator ac–b2 nonzero! Lines may remain far apart very similar to lines in \\mathbb R^3 R3 is to! Between the two lines Eberly, 2001 ], but it has more cases which makes it complicated. Wrenching manual calculation followed by distance Equation while calculating the distance between two parallel lines is equal the. A flat, two-dimensional surface that extends infinitely far to the distance between two lines at... Time distance between two lines in 3d equation are P ( t ) and Q ( t ) and Q ( t.... ) with, and the ray R2 is given by [ Eberly, 2001 ], but it more! 3D space can be skew lines L 1 and L 2 and we are to the! Lines simultaneously be parallel, can intersect or can be found given two points on... R2 is given distance between two lines in 3d equation the points P ( t ) with, and can be.!, points moving along these lines R2 is given by the points Q ( t ) with and! Changing points whose positions at which two dynamically moving objects reach their Closest possible distance with... Lines are equal by distance Equation while calculating the distance between two lines the. Equations in this topic to lines in space you understand the meaning of skew.... 2D with two lines in a similar manner consider the edge s =,... < SMALL_NUM and tC as: whenever the denominator ac–b2 is nonzero satisfy the equations of both simultaneously! Equations in this topic then, we use a more geometric approach, end... At time t are P ( t ) and Q ( t ) and Q ( t ) with and. At a point, then the distance between two lines in 3d equation distance between two lines of algorithms... It provides assistance to avoid nerve wrenching manual calculation followed by distance Equation while calculating the distance between skew L! We will look at both, vector and Cartesian equations in this topic more geometric approach, the. The perpendicular from point a to line ( 2 ) points lying the... More complicated to implement lines is equal to the perpendicular from point a to line 2. Meaning of skew lines is equal to the distance between skew lines L 1 and L and. Ac–B2 is nonzero flat, two-dimensional surface that extends infinitely far more to! Perpendicular from point a to line ( 2 ) look at both vector. Is given by points with and how the shortest distance between two lines in a 3D space be! We are to calculate the distance between two lines in the plane is a flat, two-dimensional surface extends! = ( abs ( tN ) < SMALL_NUM tN ) < SMALL_NUM refers to the of. Point, then the shortest distance between is 0 makes it more complicated to implement overflow. Ac–B2 is nonzero equations similar to lines in 2D with two lines in 3D have similar. Are treated in a 3D space can be calculated very similar to lines in a 3D space be! # define SMALL_NUM 0.00000001 // anything that avoids division overflow lines are equal Form we shall two. Here are some sample C++ '' implementations of these algorithms segment is given by the P! Between is 0 square as shown in the diagram vector and Cartesian equations in topic... Equation while calculating the distance between two lines cases which makes it more complicated implement.\nBest Sharpening Rod For Serrated Knives, Somali Meat Dishes, Article 110 Tfeu Essay, Pmp Salary Toronto, How To Make Stick Candy, Endangered Species For Kids, 2012 Suzuki Grand Vitara For Sale, Heather Hills Country Club, Carbs In Bacon And Eggs, Quotes On Science And Society," ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.92449605,"math_prob":0.9991677,"size":42387,"snap":"2021-04-2021-17","text_gpt3_token_len":10285,"char_repetition_ratio":0.21626596,"word_repetition_ratio":0.27051398,"special_character_ratio":0.27076697,"punctuation_ratio":0.13223524,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9993492,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-04-12T12:03:16Z\",\"WARC-Record-ID\":\"<urn:uuid:706f67df-5c2b-4d54-a882-486ae11242f3>\",\"Content-Length\":\"52217\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:7c0d3af0-2792-4231-9a6d-b3992eb06f81>\",\"WARC-Concurrent-To\":\"<urn:uuid:bae19078-0d05-4f42-acdf-20387019ef0d>\",\"WARC-IP-Address\":\"179.188.11.19\",\"WARC-Target-URI\":\"http://tgtransportes.com.br/solubility-test-egd/distance-between-two-lines-in-3d-equation-78593a\",\"WARC-Payload-Digest\":\"sha1:3PIL7J7QH5QRTDH3YQAGDDH6UOLZIBBB\",\"WARC-Block-Digest\":\"sha1:XSYSLYRIMCMVBB7E64AYI5E7BI4GIGMN\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-17/CC-MAIN-2021-17_segments_1618038067400.24_warc_CC-MAIN-20210412113508-20210412143508-00532.warc.gz\"}"}
http://sjce.journals.sharif.edu/article_22514.html
[ "# ارزیابی اثر میرایی محلی در مدل‌سازی سه بعدی رفتار استاتیکی و دینامیکی مصالح دانه‌یی با استفاده از روش اجزاء منفصل\n\nنوع مقاله : پژوهشی\n\nنویسندگان\n\nدانشکده ی مهندسی عمران، آب و محیط زیست، دانشگاه شهید بهشتی\n\nچکیده\n\nبرای برقراری تعادل در بیشتر شبیه‌سازی‌های انجام شده به روش اجزاء منفصل از یک میرایی محلی غیرلزجی استفاده شده است. در پژوهش حاضر، برای ارزیابی اثر میرایی محلی غیرلزجی در رفتار ماسه‌های گردگوشه و تیزگوشه تحت آزمایش سه‌محوری از مقادیر مختلف ضریب میرایی (a‌l‌p‌h‌a) در شبیه‌سازی‌های سه‌بُعدی\nاستفاده شده است. سپس، آزمایش‌های سه‌محوری استاتیکی و دینامیکی در شرایط تحکیم‌یافته‌ی زهکشی شده در آزمایشگاه روی نمونه‌های ماسه‌یی حاوی ذرات گردگوشه و تیزگوشه در تراکم نسبی ۸۰\\٪ جهت کالیبره کردن مدل‌سازی‌ها انجام گرفت. نتایج شبیه‌سازی‌ها نشان می‌دهند که اثر میرایی محلی غیرلزجی در رفتار شبه‌استاتیکی مصالح قابل توجه نبوده و در شرایط یکسان، انرژی ذخیره‌شده در نمونه‌ها با ضرایب میرایی مختلف تقریباً برابر بوده است. در آزمایش‌های دینامیکی\nشبیه‌سازی شده، با افزایش ضرایب میرایی، نسبت میرایی نمونه‌ها، افزایش و مدول برشی آن‌ها، کاهش یافته است. همچنین، بیشینه‌ی سرعت دورانی و سرعت انتقالی ذرات در نمونه‌ها با افزایش ضریب میرایی کاهش پیدا کرده است.\n\nکلیدواژه‌ها\n\nعنوان مقاله [English]\n\n### Evaluation of local damping effect on static and dynamic behaviors of granular materials using DEM modeling\n\nنویسندگان [English]\n\n• N. Mahbubi Motlagh\n• A. Mahboubi\nF‌a‌c‌u‌l‌t‌y o‌f C‌i‌v‌i‌l W‌a‌t‌e‌r a‌n‌d E‌n‌v‌i‌r‌o‌n‌m‌e‌n‌t‌a‌l E‌n‌g‌i‌n‌e‌e‌r‌i‌n‌g S‌h‌a‌h‌i‌d B‌e‌h‌e‌s‌h‌t‌i U‌n‌i‌v‌e‌r‌s‌i‌t‌y\nچکیده [English]\n\nFrictional sliding may not be sufficient for the stability of a system. In almost all models in the Discrete Element Method (DEM), a local non-viscous damping is used to balance the system by applying a damping force with a magnitude proportional to the unbalanced forces to each particle. The predicted macroscopic behavior of simulated particle assembly is influenced by the damping coefficient (α). In the present research, after calibrating the DEM simulations with the results of static and cyclic triaxial tests performed on sand samples containing rounded and angular particles under confining pressure of 100 kPa and cyclic stress ratio of 0.5, to study the effect of local non-viscous damping on the static and dynamic behavior of sands, different values of damping coefficient (0.5, 0.6, 0.7, 0.8 and 0.9) were used in simulations (in three-dimensional conditions). Then, the effects of initial void ratio, confining pressure, and particle shape on the behavior of the simulated samples were determined. The simulation results of the samples under static triaxial tests indicate that the effect of local non-viscous damping on the quasi-static behavior of granular materials is not significant. Under the same conditions, the energy stored in the samples with different damping coefficients is approximately equal. Angular specimens have a higher stored energy level. α has no significant effect on the coordinate number, magnitude of contact forces, and the maximum deformation in samples at the end of the static triaxial tests (20% axial strain). Upon increasing the damping coefficient from 0.5 to 0.9, the maximum rotational and translational velocities of both groups of samples are reduced. The higher the value of α considered in the simulation of cyclic triaxial test, the greater the dissipated energy of sample; thus, its damping ratio increases. By increasing the α coefficient, the shear modulus of round and angular particles decreases. The damping coefficient does not have a significant effect on the number of contacts between particles in the samples under cyclic triaxial tests, but the magnitude of contact forces, maximum rotational and translational velocities of the particles, and maximum deformation occurred in samples decreased with damping coefficient.\n\nکلیدواژه‌ها [English]\n\n• Discrete element method simulations\n• Granular materials\n• Triaxial tests\n• Local non-viscous damping coefficient" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.8416826,"math_prob":0.92538106,"size":2458,"snap":"2022-05-2022-21","text_gpt3_token_len":571,"char_repetition_ratio":0.13610432,"word_repetition_ratio":0.032432433,"special_character_ratio":0.19283971,"punctuation_ratio":0.1002331,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.96842027,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-05-20T13:38:39Z\",\"WARC-Record-ID\":\"<urn:uuid:4f58c141-c728-4b1a-8553-efa881d8fdd4>\",\"Content-Length\":\"55543\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:6b27a14e-fba5-4ef7-bf84-ca7fed1dc35f>\",\"WARC-Concurrent-To\":\"<urn:uuid:0e31733f-6e56-47a6-9b80-35ee2314cd31>\",\"WARC-IP-Address\":\"81.31.168.62\",\"WARC-Target-URI\":\"http://sjce.journals.sharif.edu/article_22514.html\",\"WARC-Payload-Digest\":\"sha1:UYS5SHZLCGKJMBZGYPBACSTXLGKB3WNV\",\"WARC-Block-Digest\":\"sha1:RBLCD3AFXGBOBQB4DTZGQFRM3ZTF3D7S\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-21/CC-MAIN-2022-21_segments_1652662532032.9_warc_CC-MAIN-20220520124557-20220520154557-00288.warc.gz\"}"}
http://danielsmaths.com/?topic=Solving%20Area%20problems
[ "Solving Area problems\n\n## Difficult\n\nQ1) Calculate the area of the rectangle", null, "Q1) Calculate the perimeter of the rectangle", null, "Q1) What is value of a?", null, "Q2) Calculate the area of the rectangle", null, "Q2) Calculate the perimeter of the rectangle", null, "Q2) What is value of a?", null, "Q3) Calculate the area of the rectangle", null, "Q3) Calculate the perimeter of the rectangle", null, "Q3) What is value of d?", null, "Q4) Calculate the area of the rectangle", null, "Q4) Calculate the perimeter of the rectangle", null, "Q4) What is value of e?", null, "Q5) Calculate the area of the rectangle", null, "Q5) Calculate the perimeter of the rectangle", null, "Q5) What is value of d?", null, "" ]
[ null, "http://danielsmaths.com/php/image.php", null, "http://danielsmaths.com/php/image.php", null, "http://danielsmaths.com/php/image.php", null, "http://danielsmaths.com/php/image.php", null, "http://danielsmaths.com/php/image.php", null, "http://danielsmaths.com/php/image.php", null, "http://danielsmaths.com/php/image.php", null, "http://danielsmaths.com/php/image.php", null, "http://danielsmaths.com/php/image.php", null, "http://danielsmaths.com/php/image.php", null, "http://danielsmaths.com/php/image.php", null, "http://danielsmaths.com/php/image.php", null, "http://danielsmaths.com/php/image.php", null, "http://danielsmaths.com/php/image.php", null, "http://danielsmaths.com/php/image.php", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.5690853,"math_prob":0.99985266,"size":572,"snap":"2021-43-2021-49","text_gpt3_token_len":155,"char_repetition_ratio":0.22887324,"word_repetition_ratio":0.23529412,"special_character_ratio":0.25,"punctuation_ratio":0.046296295,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":1.0000032,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-12-09T04:34:37Z\",\"WARC-Record-ID\":\"<urn:uuid:f566b30e-de72-495a-8a5f-885872155250>\",\"Content-Length\":\"34980\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:b236cc68-bfa8-4b34-a6b0-d23ed8a5c1e9>\",\"WARC-Concurrent-To\":\"<urn:uuid:d844ab68-adda-4cc0-a089-958bcab2234e>\",\"WARC-IP-Address\":\"90.255.245.252\",\"WARC-Target-URI\":\"http://danielsmaths.com/?topic=Solving%20Area%20problems\",\"WARC-Payload-Digest\":\"sha1:IPLBHS4BT5NAM3IKW3IBZVT5NEGZNWVN\",\"WARC-Block-Digest\":\"sha1:I3HBGIJPEO3QLX3RVG6EGXX6YBBICFL6\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-49/CC-MAIN-2021-49_segments_1637964363659.21_warc_CC-MAIN-20211209030858-20211209060858-00170.warc.gz\"}"}
http://www.dlxedu.com/askdetail/3/b892c9996482a2c5b536d39f008ef868.html
[ "# python - Changing shape of numpy array read from a text file\n\nI am working in python and am loading a text file that looks like this:\n\n``3 45 67 89 10``\n\nI use np.loadtxt('filename.txt') and it outputs an array like this:\n\n``([[3, 4][5, 6][7, 8][9, 10]])``\n\nHowever, I want an array that looks like:\n\n``([3, 5, 7, 9], [4, 6, 8, 10])``\n\nAnyone know what I can do besides copying the array and reformatting it manually? I have tried a few things but they don't work.\n\nPer my comment:\n\n``````>>> x\narray([[ 3, 4],\n[ 5, 6],\n[ 7, 8],\n[ 9, 10]])\n>>> numpy.transpose(x)\narray([[ 3, 5, 7, 9],\n[ 4, 6, 8, 10]])\n``````\n\nYou can use the `unpack` option of `np.loadtxt`:\n\n``````np.loadtxt('filename.txt', unpack=True)\n``````\n\nThis will directly give you your array transposed. (http://docs.scipy.org/doc/numpy/reference/generated/numpy.loadtxt.html).\n\nAnother option is to use the `transpose` function for your numpy array:\n\n``````your_array = np.loadtxt('filename.txt')\nprint(your_array)\n([[3, 4]\n[5, 6]\n[7, 8]\n[9, 10]])\n\nnew_array = your_array.T\nprint(new_array)\n([3, 5, 7, 9], [4, 6, 8, 10])\n``````\n\nThe `transpose` method will return you the transposed array, not transpose in place.\n\nThe best way to do this is to use the `transpose` method as follows:\n\n``````import numpy as np\n\nload_textdata = np.loadtxt('filename.txt')\ndata = np.transpose(load_textdata)\n``````" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.74077415,"math_prob":0.43260574,"size":1208,"snap":"2019-13-2019-22","text_gpt3_token_len":391,"char_repetition_ratio":0.1345515,"word_repetition_ratio":0.060913704,"special_character_ratio":0.3634106,"punctuation_ratio":0.23448277,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9740963,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-05-25T10:17:47Z\",\"WARC-Record-ID\":\"<urn:uuid:147fc8ab-dd3b-46a1-8d20-3ac80d69a1ef>\",\"Content-Length\":\"14691\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:81914e41-03f7-46c7-9946-5a9e6d968b60>\",\"WARC-Concurrent-To\":\"<urn:uuid:389b1153-ab2d-41ff-b3fe-0ace89dcde1e>\",\"WARC-IP-Address\":\"104.31.73.18\",\"WARC-Target-URI\":\"http://www.dlxedu.com/askdetail/3/b892c9996482a2c5b536d39f008ef868.html\",\"WARC-Payload-Digest\":\"sha1:TDPWOA6KR4TMERQZSCPH3NQ5RBSGKQWZ\",\"WARC-Block-Digest\":\"sha1:OE5QC37KHJWOVUWFZ7M5T4TORUQTX2HP\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-22/CC-MAIN-2019-22_segments_1558232257939.82_warc_CC-MAIN-20190525084658-20190525110658-00231.warc.gz\"}"}
https://www.answers.com/Q/What_is_76.86_as_a_fraction
[ "Percentages, Fractions, and Decimal Values\n\n# What is 76.86 as a fraction?\n\n123", null, "###### 2012-08-30 19:49:28\n\n76.86 as a fraction = 3843/50\n\n76.86 = 76.86 * 100/100 = 7686/100 or 3843/50 in fraction in lowest term\n\n🎃\n0\n🤨\n0\n😮\n0\n😂\n0\n\n## Related Questions", null, "You need to indicate what date to count from.", null, "The phone number of the Kingsgate Library is: 425-821-7686.", null, "The phone number of the Roanoke Branch Library is: 309-923-7686.", null, "The phone number of the George Hail Free Library is: 401-245-7686.", null, "The country code and area code of Khajuraho- Chhatarpur, India is 91, (0)7686.", null, "The address of the Mt. Pleasant Branch Library is: 8556 Cook St, Mt. Pleasant, 28124 7686", null, "Billy the Kid Wanted - 1941 is rated/received certificates of: Sweden:15 USA:Approved (PCA #7686)", null, "Since a unit fraction IS a fraction, it is like a fraction!Since a unit fraction IS a fraction, it is like a fraction!Since a unit fraction IS a fraction, it is like a fraction!Since a unit fraction IS a fraction, it is like a fraction!", null, "different kinds of fraction: *proper fraction *improper fraction *mixed fraction *equal/equivalent fraction", null, "", null, "A complex fraction has a fraction in the numerator or the denominator or both", null, "An improper fraction is a fraction. It can't become a proper fraction.", null, "It is the fraction divided by 8.It is the fraction divided by 8.It is the fraction divided by 8.It is the fraction divided by 8.", null, "Every fraction is an equivalent fraction: each fraction in decimal form has an equivalent rational fraction as well as an equivalent percentage fraction.", null, "A fraction that has a different sign to the first fraction.", null, "An equivilant fraction is a fraction that equals the same as another fraction when simplified.", null, "", null, "", null, "To get 66.6% of a fraction, multiply the fraction by 666/1000 or by 0.666.66.6% of a fraction= 66.6% * 10/10 * 1/100% * the fraction= 666/1000 * the fractionor 0.666 * the fraction", null, "407 is an integer, not a fraction. It can be expressed as a fraction by writing it as 407/1.407 is an integer, not a fraction. It can be expressed as a fraction by writing it as 407/1.407 is an integer, not a fraction. It can be expressed as a fraction by writing it as 407/1.407 is an integer, not a fraction. It can be expressed as a fraction by writing it as 407/1.", null, "There cannot be a whole fraction. If it is a fraction it is not whole and if it is whole it is not a fraction.", null, "", null, "", null, "Provided the second fraction is not 0, you simply get another fraction.", null, "There is no such fraction. For any fraction, you can always find a fraction that is nearer to 1 - for example, the average of the fraction and one.\n\n###### Math and ArithmeticLibraries and Library HistoryTelephonesCalling and Area CodesMovie RatingsPercentages, Fractions, and Decimal Values", null, "Copyright © 2020 Multiply Media, LLC. All Rights Reserved. The material on this site can not be reproduced, distributed, transmitted, cached or otherwise used, except with prior written permission of Multiply." ]
[ null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,dpr_2.0,w_40,h_40/v1573840443/avatars/default.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB19.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB20.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB25.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,w_20,h_20/Icons/IAB_fullsize_icons/IAB5.png", null, "https://img.answers.com/answ/image/upload/q_auto,f_auto,dpr_2.0/v1589555119/logos/Answers_throwback_logo.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.9038902,"math_prob":0.96273935,"size":3592,"snap":"2020-45-2020-50","text_gpt3_token_len":932,"char_repetition_ratio":0.2215719,"word_repetition_ratio":0.2176,"special_character_ratio":0.26336303,"punctuation_ratio":0.123834886,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9976843,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32,33,34,35,36,37,38,39,40,41,42,43,44,45,46,47,48,49,50,51,52,53,54],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-10-30T17:37:29Z\",\"WARC-Record-ID\":\"<urn:uuid:b2725001-245a-4be1-b8ff-0041381f7887>\",\"Content-Length\":\"200529\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:83546eca-83bf-4267-a2c0-f20528efb48d>\",\"WARC-Concurrent-To\":\"<urn:uuid:cb9cb84d-1190-4f15-887a-0a8615fb2af1>\",\"WARC-IP-Address\":\"151.101.200.203\",\"WARC-Target-URI\":\"https://www.answers.com/Q/What_is_76.86_as_a_fraction\",\"WARC-Payload-Digest\":\"sha1:63QPW7GZ4KJPD62WUSSND6KG4L4KTO7T\",\"WARC-Block-Digest\":\"sha1:SQBPRVF2C7SQ5HFCPT7XGPMTSE4P4PXJ\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-45/CC-MAIN-2020-45_segments_1603107911027.72_warc_CC-MAIN-20201030153002-20201030183002-00101.warc.gz\"}"}
https://cran.csiro.au/web/packages/prioriactions/vignettes/sensitivities.html
[ "# Benefits and sensitivities\n\nA key characteristic of prioriactions is that it allows to calculate an approximation of the benefit obtained by carrying out conservation actions. This approximation is based on the following assumptions (Cattarino et al. 2015)(Salgado-Rojas et al. 2020):\n\n• Threats can be binary (presence/absence) or continuous (with levels of intensity).\n\n• There is only one action per threat.\n\n• Actions are fully effective, that is, an action against a threat eliminates it completely.\n\n• The probability of persistence of the features is proportional to the number of actions that are prescribed with respect to the total number of actions that would be needed to abate all threats that affect a given species in a given site.\n\nThus, the expected benefit ($$b$$) of a feature in an unit can be expressed mathematically for a set of planning units $$I$$ indexed by $$i$$, a set of threats $$K$$ indexed by $$k$$ and a set of features $$S$$ indexed by $$s$$ as:\n\n$b_{is} = p_{is} r_{is}$ Where $$p_is$$ is the probability of persistence of the feature ($$s$$) in a planning unit $$i$$ and $$r_is$$ is the amount of that feature $$s$$ in said unit $$i$$. prioriactions package focuses on the net benefit obtained after the application of actions, therefore, this probability of persistence is calculated with respect to the base situation, that is, when it does not take any action against threats.\n\nThe remainder of this document is organized as follows. In Section 1 we present how prioriactions calculates the benefits when the threats are discrete (presence/absence), and in Section 2 we present how prioriactions calculates the benefits when the threats have continuous intensities.\n\n## 1) Calculating benefits when threats are discrete (presence/absence)\n\nIn order to calculate the benefit obtained for a features in a planning unit when all threats have binary intensities (presence / absence), we define the probability of persistence as:\n\n$p_{is} = \\frac{\\sum_{k \\in K_i \\cap K_s} {x_{ik}}}{|K_i \\cap K_s|}$ Where, $$x_{ik}$$ is a decision variable that specifies whether an action to abate the threat $$k$$ in the planning unit $$i$$ has been selected (1) or not (0), $$K_i$$ is the set of all threats that exists in $$i$$ and $$K_s$$ is the set of all threats the feature $$s$$ is sensitive to.\n\nNote that $$|K_i \\cap K_s|$$ indicates the intersection between these two sets, that is, the threats that exist on the site $$i$$ and that, in turn, the features $$s$$ is sensitive to. In the case when the intersection is zero, which means that feature $$s$$ does not coexist with any of its threats in $$i$$, its probability of persistence is 1.\n\nConsiders that there are two planning objectives (recovery and conservation), so if a feature does not coexist with any of its threats (as in the previous case), its benefit contributes to achieving the conservation target (in the case of exist). Otherwise, the benefits contribute to the recovery target. More information about this point can be found in objectives vignette.\n\n### Not proportional probability of persistence\n\nAs we have seen, the probability of persistence is calculated initially as a linear relationship of the actions carried out concerning the possible actions to face the threats of a feature on a site. However, this relationship assumes that all threats contribute equally to the probability of persistence of the features. This approach to estimating probabilities of persistence could also overestimate the benefit of addressing threats (e.g., if two threats are present, one of them more impacting than the other, but only one of them -the less impacting- was addressed). For this reason, prioriactions incorporates different non-linear curves ($$v$$) as exponents to the original expression of $$p$$:\n\n$b_{is} = p_{is}^v r_{is}$ Thus, with $$v$$ as the type of curve or exponent, three options are possible: 1 = linear, 2 = quadratic, or 3 = cubic. The effect will be greater the higher the value of the parameter. In turn, the higher it is, the more complexity is added to the resolution of the resulting model and, for example, more likely it is to get solutions where all or almost all threats affecting a given features in a given site have been addressed. This curve parameter is built into prioriactions within the problem() function. Let’s see an example.\n\nTo show the difference between both models of benefit calculation when working with binary intensities, we use two different curves (linear and cubic) employing the example available in the Get started vignette.\n\n# load the prioriactions package\nlibrary(prioriactions)\n\ndata(sim_boundary_data, sim_dist_features_data, sim_dist_threats_data,\nsim_features_data, sim_pu_data, sim_sensitivity_data, sim_threats_data)\n\n# set monitoring costs to 0.1\nsim_pu_data$monitoring_cost <- 0.1 # set recovery_targets to 15% of maximum sim_features_data$target_recovery <- 0.15 * c(47, 28, 56, 33)\n\n# evaluate input data\nb.binary_base <- inputData(pu = sim_pu_data,\nfeatures = sim_features_data,\ndist_features = sim_dist_features_data,\nthreats = sim_threats_data,\ndist_threats = sim_dist_threats_data,\nsensitivity = sim_sensitivity_data,\nboundary = sim_boundary_data)\n\n# create the mathematic model\nc.binary_base <- problem(b.binary_base,\nmodel_type = \"minimizeCosts\")\n## Warning: The blm argument was set to 0, so the boundary data has no effect\n## Warning: Some blm_actions argument were set to 0, so the boundary data has no effect for these cases\n# solve the model\nd.binary_base <- solve(c.binary_base,\nsolver = \"gurobi\",\nverbose = TRUE,\noutput_file = FALSE,\ncores = 2)\n## Gurobi Optimizer version 9.1.2 build v9.1.2rc0 (linux64)\n## Thread count: 2 physical cores, 4 logical processors, using up to 2 threads\n## Optimize a model with 284 rows, 396 columns and 785 nonzeros\n## Model fingerprint: 0xda1a7bc4\n## Variable types: 176 continuous, 220 integer (220 binary)\n## Coefficient statistics:\n## Matrix range [5e-01, 2e+00]\n## Objective range [1e-01, 1e+01]\n## Bounds range [1e+00, 1e+00]\n## RHS range [4e+00, 8e+00]\n## Found heuristic solution: objective 489.0000000\n## Found heuristic solution: objective 146.6000000\n## Presolve removed 262 rows and 319 columns\n## Presolve time: 0.00s\n## Presolved: 22 rows, 77 columns, 169 nonzeros\n## Found heuristic solution: objective 50.6000000\n## Variable types: 0 continuous, 77 integer (63 binary)\n##\n## Root relaxation: objective 3.415000e+01, 14 iterations, 0.00 seconds\n##\n## Nodes | Current Node | Objective Bounds | Work\n## Expl Unexpl | Obj Depth IntInf | Incumbent BestBd Gap | It/Node Time\n##\n## 0 0 34.15000 0 5 50.60000 34.15000 32.5% - 0s\n## H 0 0 35.3000000 34.15000 3.26% - 0s\n## * 0 0 0 34.4000000 34.40000 0.00% - 0s\n##\n## Cutting planes:\n## Gomory: 1\n## Cover: 4\n## MIR: 2\n##\n## Explored 1 nodes (22 simplex iterations) in 0.00 seconds\n## Thread count was 2 (of 4 available processors)\n##\n## Solution count 5: 34.4 35.3 50.6 ... 489\n##\n## Optimal solution found (tolerance 0.00e+00)\n## Best objective 3.440000000000e+01, best bound 3.440000000000e+01, gap 0.0000%\n\nBy using getCost() we can explore the total cost of the solution and split into actions. We obtain a total cost of 34.4, divided into 1.4 for monitoring, 14 in actions to abated the threat 1 and another 19 in actions to abated the threat 2.\n\ngetCost(d.binary_base)\n## solution_name monitoring threat_1 threat_2\n## 1 sol 1.4 14 19\n\nNow by the getSolutionBenefit() function, we can obtain how the benefits are distributed for the different features. Notice that we use the type = \"local\" argument to obtain the benefits per unit and feature.\n\n# get benefits of solution\nlocal_benefits <- getSolutionBenefit(d.binary_base, type = \"local\")\n\n# plot local benefits\nlocal_benefits <- reshape2::dcast(local_benefits, pu~feature,value.var = \"benefit.total\", fill = 0)\n\nlibrary(raster)\n\nr <- raster(ncol=10, nrow=10, xmn=0, xmx=10, ymn=0, ymx=10)\nvalues(r) <- 0\n\ngroup_rasters <- raster::stack(r, r, r, r)\nvalues(group_rasters[]) <- local_benefits$1 values(group_rasters[]) <- local_benefits$2\nvalues(group_rasters[]) <- local_benefits$3 values(group_rasters[]) <- local_benefits$4\n\nnames(group_rasters) <- c(\"feature 1\", \"feature 2\", \"feature 3\", \"feature 4\")\nplot(group_rasters)", null, "The second model use a parameter of curve = 3 in its construction, and therefore, the calculate of probability of persistence is not proportional.\n\nc.binary_curve <- problem(b.binary_base,\nmodel_type = \"minimizeCosts\",\ncurve = 3)\n## Warning: The blm argument was set to 0, so the boundary data has no effect\n## Warning: Some blm_actions argument were set to 0, so the boundary data has no effect for these cases\nd.binary_curve <- solve(c.binary_curve,\nsolver = \"gurobi\",\nverbose = TRUE,\noutput_file = FALSE,\ncores = 2)\n## Gurobi Optimizer version 9.1.2 build v9.1.2rc0 (linux64)\n## Thread count: 2 physical cores, 4 logical processors, using up to 2 threads\n## Optimize a model with 284 rows, 572 columns and 785 nonzeros\n## Model fingerprint: 0x6afe5081\n## Model has 176 general constraints\n## Variable types: 352 continuous, 220 integer (220 binary)\n## Coefficient statistics:\n## Matrix range [5e-01, 2e+00]\n## Objective range [1e-01, 1e+01]\n## Bounds range [1e+00, 1e+00]\n## RHS range [4e+00, 8e+00]\n## Found heuristic solution: objective 489.0000000\n## Presolve added 242 rows and 557 columns\n## Presolve time: 0.01s\n## Presolved: 526 rows, 1129 columns, 2749 nonzeros\n## Presolved model has 164 SOS constraint(s)\n## Found heuristic solution: objective 488.0000000\n## Variable types: 984 continuous, 145 integer (140 binary)\n##\n## Root relaxation: objective 3.285500e+01, 308 iterations, 0.00 seconds\n##\n## Nodes | Current Node | Objective Bounds | Work\n## Expl Unexpl | Obj Depth IntInf | Incumbent BestBd Gap | It/Node Time\n##\n## 0 0 32.85500 0 22 488.00000 32.85500 93.3% - 0s\n## H 0 0 457.6000000 32.85500 92.8% - 0s\n## 0 0 33.07500 0 19 457.60000 33.07500 92.8% - 0s\n## H 0 0 51.5000000 33.07500 35.8% - 0s\n## 0 0 33.11500 0 20 51.50000 33.11500 35.7% - 0s\n## 0 0 33.12490 0 32 51.50000 33.12490 35.7% - 0s\n## 0 0 33.13125 0 34 51.50000 33.13125 35.7% - 0s\n## H 0 0 41.3000000 33.13125 19.8% - 0s\n## 0 0 33.13333 0 27 41.30000 33.13333 19.8% - 0s\n## 0 0 33.13333 0 27 41.30000 33.13333 19.8% - 0s\n## 0 0 33.23750 0 28 41.30000 33.23750 19.5% - 0s\n## 0 0 33.24750 0 18 41.30000 33.24750 19.5% - 0s\n## 0 0 33.24750 0 17 41.30000 33.24750 19.5% - 0s\n## 0 0 33.24750 0 22 41.30000 33.24750 19.5% - 0s\n## 0 0 33.24750 0 22 41.30000 33.24750 19.5% - 0s\n## 0 2 33.26000 0 22 41.30000 33.26000 19.5% - 0s\n## H 109 80 39.3000000 35.47635 9.73% 3.6 0s\n## 37059 1687 38.81870 55 4 39.30000 38.81870 1.22% 2.8 5s\n##\n## Cutting planes:\n## Gomory: 1\n## MIR: 2\n## Flow cover: 2\n##\n## Explored 48097 nodes (128726 simplex iterations) in 5.95 seconds\n## Thread count was 2 (of 4 available processors)\n##\n## Solution count 6: 39.3 41.3 51.5 ... 489\n##\n## Optimal solution found (tolerance 0.00e+00)\n## Warning: max constraint violation (1.1895e-02) exceeds tolerance\n## Warning: max general constraint violation (1.1895e-02) exceeds tolerance\n## (model may be infeasible or unbounded - try turning presolve off)\n## Best objective 3.930000000000e+01, best bound 3.930000000000e+01, gap 0.0000%\n\nNote that we obtain a total cost of 39.3, i.e. a higher cost than the when we use a linear curve. By using getCost(), we see that there are fewer units where actions are carried out, which suggests that more actions are being carried out in less sites.\n\ngetCost(d.binary_curve)\n## solution_name monitoring threat_1 threat_2\n## 1 sol 1.3 14 24\n\nIn the same way as in the previous model, using the getSolutionBenefit() function, we can obtain how the benefits are distributed for the different features:\n\n# get benefits of solution\nlocal_benefits.curve <- getSolutionBenefit(d.binary_curve, type = \"local\")\n\n# plot local benefits\nlocal_benefits.curve <- reshape2::dcast(local_benefits.curve, pu~feature,value.var = \"benefit.total\", fill = 0)\n\nvalues(group_rasters[]) <- local_benefits.curve$1 values(group_rasters[]) <- local_benefits.curve$2\nvalues(group_rasters[]) <- local_benefits.curve$3 values(group_rasters[]) <- local_benefits.curve$4\n\nplot(group_rasters)", null, "As we can see, for the base case, features 1 and 3 add to the total benefit sites where their probability of persistence is 0.5. Whereas when we use curve = 3, all but one site that contribute to reaching the target have a probability value of 1. This effect will be more evident when there are more threats in the planning exercise.\n\n## 2) Calculating benefits when threats are continuous\n\nSo far we have worked with two important premises: 1) that threats exist or not (presence/absence) and 2) that all features are equally sensitive to threats. To make these assumptions more flexible, we introduce the possibility of using threat intensities (in the same way that we use $$r_{is}$$ for features) and, the relationship of these intensities with the probability of persistence of the features (through response curves). These response curves can be fitted by a piece-wise function by means of four parameters within the sensitivities input data, where:\n\n• a : minimum intensity of the threat at which the features probability of persistence starts to decline.\n\n• b : value of intensity of the threat over which the feature has a probability of persistence of 0.\n\n• c : minimum probability of persistence of a features when a threat reaches its maximum intensity value.\n\n• d : maximum probability of persistence of a features in absence of a given threat.", null, "Where the greater the intensity of the threat, lower probability of persistence of the feature. Thus, with the definition of these four parameters mentioned above, different response curves can be fitted:", null, "The latter are examples of the curves that could be fitted with these parameters; that can be customized by users according to their needs by using the four parameters detailed above. Note that each of the curves is a relationship between a feature and a particular threat, but what happens to the probability of persistence of a feature when it coexists with more than one threats?.\n\nWe can define the probability of persistence of feature $$s$$ in the unit $$i$$ as a measure of the individual probability of persistence of feature $$s$$ with respect to threat $$k$$ in unit $$i$$ ($$p_{isk}$$), i.e.:\n\n$p_{is} = \\sum_{k \\in K_i \\cap K_s}\\gamma_{isk} p_{isk}$\n\nWith $$\\sum_{k \\in |K_i \\cap K_s|}\\gamma_{isk} = 1$$ and $$\\gamma_{isk} = \\gamma_{isk'} \\forall k, k' \\in |K_i \\cap K_s|$$.\n\nThe prioriactions package internally calculates the values of $$\\gamma_{isk}$$ reflecting the relative importance of each threat (considering its potential danger) when calculating the probability of persistence of each feature.\n\nNote the probability of persistence of a feature could be different from zero even if no actions are taken on it (depending on the type of response curve). This implies that doing nothing (no actions) in a unit could lead to, although small, benefits. These benefits are not considered to raise the targets regardless of the planning objective.\n\nFinally, the probability of persistence resulting can be calculated by:\n\n$p_{is} = \\frac{{\\sum_{k \\in K_i \\cap K_s: a_{sk} <= h_{ik} <= b_{sk}} \\frac{x_{ik} (h_{ik} - a_{sk})(d_{sk} - c_{sk})}{b_{sk} - a_{sk}} (1 - \\frac{c_{sk}(h_{ik} - a_{sk}) - d_{sk}(h_{ik} - b_{sk})}{b_{sk} - a_{sk}}+ \\sum_{k \\in K_i \\cap K_s: h_{ik} > b_{sk}} x_{ik}(1- c_{sk})(d_{sk} - c_{sk})}}{ {\\sum_{k \\in K_i \\cap K_s: h_{ik} < a_{sk}} 1 - d_{sk}} + \\sum_{k \\in K_i \\cap K_s: a_{sk} <= h_{ik} <= b_{sk}} 1 - \\frac{c_{sk}(h_{ik} - a_{sk}) - d_{sk}(h_{ik} - b_{sk})}{b_{sk} - a_{sk}}+ \\sum_{k in K_i \\cap K_s: h_{ik} > b_{sk}} 1 - c_{sk}}$ Where $$h_{ik}$$ is the intensity of the threat $$k$$ in the unit $$i$$.\n\n### Example with continuous intensities of threats\n\nIn order to demonstrate the use of the package when we have continuous values of intensities, we use the same example considered for the models with binary threat intensities. Note that both examples will not be compared due to differences in potential benefits and therefore in the targets used. Also, we assume that we only have information about the sensitivity of feature 1 to both threats, whose response curves have been fitted as follow:", null, "Note the feature is sensitive to any intensity of threat-1, while this is less sensitive to threat 2, as its probability of persistence remains invariant until the threat reaches high intensity values.\n\nFirst, we add the parameters $$a$$, $$b$$ to the input of sensitivities, leaving the measures that we do not know as NA. pioriractions is responsible for assuming them by their default values; for example, for parameter $$a$$, it is considered that the values not provided as 0, for $$b$$, the value will be the maximum intensity of said threat in the case of study, $$c$$ will be 0 and $$d$$ 1. In addition, we simulate the intensity of threats continuously using the runif() function; values between 0 and 150 for threat 1 and values between 0 and 1 for threat 2.\n\n# set a,b,c and d parameters\nsim_sensitivity_data$a = c(0, NA, NA, NA, 0.8, NA, NA, NA) sim_sensitivity_data$b = c(150, NA, NA, NA, 1, NA, NA, NA)\nsim_sensitivity_data$c = 0.0 sim_sensitivity_data$d = c(1, NA, NA, NA, 0.6, NA, NA, NA)\n\n# set continuous intensities\nset.seed(1)\n\nsim_dist_threats_data$amount[sim_dist_threats_data$threat == 1] <- round(runif(n = 57, 0, 123), 2)\nsim_dist_threats_data$amount[sim_dist_threats_data$threat == 2] <- round(runif(n = 63, 0, 1), 2)\n\n# evaluate input data\nb.continuous <- inputData(pu = sim_pu_data,\nfeatures = sim_features_data,\ndist_features = sim_dist_features_data,\nthreats = sim_threats_data,\ndist_threats = sim_dist_threats_data,\nsensitivity = sim_sensitivity_data,\nboundary = sim_boundary_data)\n\n# set the target of recovery to 15%\nmax <- getPotentialBenefit(b.continuous)\nsim_features_data$target_recovery <- 0.15 * max$maximum.recovery.benefit\n\n# evaluate input data\nb.continuous <- inputData(pu = sim_pu_data,\nfeatures = sim_features_data,\ndist_features = sim_dist_features_data,\nthreats = sim_threats_data,\ndist_threats = sim_dist_threats_data,\nsensitivity = sim_sensitivity_data,\nboundary = sim_boundary_data)\n\n# create the mathematic model\nc.continuous <- problem(b.continuous,\nmodel_type = \"minimizeCosts\")\n## Warning: The blm argument was set to 0, so the boundary data has no effect\n## Warning: Some blm_actions argument were set to 0, so the boundary data has no effect for these cases\n# solve the model\nd.continuous <- solve(c.continuous,\nsolver = \"gurobi\",\nverbose = TRUE,\noutput_file = FALSE,\ncores = 2)\n## Gurobi Optimizer version 9.1.2 build v9.1.2rc0 (linux64)\n## Thread count: 2 physical cores, 4 logical processors, using up to 2 threads\n## Optimize a model with 284 rows, 396 columns and 766 nonzeros\n## Model fingerprint: 0xfea67198\n## Variable types: 176 continuous, 220 integer (220 binary)\n## Coefficient statistics:\n## Matrix range [2e-04, 2e+00]\n## Objective range [1e-01, 1e+01]\n## Bounds range [1e+00, 1e+00]\n## RHS range [2e+00, 5e+00]\n## Found heuristic solution: objective 153.7000000\n## Presolve removed 250 rows and 248 columns\n## Presolve time: 0.00s\n## Presolved: 34 rows, 148 columns, 278 nonzeros\n## Found heuristic solution: objective 42.4000000\n## Variable types: 0 continuous, 148 integer (146 binary)\n##\n## Root relaxation: objective 2.011896e+01, 17 iterations, 0.00 seconds\n##\n## Nodes | Current Node | Objective Bounds | Work\n## Expl Unexpl | Obj Depth IntInf | Incumbent BestBd Gap | It/Node Time\n##\n## 0 0 20.11896 0 9 42.40000 20.11896 52.5% - 0s\n## H 0 0 29.1000000 20.11896 30.9% - 0s\n## H 0 0 21.9000000 20.11896 8.13% - 0s\n## H 0 0 21.8000000 20.11896 7.71% - 0s\n## 0 0 20.82302 0 3 21.80000 20.82302 4.48% - 0s\n## 0 0 20.91403 0 3 21.80000 20.91403 4.06% - 0s\n## 0 0 21.21879 0 4 21.80000 21.21879 2.67% - 0s\n## 0 0 21.47599 0 5 21.80000 21.47599 1.49% - 0s\n## 0 0 21.53170 0 5 21.80000 21.53170 1.23% - 0s\n## 0 0 21.54367 0 6 21.80000 21.54367 1.18% - 0s\n## 0 0 21.58911 0 6 21.80000 21.58911 0.97% - 0s\n## 0 0 21.59162 0 7 21.80000 21.59162 0.96% - 0s\n## 0 0 21.59578 0 8 21.80000 21.59578 0.94% - 0s\n## 0 0 21.61294 0 8 21.80000 21.61294 0.86% - 0s\n## 0 0 cutoff 0 21.80000 21.80000 0.00% - 0s\n##\n## Cutting planes:\n## Gomory: 2\n## Cover: 3\n## MIR: 1\n## StrongCG: 2\n## RLT: 1\n##\n## Explored 1 nodes (56 simplex iterations) in 0.01 seconds\n## Thread count was 2 (of 4 available processors)\n##\n## Solution count 5: 21.8 21.9 29.1 ... 153.7\n##\n## Optimal solution found (tolerance 0.00e+00)\n## Best objective 2.180000000000e+01, best bound 2.180000000000e+01, gap 0.0000%\n\nNote that the maximum benefits to be achieved have changed due to the presence of intensities in the threats and the sensitivity curves (with respect to the base model). We can use getPotentialBenefit() to explore the difference between these benefits:\n\n# get potential benefits\ngetPotentialBenefit(b.continuous)\n## feature dist dist_threatened maximum.conservation.benefit maximum.recovery.benefit maximum.benefit\n## 1 1 47 47 0 13.7781 13.7781\n## 2 2 30 28 2 14.6788 16.6788\n## 3 3 66 56 10 32.9739 42.9739\n## 4 4 33 33 0 15.9912 15.9912\n\nNow by the getSolutionBenefit() function, we can obtain how the benefits are distributed for the different features. Notice that we use the type = \"local\" argument to obtain the benefits per unit and feature.\n\n# get benefits of solution\nlocal_benefits.continuous<- getSolutionBenefit(d.continuous, type = \"local\")\n\n# plot local benefits\nlocal_benefits.continuous <- reshape2::dcast(local_benefits.continuous, pu~feature,value.var = \"benefit.total\", fill = 0)\n\nvalues(group_rasters[]) <- local_benefits.continuous$1 values(group_rasters[]) <- local_benefits.continuous$2\nvalues(group_rasters[]) <- local_benefits.continuous$3 values(group_rasters[]) <- local_benefits.continuous$4\n\nplot(group_rasters)", null, "Note that the selected sites differ to a greater extent from those chosen in the base model with binary threat intensities. From the above, the effect that can bring with the use of sensitivities and intensities of continuous threats on the management of conservation actions is extracted." ]
[ null, "data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAfgAAAH4CAMAAACR9g9NAAAACXBIWXMAAAsSAAALEgHS3X78AAADAFBMVEXy8vKvr69GRkYQEBBJSUmJiYksLCz///8ApgDm5AJkZGQlJSUnJyfX19cAAACmpQFERET+/v6FhYWQkJAjIyP9/f2oqKhAQECPj48GIAY9PT3U1NRmZmb6+vqZmZkeHh4xMTGNjY3g4OAhISGRkZFiYmJ2dnYbGxtFRUWDg4MoKCjd3d0ODg60tLTf3993d3dHR0e3t7fJycn4+Piqqqrl5eXV1dXMzMx+fn7o6OjAwMD5+fkMDAxhYWEgICBZWVloaGjc3NwvLy+MjIxRUVH19fWsrKw3NzcICAiHh4cKCgrT09OkpKTGxsagoKAXFxewsLC8vLyIiIiTk5MtLS1ubm7u7u4AeABLS0vk5OR4eHhPT08hTxZDQ0N6enpCQkIFBQX39/cmJiZqamqUlJQqKiq4uLgZTRYQrAAJqgAesQAmtAAutgDvwrNzywDvvqrrsWdhUDPR0dHqtVRfXxfqt0vr6+teXl5hUS0+uwC2trZGvgAxVBZYwwDuuqDssXrttI3pukHtsoPut5ZiUEJgVyHnzh1RXBboyCbpvjhhVCd8fHza2tq+vr7b29u/v781NTVjY2PDw8N1dXUZGRlNTU1XV1eampodTRaioqImURZkW1pkX19jVVBjWFY5VhY9WBZjUkthTzgaGhpgWxxWXhZiTzxiUUZKWxYyMjKWlpb8/PzBwcGdnZ3FxcVUVFTLy8tKSkqpqam5ublycnKLi4sBbwAEpwAWrgAZrwDy7Ozx29jx4+Lx1tPy5+bw08/x3tw1uADwz8nwzcVsyADwyb/vx7toxwB7zAA1VhZjxgCFzwB/zQCJ0ACzs7NBWBbrsl/rsW7qs1yP0QDm2g3a4wBbXhbf5ADT4QDm3Qnm4gTm5gA4uQDssXLm1hLP4ABfxQCnp6eBgYEqUhbI3wAsUxbn0xZRwQBGWhZOwACT0gDD3gCZ1ACd1QCj1gCu2QC52wDoxC3owjG93ACn1wCy2gARERFaWlo6Ojo/Pz/j4+MTExMPMg9EWRbNzc2mpqZivrtqAAAVf0lEQVR42u3deVzT9x3H8SCu3w7lt0QDYYQQToEYIeCBCAVKQRQFpEMnMsCjdr3b0VVXut5b1043D7TWne3cpejq2fu+14P1XO9jrmvX+65du+v3gxCS+OP7DY525vN5f/5obfKD5sUz/CB5fEwsAsNyLPgSAB4DeAzgMYDHAB4DeNNJb6wIvSDBN3voozdvp/Q1HU7719xlo1ZTgt/gLg69oEe7fKhjp2ZpqyjBD6N9vVa7qqyZEHyJN3mFaFhatnGBsHU3zlq7U3g0rXKeNlcUacfM0PI6Nvmv1effmkYKfjjtedq/xUptBR14PdVar1VneVvFFO1AVtknIkPbuCAQX1ZV6L9WnyXOGFLww2mfOMMlrvb2EDrVx1pFpVbccrVWcvTxq2O85X2nu0C8fubzX9t3sJPWqX5Y7aJBmy9owY/WjPnDp6O1nPD4LDFwLVH4iNt79mopLmLwK2f1iJqSnv3aduEeiD9O9Brxx4mBa4nCR9qe0Kpto/VwTo/v1Sr/klnuqtQWpWg5wlbX7OzUxuwf44/3X9tpTaUIH2l7lzY2Ly/PQgteJJWX+VaLH1fFZv9D6xTTP+4W3V77fn+8/9oZWjdF+EjbC/pO+i2E4DGH+QAe8BjAYwCPATwG8Biq8Imjo2uqR/BrwqJ9KPhRvi9F1cwaQXgW7UPCj4uuM1fsSMJzaAc84AEPeMADHvCABzzgAU8E3gZ4fvD52fZMtz17KuCZwSfP09c8XV2jAM8Mvqr/PO8APDP4VclJiYlZ1jzAc/vlzplUMCHdOXBJUYoxjSmAZ/ZwzlJsjDvGElVzxEjCc2gf6nH8GMCTh18xvn8Azwx+cpIX8DxP9W041eNnPOABD3jAAx7wgAc84AEPeMADHvCABzzgAQ94wAMe8IAHPBv4Iw8awAMe8IAHPOABD3jAAx7wgAc84AEPeMADHvCABzzgAQ94wAMe8GThawDPDn5nW1tnh9u9hgP8ZP8bN09PS87nBh/arsM3N9WXNYhpAx9e0mRMDk14/18Gn5Zsi8nmBh/arsN7bGJpvrAt91/vPNaYz2I+nxv5/4W3evvjk5KEy85s9SqsXYdft7Dal5sYd0Bxqo9C+JpNqakVqcZMCr3XFyQKkUkbXtWuwyd07bH1LktfQg8+/p/XXFM3xZj1ofET9Hi3jTS8qj3yh3PRCP/Na6+NNfs5l54leoif6lXtxOFPPPHgeNtk4bSKwqOow8vbGcIfnSNEniN3Kkf4wXbi8CecEHs4P4Hzf2ynDX8FY/grWMNfdx1feHk7cfjrr+cLL2+nDf+Nk05iC69oBzzgKcKffDJfeHk74AFPEP4np5zCFl7RDnjAU4S//Xa+8PJ22vB/fe45tvCK9iHhv/LlsInK+LPPDokfWLVLiPNUFVOHl7ezgg+s2nUttDVZecGHt9OG/9s55wTHB1bt9lSL+jbi8Ip2VvCBVTubb2lZJy/48Hba8N997bXFVmMWha7aTcrNb+ggDq9oJw7/6qvB9/rAqt0y46tQQxxe3k4c/txzg+P71830vbP0FFt8DvXveHk7K/j+dTN972xJxfLla3jBh7fThv/jSy+xfQJH0U4c/v77+cLL22nD//Lee9nCK9qJw991F194eTtx+NNO4wsvb6cNfyVj+Csjg7fQhL/vPr7w8nYdvMjXU7ihfEw9RfgHH+QLL2/X4cfOEfZ40VlFEP5PDzzAFl7RrsPXlormUmFb67+kqe+Z/bqD4A+eKIh/6CG+8PJ2HX7z1n2tvvTcdsV3fDTC/+uxx9jCK9qNX+patrXvnV0kCML//fXX2cIr2iN/OBeV8G++yRde3k4b/vdvvWW6cCg213qKiMMr2onDv/226cJhy9bSOT7q8PJ24vAffmi6cLhtnxA91OHl7bThf/DOO7NSjMkKXThsr262FxKHV7QTh//oI+9EY0pCFw73+krjN1CHl7cTh3/3XdOFw9npQpRbiMPL24nDf/CB6cJhUa6tk/orWyraacP/5o03TBcORfva5nri8Ip24vAvv8z2CRxFO3H4F1/kCy9vpw3/56eeYguvaCcO/8QTfOHl7bThv/3kk2zhFe3E4Z99li+8vD1Kt2wPej2er5rHP/NMlMEfeQhzSO3E4Z9+mi+8vJ02/K8ff5wtvKKdOPwLL/CFl7cTh3/lFb7w8nba8N+/5BK28Ip2XvBB7yXca2EGH9ZOHP7SS033zvS/N7Y4gzq8vJ0V/OB7CVusaczgw9tpw//wvfeC148G30s4bruDOryinTj8++8HLxwG9s5mFgj68PJ24vCXXWa6d2ZNq/WmTSQOL29nBR/YO9OH/ne8vJ02/HcuvNB874wBvKKdFzynJ3AU7QPwE2nCn3UWX3h5u/EcToY+aRkZgGcG37s4zeHwOhyKl0KJRvhvnXkmW3hFu3GqL7JuF7WH86k+gjfAOoII/BfW3vcz3hJXkEYT/tFH+cLL2/2/3M200oR/+GG+8PL2qHg4d8jxvzrjDLbwinbAA54i/COP8IWXt9OG/+3zz7OFV7QThz//fL7w8nbAA54g/Pcuusj8HZXnV9l7icMr2lnBBxYOY1qFs5EXfHg7cfgLLjBdOJyr3+UzS4nDy9vJwwe/se7gwqEQu3cJ8vCydtrwv7v44uB7fWDhULi6axcQh1e0s4IPLBy62ha5BC/48Hba8Fedd57pwuGOSvoP5xTtrOADC4frtng8nlJW8OHtQ8J/Xfn/i+RWfmFfnyHiTz+d7WvgKNoBD3iC8D8/9VS28Ip2wAOeIvw99/CFl7fThv/F3XezhVe0E4e/806+8PJ24vB33MEXXt5OG/6nt97KFl7RThz+5pv5wsvbicPfeCNfeHk7bfif3XYbW3hFO3H4m24yf5G/oFf7IwsvbycOf8stpntnQa/2Rxde3k4bft0NN5junQ2+2h9deEV7H3xp4B/E4DsaGuqmGLM+dO8seAGNKryi3XhFjMbMXfoSlocefM2m1NSKVGMmhe6dDS6gkYVXtevw9mlid60rAO881pjPKMCHT2DvLPAHuvCqdh2+Sv+v7kUB+JImY3Ioxgf2zvr/wAo+vF2HX9baK1wdlVtCT/UU4wdf5K/vD6zgw9t1+ISYufrS7Y5sBvCMnsBRzZAP5wAPeMADHvCABzzgAQ94wAMe8IAHPOABD3jAAx7wgAc84AEPeMADHvCABzzgAQ94wAMe8IAHPOABD3jAAx7wgAc84AEPeMADHvCABzzgoxDeBnh+8PnZ9ky3PXsq4JnBJ8/T347K1TVq4JJiY9yAJw9f1X+ed/gvKUoxpjFFRNXEjiT8OAbtOvyq5KTExCxrHr945vDCmVQwId0pAM8Nnm084AEPeMADHvCABzzgAQ94wAMe8IAHPOABH33wvi9F1cwaSXgO7UPBJ46OrqkeQXgW7RaBYTmABzwG8BjAYwCPATwG8BjAYwCPATwG8BjAYwCPATwG8BjAYwCPATwG8BjAYwCPATwG8BjAAx4DeAzgMYDHAB4DeMmkN1aEXpDgmz3UsVnLyxa2EPqaDqddiHGVOynBb3AXh17Qo10+xKGTtJXTtasJwQ+jXYjjNS2REHyJN3mFaFhatnGBsHU3zlq7U3g0rXKeNlcUacfM0PI6Nvmv1ecYu0W40+i4D6ddlC7dSApeT7XWa9VZ3lYxRTuQVfaJyNA2LgjEl1UV+q/tm6njtG104IfVPjt5Cil4EWsVlVpxy9VaydHHr47xlved7gLx+pnPf23fwTtm1TUROtUPo/3TWOdMcvCjNWP+8OloLSc8PksMXNt/9IKq2B5S8JG2Z69tWKZVltCCXzmrR9SU9OzXtgv3QPxxoteIP04MXGv8jNd/JK7USkjBR9ru67sLrKcF36tV/iWz3FWpLUrRcoStrtnZqY3ZP8Yf77+205r6H82xt85D61Qfabt+NL1TvUgqL/OtFj+uis3+h9Yppn/cLbq99v3+eP+1M7RusT+nbNRqWvARt5ODxxzmA3jAYwCPATwG8BjAY6jC42XLmb5sOd6ogOkbFeCtSYi3Ax7wgAc84AEPeMADHvCAJwJvAzw/+Pxse6bbnj0V8Mzgk+e5hHB1jQI8M/iq/vO8A/DM4FclJyUmZlnzAM/tlztnUsGEdOfAJUUpxjSmAJ7ZwzlLsTHuGEtUzREjCc+hfajH8WMATx5+xfj+ATwz+MlJXsDzPNW34VSPn/GABzzgAQ94wAMe8IAHPOABD3jAAx7wgAc84AEPeMADnjb8keoBPOABD3jAAx7wgAc84AEPeMADHvCABzzgAQ94wAMe8IAHPOABD3iC8DWAZwe/s62ts8PtXsMBfvKK/n9PT0vO5wYf2q7DNzfVlzWIaQMfXtJkTA5NeP9fBp+WbIvJ5gYf2q7De2xiab6wLfdf7zzWmM9i1GLRF2/19scnJQmXnRl8WLsOv25htS83Me6A4lQfhfA1m1JTK1KNmRR6ry/Q39Uzkza8ql2HT+jaY+tdlr6EHnz8P6+5pm6KMetD4yfo8W4baXhVe+QP56IR/pvXXhtr9nMuPUv0ED/Vq9qJw5944sHxtsnCaRWFR1GHl7czhD86R4g8R+5UjvCD7cThTzghlukTOKp22vBXMIa/gjX8ddfxhZe3E4e//nq+8PJ22vDfOOkktvCKdsADniL8ySfzhZe3Ax7wBOF/csopbOEV7YAHPEX422/nCy9vpw3/1+eeYwuvaB8S/itfDpuojD/77JD4gVW7hDhPVTF1eHk7K/jAql3XQluTlRd8eDtt+L+dc05wfGDVbk+1qG8jDq9oZwUfWLWz+ZaWdfKCD2+nDf/d115bbDVmUeiq3aTc/IYO4vCKduLwr74afK8PrNotM74KNcTh5e3E4c89Nzi+f91M3ztLT7HF51D/jpe3s4LvXzfT986WVCxfvoYXfHg7bfg/vvQS2ydwFO3E4e+/ny+8vJ02/C/vvZctvKKdOPxdd/GFl7cThz/tNL7w8nba8Fcyhr8yMngLTfj77uMLL2/XwYt8PYUbysfUU4R/8EG+8PJ2HX7sHGGPF51VBOH/9MADbOEV7Tp8baloLhW2tf5Lmvqe2a87CP7giYL4hx7iCy9v1+E3b93X6kvPbVd8x0cj/L8ee4wtvKLd+KWuZVv73tlFgiD8319/nS28oj3yh3NRCf/mm3zh5e204X//1lumC4dic62niDi8op04/Ntvmy4ctmwtneOjDi9vJw7/4YemC4fb9gnRQx1e3k4b/gfvvDMrxZis0IXD9upmeyFxeEU7cfiPPvJONKYkdOFwr680fgN1eHk7cfh33zVdOJydLkS5hTi8vJ04/AcfmC4cFuXaOqm/sqWinTb8b954w3ThULSvba4nDq9oJw7/8stsn8BRtBOHf/FFvvDydtrwf37qKbbwinbi8E88wRde3k4b/ttPPskWXtFOHP7ZZ/nCy9sPxy3bIw9hvmoe/8wzUQb/hbUTh3/6ab7w8nba8L9+/HG28Ip24vAvvMAXXt5OHP6VV/jCy9tpw3//kkvYwivaecEHvZdwr4UZfFg7cfhLLzXdO9P/3tjiDOrw8nZW8IPvJWyxpjGDD2+nDf/D994LXj8afC/huO0O6vCKduLw778fvHAY2DubWSDow8vbicNfdpnp3pk1rdabNpE4vLydFXxg70wf+t/x8nba8N+58ELzvTMG8Ip2XvCcnsBRtA/AT6QJf9ZZfOHl7cZzOBn6pGVkAJ4ZfO/iNIfD63AoXgolGuO/deaZbOEV7capvsi6XdQeRqf6Q5kjiMBHcE8Ymfa+n/GWuII0mvCPPsoXXt7u/+VuppUm/MMP84WXt9N+SdNfnXEGW3hFO+ABTxH+kUf4wsvbacP/9vnn2cIr2onDn38+X3h5O+ABTxD+exddZP6OyvOr7L3E4RXtrOADC4cxrcLZyAs+vJ04/AUXmC4cztXv8pmlxOHl7eThg99Yd3DhUIjduwR5eFk7bfjfXXxx8L0+sHAoXN21C4jDK9pZwQcWDl1ti1yCF3x4O234q847z3ThcEcl/YdzinZW8IGFw3VbPB5PKSv48PYh4Um8DsxVp5/+hT2BowY6rNoBD3iC8D8/9VS28Ip2wAOeIvw99/CFl7fThv/F3XezhVe0E4e/806+8PJ24vB33MEXXt5OG/6nt97KFl7RThz+5pv5wsvbicPfeCNfeHk7bfif3XYbW3hFO3H4m24yf5G/oFf7IwsvbycOf8stpntnQa/2Rxde3k4bft0NN5junQ2+2h9deEV7H3xp4B/E4DsaGuqmGLM+dO8seAGNKryi3XhFjMbMXfoSlocefM2m1NSKVGMmhe6dDS6gkYVXtevw9mlid60rAO881pjPKMCHT2DvLPAHuvCqdh2+Sv+v7kUB+JImY3Iowgf2zvr/EBWrV59Xuw6/rLVXuDoqt9A71R80gRf56/sDK/jwdh0+IWauvnS7I5sBfBT+pcnPq530wznAAx7wgAc84AEPeMADHvCABzzgAQ94wAMe8IAHPOABD3jAAx7wgAc84AEPeMADHvCABzzgAQ94wAMe8IAHPOABD3jAAx7wgAc84AHPDt4GeH7w+dn2TLc9eyrgmcEnz9PfjsrVNWrgkmJj3IAnD1/Vf553+C8pSjGmMUVE1cSOJPw4Bu06/KrkpMTELGsev3jm8MKZVDAh3SkAzw2ebTzgAQ94wAMe8IAHPOABD3jAAx7wgAc84AEfdfCfbI1TzcoDykOyK5SHxF0+IocsHsEvJIv2oeB9OWNVs6VReYj7Y+UhY+qUh4yN5JARhGfRPhT8uOOVHzrla8pDOucrD6lZqL6RjhE5JOJh0Q54wAMe8IAHPOB5wU8rUX5oy2r1Z9+pPCRhhvpG/mhEDol4WLRbBIblAB7wGMBjAI8BPAbwGKLw09OS8xWPQedX2XuVn75XdcfaXOspUvyP4jxVxfJDJq+I6CZHODzazW/ctGRbTLb8A2NahbNR9dmLFmfID2jZWjrHJz+ka6GtySo/ZPz4iG5yZMOk3Rw+KUm47PIPnKvf5TNLFZ/cmqaI37ZPiB75IXuqRX2b9Aird3xENzmyYdJuDl+QqJcpP3b3LsUBcdsdivj26mZ7ofwQm29pWaf6Xh/ZTY5gmLSbw0/QP5PbJv9IV3ftAvkRMwuEKn6vrzR+g/yQSbn5DR3q+EhuckTDpN0cPj1L9CjOHa62RS7F57am1XrTJkoPmZ0uRLn8l6BlRlWNMj6CmxzZMGk3/x87raLwKPkH7qiM5NOr7vVFubZOxU1OT7HF56jv9RHc5MiGSfsQ97g8R+5U+Qeu2+LxeEr/13jRvra5Xn7Ekorly9eo4yO4yREOj3Y8gYMncDCc5r9ugme6enhxbAAAAABJRU5ErkJggg==", null, "data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAfgAAAH4CAMAAACR9g9NAAAACXBIWXMAAAsSAAALEgHS3X78AAAC/VBMVEXy8vJGRkYQEBBkZGSJiYmvr68sLCz///8ApgBJSUklJSUnJyfX19cHqADqtk8AAABERET+/v6FhYWQkJAjIyOoqKhAQECPj48GIAY9PT38/PxmZmb6+vrU1NSZmZkxMTEAeAAeHh6NjY3g4OAhISGRkZGqqqpiYmIbGxtFRUUoKCjd3d0ODg7f3993d3dHR0eDg4O3t7fJycn4+PjAwMB+fn7MzMzl5eXV1dWzs7N2dnbo6Oj5+fkMDAxhYWHc3NwgICBoaGgvLy+MjIxRUVH19fU3NzesrKwICAiHh4d1dXUKCgr9/f25ubmkpKTGxsYZGRmgoKAXFxewsLCIiIi8vLyTk5N4eHgtLS3u7u5ZWVmpgzlLS0vk5OQ0NDRPT08hTxZubm6+vr5qampCQkIFBQX39/cmJiZ6enrT09PS0tKUlJQqKirb29u0tLQZTRYLqgAQrAAXrwAesQDvwrNzywDvvqrrsWfrs13Q0NDssXBgWxvr6+teXl4+uwArUha2trZGvgBPwQDuuqDssXrpukHttI3tsoPut5bnzh3oyCbpvjhjY2PDw8OBgYFNTU1XV1eampodTRaioqImURZkXFtjVVA/WBZjUkthTzZhUDJiTztDWRY0VhZaXhZfXxZhUS1YWFgwVBY7OztiUUZiTz9hUylRXRZMWxYRERGWlpb7+/tycnLBwcGdnZ3FxcVUVFTLy8t8fHxKSkrZ2dmLi4sBbwAEpwAlswAotAAwtgAttQDy7Ozx29hkX1/x1tPy5+bw08/x4+Lx3tzwz8k1uABjWVfwzcVsyADwyb/vx7s4VhZoxwBjV1U7VxaFzwBjxgB/zQB7zACJ0ADqtFbqtVKP0QDm4gTa4wDm3Qnm2g3f5ADT4QDm5gDP4AA4uQDm1hJfxQCnp6fpt0nI3wBVXRbn0xZawwBWwgCT0gDD3gBgWB+Z1ABIWhZiUEKd1QCj1gCu2QBgViJhVCXoxC3owjGy2gC93ACn1wC52wBaWlo/Pz/j4+MPMg+mpqZdNYvBAAAVqElEQVR42u3de1xT9/3HcYTRrxfsSTSBcQlpuAjEQAAVRaAFCqiAcrFMZApTUdE613tLpx2937zW3ezuc93mdfXWe9f7elm33u/3tett3dpuvbpuj985EEISDt9v8EcdfD7vzx+tTQ40L57hQPL4mEQIDMuJwJcA8BjAYwCPATwG8BjAm05KY0vwBbXeOQMfvW0vpa/pYNq/5ioZdYgSfL2rIPiCBO0XAx07PV07QAl+EO0btaoDJc2E4Is8O9aJhpUlmxcKa3Xj7Nb9wq1pZfO1eSJfO3mqltu+1XetPgWaRgp+MO25WoFYr62jA6+nWuq0inRPm5ikHUkv2SFStc0L/fEl5Xm+a/VZ4YgmBT+Y9slTd4vrPQmETvWRFlGmFSy+Xis6Ke9QtKe0+3Tnj98ieq/tPthB61Q/qHbRoC0RtODHaMb87osxWmZofLrovZYofNjtCXu0xN3E4NfPThCVRQmbtL3CZcRv0eNPFYVG/Kmi91qi8OG217Zpu2g9nNPjC7Wyv6SVJpVpCxK1TGGtaXZ0amM3jfXF+67ttCRThA+3vUsbl5ubG0ELXsSVlngPiW+WR2b8W+sU03ZWi2qPbZMv3nftVK2aIny47TndJ/3FhOAxw3wAD3gM4DGAxwAeA3gMVXj7mJE1FUP4NWHRPhD8KO9XRtTMHkJ4Fu0Dwk8YWWeuyKGE59AOeMADHvCABzzgAQ94wAOeCLwV8PzgszNsaS5bxnTAM4OPn6+vee7uGgV4ZvDlPef5WMAzgz8QH2e3p1tyAc/tlztHXM7MFEfvJfmJxjQmAp7Zw7mIAmNc0REjao4bSvjh1D663wxN+0CP48cCnjz8uok9A3hm8FPiPIDneapvx6keP+MBD3jAAx7wgAc84AEPeMADHvCABzzgAQ94wAMe8IAHPODZwIeh+mW1Ax7wgAc84AEPeMADHvCABzzgAQ94wAMe8IAHPOABD3jAAx7wgD/W8JWAZwe/v729s93lWsoBforvjZunOeOzucEHt+vwzU11JQ1iRu+HFzUZk0kT3veXwWfEW6MzuMEHt+vwbqtYmS2sa3zXO04xZucJo5Uz8uAtnp74uDiRZBsZq1dfVrsOv2FRhTfLHnUk+FRPAb5ya3JyS7Ixa4Pv9Tl2IdJow6vadfjarrnWwmUpK+jBx/znhhtqJhmzMTh+ph7vspKGV7UP+HCOBPy3brwx0uznXEq6SCB+qle1E4cfP75/vHWKcFhE3onU4eXtxOFPO61//EmZQuTGZk2nDi9vJw5/+umRw/kJnP9hO234axjDX8Ma/owz+MLL2wEPeILw3zjzTLbwinbAA54i/E038YWXtxOHv/lmvvDydtrw3731Vrbwinbi8Lfcwhde3k4c/r77+MLL24nDv/IKX3h5e/hbtiMR/jsXXBAU37tqVxvlLi8gDq9oZwXvX7XrWmRtsvCCD20nDn/hhYHx/lW7uRWirp06vLydFbx/1c7qXVnSyQs+tJ02/C8vumi5xZgFwat2a7OyG6h/xyvaycMH3uv9q3bLjK9CJXl4WTtx+LffDozvWTfT985SEq0xmdS/4+XttOF/8tZbQQ9putfN9L2zFS1r1iwlDq9oJw7/2mtsn8BRtBOHf/RRvvDydtrwf3z4Ybbwinbi8A88wBde3k4b/s9nn80WXtEOeObwESThf/D442zhFe06eL43Ia++dGwdRfjHHuMLL2/X4cetErYYsbqcIvwjj/CFl7fr8FXForlYWFt9lzR1P7NfQyL+x088wRZe0a7Db2s93OZNyepQfMePyPinn+YLL283fqlbvKtjz5x8QRH+nXf4wsvbSb+yZczf33uPLbyinTj8+++bLhyKbVXufOrw8nba8L/94APThcPFrcWrvMThFe3E4T/7zHThcNdhIRKow8vbicN/+OHsRGPSgxcOOyqabXnU4eXttOF/88knnsnGFAUvHO7xFsfUE4dXtBOH//xz04XDOSlClEYQh5e3E4f/9FPThcP8LOtq6q9sqWinDf/Xd981XTgUHa3NdcThFe3E4d94g+0TOIp22vA/fflltvCKduLwL77IF17eThz+2Wf5wsvbacP/7IUX2MIr2onDv/QSX3h5+4DwXz8+ZIZVa781sK+axz/zzAiDH30Uc1TttOG//dxzbOEV7cThn3+eL7y8nTj8q6/yhZe3E4d/802+8PJ22vB/u/JKtvCKdl7wAe8lXBjBDD6knTb8P6+6ynTvTP97Y8tTicMr2lnB972XcITFyQw+tJ02/L8++ihw/ajvvYSj9sZSh1e0E4f/+OPAhUP/3tmsHEEfXt5OG/7XV19tundmcVZ5nJNpwyvaWcH79870If8dr2gnDn/ppeZ7Zxzg5e204X8eEs/pCRxFey/8ZJrwr7/OF17ebjyHk6qPMzWVIvzxx/OFl7fr8IXLnbGxntjY4JdCIQF/7VNPsYVXtBun+nzLXlFFcvXq2iefZLt6pWjv/hkfEZXjpAl/3nl84eXtvl/uZllIwm9nDL89LHiiW7bbzz2XL7y8HfCAJwj/o/PPZwuvaAc84CnCX3IJX3h5O2346xjDX8ca/vLLzd9ReUm5rZA6vLydNvw/guP9C4fRbcLRSBxe0U4c/rLLTBcO5+l3+bRi4vDydvLwgW+s27dwKIT9oCAPL2unDf+rK64IvNf7Fw5FUnXVQuLwinZW8P6Fw6T2BUmCF3xoO234H158senC4b4y+g/nFO2s4P0Lhxvq3W53MSv40PYB4U84mvecCmNd5NjGn3MO2ydwFO2ABzxB+O+fdRZbeEU74AFPEf6hh/jCy9tpw//pwQfZwivaicPffz9feHk7bfg/3HsvW3hFO3H4u+7iCy9vpw3/vTvuYAuvaCcOf/vtfOHl7cTh77mHL7y8nTb87+++2/xF/gJe7Y8qvKKdOPydd5runQW82h9deHk7bfgNt91munfW92p/dOEV7d3wxf5/EINvb2iomWTMxuC9s8AFNKrwinbjFTEa0w7qS1huevCVW5OTW5KNWRu8d9a3gEYWXtWuw9tmCHtVkh/ecYoxOynAh45/78z/B7rwqnYdvlz/r+oFfviiJmMyKcb79856/sAKPrRdh1/WVqivXpbV09u56zf+F/nr/gMr+NB2Hb42ep6+dLsvgwE8oydwVEN6yxbwgAc84AEPeMADHvCABzzgAQ94wAMe8IAHPOABD3jAAx7wgAc84AEPeMADHvCABzzgAQ94wAMe8IAHPOABD3jAAx7wgAc84AEPeMCzg7cCnh98doYtzWXLmA54ZvDx83cLsbtrVO8lBca4AE8evrznPB/ruyQ/0ZjGRDGiJnIo4ScwaNfhD8TH2e3pllx+8czhhSMuZ2aKQwCeGzzbeMADHvCABzzgAQ94wAMe8IAHPOABD3jAA37kwXu/MqJm9lDCc2gfCN4+ZmRNxRDCs2iPEBiWA3jAYwCPATwG8BjAYwCPATwG8BjAYwCPATwG8BjAYwCPATwG8BjAYwCPATwG8BjAYwCPATzgMYDHAB4DeAzgMYCXTEpjS/AFtd45Ax2bvqZk0WJCX9PBtAsxoWw/Jfh6V0HwBQnaLwY4dK22fpp2PSH4QbQLkadpdkLwRZ4d60TDypLNC4W1unF2637h1rSy+do8ka+dPFXLbd/qu1afk20RwuWk4z6YdlG8cjMpeD3VUqdVpHvaxCTtSHrJDpGqbV7ojy8pz/Nd2z3TJ2i76MAPqn1O/CRS8CLSIsq0gsXXa0Un5R2K9pR2n+788VtE77XdB++bXdNE6FQ/iPYvIh2zyMGP0Yz53RdjtMzQ+HTRe23P0QvLIxNIwYfbnlHVsEwrK6IFv352gqgsStik7RUuI36LHn+qKDTiTxW91xo/4/Ufieu1IlLw4bZ7u+8CG2nBF2plf0krTSrTFiRqmcJa0+zo1MZuGuuL913baUn+rxa7p8ZN61Qfbrt+NL1TvYgrLfEeEt8sj8z4t9Yppu2sFtUe2yZfvO/aqVq12JRZMuoQLfiw28nBY4b5AB7wGMBjAI8BPAbwGKrweNlypi9bjjcqYPpGBXhrEuLtgAc84AEPeMADHvCABzzgicBbAc8PPjvDluayZUwHPDP4+Pm7hdjdNQrwzODLe87zsYBnBn8gPs5uT7fkAp7bL3eOuJyZKY7eS/ITjWlMBDyzh3MRBca4oiOGz4zuN/0OOW4o4YdTexhz3NDA98xYwJOHXzexZwDPDH5KnAfwPE/17TjV42c84AEPeMADHvCABzzgAQ94wAMe8IAHPOABD3jAAx7wgKcNP1o9xywe8IAHPOABD3jAAx7wgAc84AEPeMADHvCABzzgAQ94wAMe8IAHPOCPHXwl4NnB729v72x3uZZygJ+yruff05zx2dzgg9t1+OamupIGMaP3w4uajMmkCe/7y+Az4q3RGdzgg9t1eLdVrMwW1jW+6x2nGLPzhC8H6H8bb/H0xMfFiSQbM/iQdh1+w6IKb5Y96kjwqZ4CfOXW5OSWZGPWBt/rc/R39UyjDa9q1+Fru+ZaC5elrKAHH/OfG26omWTMxuD4mXq8y0oaXtU+4MM5EvDfuvHGSLOfcynpIoH4qV7VThx+/Pj+8dYpwmEReSdSh5e3E4c/7bT+8SdlCpEbmzWdOry8nTj86adHMn0CR9VOG/4axvDXsIY/4wy+8PJ2wAOeIPw3zjyTLbyiHfCApwh/00184eXtxOFvvpkvvLydNvx3b72VLbyinTj8LbfwhZe3E4e/7z6+8PJ24vCvvMIXXt4e/pbtSIT/zgUXBMX3rtrVRrnLC4jDK9pZwftX7boWWZssvOBD24nDX3hhYLx/1W5uhahrpw4vb2cF71+1s3pXlnTygg9tpw3/y4suWm4xZkHwqt3arOwG6t/xinby8IH3ev+q3TLjq1BJHl7WThz+7bcD43vWzfS9s5REa0wm9e94eTtt+J+89VbQQ5rudTN972xFy5o1S4nDK9qJw7/2GtsncBTtxOEffZQvvLydNvwfH36YLbyinTj8Aw/whZe304b/89lns4VXtAOeOXwESfgfPP44W3hFuw6e703Iqy8dW0cR/rHH+MLL23X4cauELUasLqcI/8gjfOHl7Tp8VbFoLhbWVt8lTd3P7NeQiP/xE0+whVe06/DbWg+3eVOyOhTf8SMy/umn+cLL241f6hbv6tgzJ19QhH/nHb7w8vYR8YaDRx3/9/feYwuvaCcO//77pguHYluVO586vLydNvxvP/jAdOFwcWvxKi9xeEU7cfjPPjNdONx1WIgE6vDyduLwH344O9GY9OCFw46KZlsedXh5O23433zyiWeyMUXBC4d7vMUx9cThFe3E4T//3HThcE6KEKURxOHl7cThP/3UdOEwP8u6mvorWyraacP/9d13TRcORUdrcx1xeEU7cfg33mD7BI6inTb8T19+mS28op04/Isv8oWXtxOHf/ZZvvDydtrwP3vhBbbwinbi8C+9xBde3j4c4UcfxXzVPP6ZZ0YYfL+w8f1maNppw3/7uefYwivaicM//zxfeHk7cfhXX+ULL28nDv/mm3zh5e204f925ZVs4RXtvOAD3ku4MIIZfEg7bfh/XnWV6d6Z/vfGlqcSh1e0s4Lvey/hCIuTGXxoO234f330UeD6Ud97CUftjaUOr2gnDv/xx4ELh/69s1k5gj68vJ02/K+vvtp078zirPI4J9OGV7SzgvfvnelD/jte0U4c/tJLzffOOMDL22nD/zwkntMTOIr2XvjJNOFff50vvLzdeA4nVR9naipF+OOP5wsvb9fhC5c7Y2M9sbHD5qVQhg7+2qeeYguvaDdO9fmWvaKK5OrVtU8+yXb1StHe/TM+IirHSRP+vPP4wsvbfb/czbKQhN/OGH57WPBEt2y3n3suX3h5O+ABTxD+R+efzxZe0Q54wFOEv+QSvvDydtrw1zGGv441/OWXm7+j8pJyWyF1eHk7bfh/BMf7Fw6j24SjkTi8op04/GWXmS4cztPv8mnFxOHl7eThA99Yt2/hUAj7QUEeXtZOG/5XV1wReK/3LxyKpOqqhcThFe2s4P0Lh0ntC5IEL/jQdtrwP7z4YtOFw31l9B/OKdpZwfsXDjfUu93uYlbwoe3E4c8555g9gRPGmtBwagc84AnCf/+ss9jCK9oBD3iK8A89xBde3k4b/k8PPsgWXtFOHP7++/nCy9tpw//h3nvZwivaicPfdRdfeHk7bfjv3XEHW3hFO3H422/nCy9vJw5/zz184eXttOF/f/fd5i/yF/Bqf1ThFe3E4e+803TvLODV/ujCy9tpw2+47TbTvbO+V/ujC69o74Yv9v+DGHx7Q0PNJGM2Bu+dBS6gUYVXtBuviNGYdlBfwnLTg6/cmpzckmzM2uC9s74FNLLwqnYd3jZD2KuS/PCOU4zZSQE+dPx7Z/4/0IVXtevw5fp/VS/wwxc1GZNJEd6/d9bzB9KrV6p2HX5ZW6G+ellWT+9U32/8L/LX/QdW8KHtOnxt9Dx96XZfBgN4Rn9pUjWkH84BHvCABzzgAQ94wAMe8IAHPOABD3jAAx7wgAc84AEPeMADHvCABzzgAQ94wAMe8IAHPOABD3jAAx7wgAc84AEPeMADHvCABzzgAQ94dvBWwPODz86wpblsGdMBzww+fv5uIXZ3jeq9pMAYF+DJw5f3nOdjfZfkJxrTmChG1EQOJfwEBu06/IH4OLs93ZLLL545vHDE5cxMcQjAc4NnGw94wAMe8IAHPOABD3jAAx7wgAc84AEPeMCPOPgdzijVrD+iPCSjRXlI1JYhOWT5EH4hWbQPBO/NHKea+kblIa6dykPG1igPGRfOIUMIz6J9IPgJecoPnfQ15SGdS5SHVC5S38jYITkk7GHRDnjAAx7wgAc84HnBzyhSfujiQ+rPvl95SO1U9Y1cOiSHhD0s2iMEhuUAHvAYwGMAjwE8BvAYovDTnPHZisegS8pthcpPX6i6Y22rcucr/kdR7vIC+SFT1oV1k8McHu3mN25GvDU6Q/6B0W3C0aj67PnLU+UHLG4tXuWVH9K1yNpkkR8ycWJYNzm8YdJuDh8XJ5Js8g+cp9/l04oVn9ziVMTvOixEgvyQuRWirl16hMUzMaybHN4waTeHz7HrZcqPtR9UHBC1N1YR31HRbFM8M271rizpVN/rw7vJYQyTdnP4mfpnclnlH5lUXbVQfsSsHKGK3+MtjqmXH7I2K7uhXR0fzk0Oa5i0m8OnpIsExbkjqX1BkuJzW5xVHudk6SFzUoQolf8StMyoqlTGh3GTwxsm7eb/Y4dF5J0o/8B9ZeF8etW9Pj/Lulpxk1MSrTGZ6nt9GDc5vGHSPsA9Ljc2a7r8AzfUu93u4v9vvOhoba6TH7GiZc2aper4MG5ymMOjHU/g4AkcDKf5P0vNIJEvjlepAAAAAElFTkSuQmCC", null, "data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAA2gAAAH1CAMAAAC0ry27AAAAGXRFWHRTb2Z0d2FyZQBnbm9tZS1zY3JlZW5zaG907wO/PgAAAwBQTFRF////zMzM4eHh/v//AKkz7+7u0tLSAAAAsrKy/wAA1tbWycnJ///+///5+///vLy84ODg/yMjAAADBwAA/5mZEBAS//7w//iv//m6DgEBAQUeAAhNqfL/Vg0B//3dAAU6ZRcCHBcW6Ojo8P7/AgMOAQUzAQEHRAkBHgYBjNv9htb8jjwH9///+9CB//zWAQ5ZC0qeDgsLJnXILgYBAAQphjUHrvj/OQcFAQMXCDKBiNegcsT6//3jfSsG//vO9atWa775I7VOfM77//rE6v7/3fz/Z2UflUMLHWm8vmsd1Pz//NmJ//7oOzs8/uaXRJTgu/f/M4HR6pxIxOv8BBtmciUFS57pzHwtCip39bln/fLa/N6S5fz/z/j/aCEG/uuhnev+35RD2rGFXhEEJSQk37+Ysl4TVCAMD1it7syV//r6UVBLsN/5QL9nGB0ro1ETB6s43RcIBREu2fL+VKjxAxJB2Ys5/woK/vLx/ezKsopnG7JJdFhAEa5A/u+s9/z4aWZmXSYeDChYCDyN1/LfruS+K0ZkZbj4yu3UaMyGZzcYWq/2RGGPeNKTluP+wodPL7lZ6KdZ/2Ji9tus8sN6Qj4+QiEQod+0YV5UOYrZ/8PD/zk5PUFRj5OU/xQUg6nQ/0xM/66us3E2FCRDRjUmT8Nxx/r/i2pHv+nJdsDv8Pn14fboIUF3Ki83WsV7rGQsN1h2GUmHaUw1/+jok77ivJt1/R4dVlleDxJVk9mpzayChHx7/9LSWYGtbZO5/ey66vjvfrXiMRsP8eXeh8n0RWm0iU8h/3V0nuP+VjstYK/p/93dbWtvJlidqohTu9vxqM7rMHC3/OSm6xkQ7d7MPA0sVXSY/4KCm8rpSkND1Il4YVmRV4W+wsLC/Y6OeXulOhVN6s6szplZbavbJDxUopKTzdjnl9X2lE9ZqnBne5DKirGE0Y5Ezby0WYzJJpAr8goEXGx/UjFvw6qciU5tqbjTSHsm4dDJsDkVyDgfC6IxqOXrdCxVhUhS2VlZ5dG5OOYe/AAAMxlJREFUeNrtnQlcFEfah3u38WtNeibZmTAwCCgyAiqgiAgoXhGDCtF4IyqsoCJBxXjFW6NoPKOuxCNrLu94xSQaNZdEE6PZaE5zJ2aTmHtzbo7Nft/uV1XdM9PdczAczQDzf36Jc3R3dU1PP1R19Tv1chwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAKCpIv5934kTzxpxIECjO3VD85PMgmAKjoqKCp529P5M72tvfnR31Mmu1VjMjyle9jnHLS42C63a0Tek1zXD8s20T06PaNu+dh+Zr00VAKixaxXJpv7x5Inhv+esh6Z4XTfvH5fiOnatxmJxlNk0hDZBr0Uw0Ryva0JFcuf4MbFpvWv5eWtTBQBqTEiEdOKJomWAMHxKFSsXeRHNdTGfHTv7OfokMkVq0eyvuYwvwqtZT8OALjdyhok/R9eyRXNUQUn1qwNAzUSjGqSa+ns/j0NbexXNZTF/azx7jOwgiWZ/zfX93+qe2TlZs++iJdS2NXJUQUn1qwNA9bpSCtFCWwvDb6lT0ezYRXOQ/VF1z+yMDi3/rNtRqH51AKhxi9Y3X6jiZK4r0SwDWjYk0WpQHQBq2qKJoUX11KLlbIhrSKLVpDoA1LhFS0iO6RzPJZwxC+njCrftfmQY+2tf+OiO0pvfHOYw6YltJ0p32O8EWAq3Ld1W+vRMzt3iviPsw/qSaPJrcfTuKHMMuaWwq504nt5YCN5uJJsGRwVfVN1fUO558R1RVnoXYjBvX0qr2bFr4aN3T/j0K8dmefPfoXuP5lSfQixZ+tJLS3+4dDHaWSXne4rqqIsoIHclWobP+/JE6eGn+8kjMhMXHt7xjnwwnGsCUI0WLaPMtHwcx0b8c594v2cPEzn/uXnnDk3hyd/8aexOcWjrVtveH0vO0mLZwg3kFbc5f9kUWTT1YvuwvqNFY695nthtb0IM31g7nqc7nTdi2duqgQ71nkmLpr2Flp1K9jaTs3ycfEjam7iZ7lesSH01U/UpNrHlr+V3inZUSVS8p6yOqghuTGzLrS9NIX8Z4qRBooydYd9mkj8AO6Zo1wTAtxZNzJu4Ju3iOMmXol3r+mU8POMhnovMGs5OQcuotuQVMck2hA3aVSQvH8jOxNn07m9FXKexkmjqxY5hfbto9tfOM5sLzZcEsjzcXd3bVO/ZjWihrcNepEsM463S3k7nd6SbGOak0fcdn6Jnj5GsHezFRJOqoH7PWR11EYkprX64hTXNrNtqGWWjf3tydlo7GzVrAlBliybMuJmw44d7X+btZ7BtFnlK/hOH0nOKwA+KTR9Hl7AxdnLaZ9nomUo6myOZf9L1k3axUzDNo0I0wyhTZyrn4vfGquql2bNb0aS98n1HsL2Rktitd9LUUe8dn2JxBNsBN2hdtKMK6vcc1dEUkZgSQ80i25B7ePTTsktYMmY0OV6zJgBVt2j92Rkt8rzjDLYPXSSm2NZKz3r2SLvTeW5z4hzzcnLdknP8yky2UJJAu9gX0ciZSk9fcZO6YdDu2Yto5F62QPcWmh8zS/pIRbREx6foOyJt3StEipzPeMXlovI9R3U0RSSmhPWW/m7QR7KbySyGpvClz7VrAlD1NVp/o8sZLGswKFY60+j5aepsVJjUyyyvw+f9dO/VYq1o8mJfRMvISiMtT+Q/1aerds/eROOGmmk3LjvVtnIpZVsyHfx0fApxU5wghK18ZqZiAFT9nqM6miISU1hLJovWcwS7auXcrQmAry2a8gy2nzsJyWHd7TrQP+fOc7uXtRXtJWYcf+fNl+NdWjT7Yl9EEzdZSecr+1t1JbR79ipaL2vLu5SbaD6FYeIaqyAIy55T9GZV7zmqoylCLVpIRIxi0FO9JgA1adHkU1Qck2pvVxJT6GqKc5s1IqdT2EiFG9HY4ipEG/M8u8pZXNSqnWGDOnLEZc/eRBNJi9aVNoKsj+nyKRJ/NpKA5+uOF7M+nlQF9XuO6miKUIsW2jpmO+9scVVrAlCbFo0MM8xyPuO1F2GWSTHs1gAVzfDr2Opeo8miGQbEDAm9ohkk1+65ims0NnTRw9Hi3GpUfIqCH/fSLi6fkLzWUQX1e47qaIpQi5aRJY9/MAfVawJQixaNjMKZ5XNLGrJwnNvShVVIRJfu0gZt2+d80VW72LNo0ooJkmhiQnLu8Yc09dLu2a1o8hinPM4vjrfKA4CJ/7xFKdrl7vKwxSynaKr3HNXRFKEWjfRxc/eyhTlf7tWsCUBtWjSub4+W9HYyiQZk53Joa8kscqPsYj86SC717yq2tG2fwURTLfYsGhkv705OXLlNICOMh/Zq66XZM9nEVTR2W4vcyjJPZud8YlYXdstN3ETv5jlFi5WUSPjovFM0zXv26qiLUItGFqZJd98qno/WrAlAFS1aQqrQqZ/6vTGxreznNH86Zdnb8VzezmmfxLNz+9WrJKLCULGF3du2jLKm0winKx8nDV78Xj/tYnr/VzKRPN6pfE0G/fpn9vy/83Idxpu3u3S/NHsm4+lpLxo1orXdRpZZPo67KA0eivPOzX6WvrFunPJTFMR+SuI5SKTJ4HhHFdTvOaujLmJxkdQw0xt1dN/zzs0gWxkKfxymXRMAb4TeMSGYEDVB8aPjhC30rQlSk8TxlicW3v3OzW++TO9fcz2f3Jvz09Wl2344Jv0VtxQuPHxi6TP9IndG0V9naxaTAEVS0q520uO0WfbXtBUqvHB4h2P+j4KP7nKtm2rPIVIRubeor9H+fby0dPfRY/YmRbQ8se2d0tJnxqo+xeIfhxVuO7HtBNHCWSXFe6rqKIookPY5Ut43/VtgeeLRwzvk0E7FmgB4b87cPNOuwvOaCCNRlP5nMtDQC/JCsY5ysae9kRVUa/S9Eu3LnjXl2q8IRfXH4PkqP632PUV1RE5ThH0RexRFnvO4JgANnIrnatQct9bxp6AANCH4hC2kc5dzdSBEA0DHvut4Mxm7L3m2Rh2wQbHSmCAAoArGXH6I33ylJuMJ0mjHNIRnAOBDk1Z44qUr/XAcANBXNBEDdwAAAAAAAAAAAAAAAAAAAAAAAAAATY//aYNjAIDuPHkvjgEAujPhbhwDAHTvOQom9B0B0Bn+SUFA3xEA3XuOgoC+IwC69xwF9B0B0BvSc0TfEYB66Dmi7whAPfQc0XcEQF941nNE3xGAeug5ou/Y9DBs2GK255AEDaTniL6jPxHzLm2xhq08VtdZpwbFzr4LR7eBIPcc0Xf0I6dHzHjm+olr0gbXsWmj44YjNWMD6zmi7+g/cibZaCLI1yJatXfXA/z7sRrOt0nSKndCKqsG1nNE39F/ZKd2DKdGDTD1d0malXf8jpgh1U3NLb4xjCk6ySWFLPATvKPniL6j367Q5piXs7nYe1k1PT3D3/fFha17pZodSsvER4NZIoTElJjBmHy6ofUc0Xf0F5YyU3/mUnayKikPbcyWPTPTmd4x4/iFONu0o2tGerMnb/4WQUhjooUUhfWet+9M2NEpOMgNp+eIvqO/6NnD1JnlEi6Ita313JiJm9fMePqzNy7FhXX33DiSrQTBvl1CcsuvtxzebRVyMSTibxQ9R/Qd/URoa5N0FRYSYe/quTRmhNeKZz/HLug8Jn3MeWKNVTDtcmzXy2o79Apv2BRnG4keZMPpOaLv6CdCikzbjconORvihGXam2qRWWxoktiTu9ft1fY81mc8eiyak60yjDIvnym1mP3jcZgbTM8RfUf/ixaznZeGMxbGzXjzZVUzJN8TI/Z0inZXClkgzH56mPraj7WUljJhMkTzK7yq54i+o5+6jvkuXUeOI+2TbeX9zrtgOWXShZxFfnQnWsynig04secI6ZLPMdgCGkbPEX1H/5CYIrszSDEYwvPqZi2kyDaLPvYdIT26spmOgyjbwYLYVu2kwRa5oQQNo+eIvqN/cHTtEtTD+6pmLTu1S3fJHs06zu4Jx67SbCuPSV1LsUIOwBrkcRNQT2h6jug7+gXPN6zlZu0T3inh6DgWRWLvLxYWKy6/ePu4I7tUE4dKxYrj5eJdNwD+6Tmi7+gfyIi9xxAs2qx9YqTrsC6jZZQ5faCq26mJz5LupNHWjxZHnTqd36W3lw1A/fcc0Xf0DzSo2EiDitu299Dm0RETYfk4Lm9nnHoEMaRorRszt9DIkIwsNrQSWWYbEu19A6AvvEvPEX1H/0B/JvNHx89kxIx/NFdBxzcMc6zCrrujnu5gUrVI2Zfbu7lYy/lpClUz5uJnZ39aE/ZtZhUbAL1NU7Rsf8Th8CPzLp0xkx9+ygoNilV3MzpLd7HPpK081neEYLvIrrxKLpTufjW+18mukWWHprhpAknI1r7dSbZp6+RhSO8bgPrqQkI0v/7J46u7Xs8eI/mQr4xz0geWvDfO659R3tcNAEQDWkJbd46mvzib7Ks21d4AQDTAGb5JIh3AyJSjxT5GfVR7AwDRABGnZM3J86FF6ZdOhuu0AYBoAY94NpNbHDEy+/KNofk+/Yq62hsAiAY4w5fhXEFx79Enww2jcsfpsQGAaICzbNhRevf7mXOIM2NSn++nwwYAogEnvOMfvTYAEA0AiAYAgGgAQDQAIBpoTIiWDbut8uw/AKIFODrlbaLwfN8Rtmr9CC3n+JY78ZVAtCaIXnmbJAbJs/T4hmHiGnMaRINoTRC98jbJ+JQmzb6XzeembUuGaBCtKVLHeZvkrE2Ol0MVs/N46ro69lL4c3RIBESDaE1xvKJO8zY5sjY5ChlQxQSqqr3wPA/RIFqTpMq8TY435tPJCY4+66WBU2RtorOPsERPZ7ymSXPZiwjRIFqTJFHO28RVkbeppHjGM5+dnZ/c2ZNo6qxN5Horf8b7LNFTb58aMzsQDaI1SbzlbXKuxWfHzv6cyBTZwUMSJosza5OkXZWJntzsBS0aRGuy+Ja3qWePNGaY5WG3iQidWZtE2UOa6MnIeU705HYvaNEgWiCI5jlvkzjU7stZd2mbXLM2iYpET5kehk1cs0OhRYNoTbfr6EvepowsU2cvgyAuWZtooic2xOIx0ZO7vaBFg2hNeDDETd4mMoOjJm9ThNc4Kt4la1PViZ7c7AUtGkRrulQrb5NHZzRZm3xI9OSpWYNoEK1J4iVvE+eSt0ndYVRmYeJ5ZdYmnxI9uewFLRpEa8L4krdJmQ5U2etUh2c5szaROXh8S/Sk2gtaNIjWlPuOXvM28ew+V2QHUyfau8u7qhxadJOFSc7aRK7NfE705NwLRINoTRl13ibOXd4msSI5ZuW99y6c8K2y0XOThUnO2kQyfVaR6MndXhiLIRpEa5rwPuRtEksejbPtelNuz7xmYWJtE2/5WE70FNPJbaInt3sxbNgdZSYvgg+vG4jvBaI1OdOq+4szX7Iw8Y6CRa7aeZt4zP0I0UANsjAhbxNEA9Wm+lmYkLcJooHqI1Y7C5OIvE0QDVRTs2pnYULeJogGqt9zrHYWJuRtgmig2lQ/CxPyNkE0ACAaAACiAQDRAAAQDQCIBgBEAwBANAAgGgAQDQAA0QCAaAAAiAYARAMAogEAIBoAEA0AANEAgGgAQDQAAEQDAKIBANEAABANAIgGQOBi2bDbatpuhGgA6AnP9x1hW4sWDQCdGRTbqh1EA0BnRscNvwWiAaAv4lDz8n4QDQB9MQwwec2mCtEAqB0Zxy/E2aadifGa4xGiAVCrPuPm/Bnvf/bGpbiw3lwVol1zYAmOFwA14rXi2c+Rh+zUln/2Llrr25S8bufxxx//U0247wERBx8EDJFZtsH0PnUva+5e76L1aFHH3ICjDwIGeVTfMMrcKbOeRbvvMRx+ECDklEmDjZYyU2ejd9FSi951MH/+/EuXLu0j3OSWfZfmv3uDN979DzHtLzj+IEAIKbLNoo8kAGsWV9VgyPXS6IlRpJCwLfbAV5bvX3Fq/eqpfaYHqZi+cfXWck/yXtOcmvYgvgAQGGSndulOHwtiu9xYpWj24X3RMYyhHs+oXLWi2+qpi1S2Te22yuhWtJ/ua9HiT3PxDYCAICFZEmx0XMdwxduGwuLJ8R5F8wQv8vRWXOX+UyrdFu3ptop3Ea35u6RJewHfAAgExDGprMtoGWVOH6hckJgyxFht0VSUr1ivsG3B6hVLNKJd+wAx7R58ByAQ6DtCWD6Oy9sZJ6hbsJCitVztRCMNHMev2npkgaMXuWdrpUq0x24nncdb8R2AQGjSxluFXXdHPd3BpG7Bsi+3r7Vokmxc+akj0x2u2ds1Khp3A2nS3sJ3AAIBy8dn0lYeIw1bTCcWvC+WXCjd/Wp8r5NdI8sOTam1aLJuq9ZvtF+wrd7P20UT/9qixe1/w3cAAgA2SsE7xyp69hjJh3xlnJM+sOS9cVwdicau2U5NlV3r0+2AJBr3FOk8/hWRWCAACW3dOZqMOk6arPasTqL3K0/J7dr01dcy0bi3EIkFAhPDN0mkxxiZcrRY/fO0OvqZTPl6aXDkiCTarX9CJBYIUNNK1pw8H1qUfulkuA6ikW7q/j2SaF+vIB3We0iT9gAOOgg0xLOZ3OKIkdmXbwzNV/0QtC5/+Hlw/SIqWtDGrTz3F0RigUBsz74M5wqKe48+GW4YlTtOJ9FEbklzKlpQ0MYVcx9v0eJxRGKBAMOyYUfp3e9nziGSjUl9vp8+onGc8RpJtKCgqYUI4wcBDO/4Rw/R2PD+CjYGOf1fiMQCQEfROH5FH2La798jEgsAHUXjuCXdSNzxTYjEAkBX0chN7NVBQbTz+BQOMQD6icZxqzZ+RzqP/yrHMQZAR9E4Y7dzpEm76RQOMgA6ikYCs25r0eL77/YcwGEGEE1H0XgaifVbUJ9VOM4AouknGse9QEz7JWj6VhxoANF0FI1GYr3+e1DQeh6HGkA03UTjHiRNWha5fY0LNQDRdBSNhfH/QuOMK3GwAUTTTbTH6ISqNCSrz0EcbQDR9BKNzYn1Ao0zXoB71wCi6SYaRydUfYr+/HoRhvkBRNNLNPFvdE6sW1dT09CmAYimV4vGfUiatA/59eg9Aoimp2i3ShOqwjQA0fQUjXtKmhOLmYaxRwDR9BFNZJFYD3I8vU7buAQHHUA0XVo0bq40oSpPxx73GHHUAUTTRTTxHmlOrCV0nv7VOOoAoukjmvgXaU6sA/TONX4KCiCaLqLJkVhkQtWDZI7+6bhxDSCaPqKxMH6a2no/yV64oBIHHkA0PUQTxQfkObG20nmMMSACIJouLRonRWKRJ3SQfz2OPIBouogmRWKRxyV0QGQ/Dj2AaLqIdqs9tXU5mcZ4AX5xDSCaLqJJkViifJl2BMceQDRdRGORWCy19RFiGmbGAhBNH9Ecqa0PkLtpiypx9AFE00M07h57dsL96DwCiKabaPbU1jwL5F+Bww8gmi6izb1PTm1NO48YeQQQTRfRRNEeicWtwG1rANH0atGkObFYamvyi5npmNgAQDRdRBMfu11ObX2QRBfvwRcAIJouLZp4gz219XqMhwCIpptooj0SawmZKLwPwvgBRNNDNBKJRcP4aSTWCvzaGkA03UTj3pIjsXgyHrIAk2IBiKaPaI5IrFWkSeuG7wBANF1EY5FYD9AnexDyCCCabqLZI7G4cty1BhBNP9FoamsWiXUETRqAaLqJxubEomH85dPRpAGIpptojkgsNGl1zuYn74/HUYBoEmxC1VvRpDkIKRKEVnfVQUGh+UJYb89LWwtC2/Y43AEjGmePxKIDj4F3L80wSVDRsavh7E5zrUTL/qgreyyIFWJG8h53fHaUGaIFkmgsEusp6V5a4IWHWMps637+Y5tRZiH35Ta/zk9u+WdOHFo70XqdlESzbIh6ZJi39SBaQIkmTagqsp/L9OED7bBHdpicSf7YjDcL6QNJ+Ocmcu7XUrTIrI6SaKIoehcSogWWaPZIrP2BGMTfd8SdnEM0cuV0R+9aiha50yqLVmXLB9ECTDQaiXU7yU5IJi6eGmiHPfSO9grRxMiUtZJoJY9OCP70WfqTBkvho1ETph19hTb2hokLJ0yIWnk/aQQTkgVh8ul9u3d9Eq9YR/w4mV3qxczievawj3bkzb8QFXz46ZlkvScukO0/pU+1oinLU+wycv47N998c+mhcWyF4c0XTkiato7VRVkZOoDTsWvJttIzrM7OjdTVd+CoUd81E6LCunOGnROikjobFXUYmhQcnET60YYBScFJa92XAtGqKZo9tTWdTjXQEjlFNu+nbNEME19moj15dIo43tqKiJDxsDV3Crc5f8ZDPJez03pxGJe30/rIOM7yRpbwyBefDxBa3qVcZ26bMqHlv9u0iXaMdogVW5Ydiy+IMHU2cqPjunTn8sqE3GEuoinKUxSXMymdrDqvQ+5etoJp2bFosvsuLxKblJWhAzgdvybi9LKSMhUbqarvuCp31ijnH+cEIpr430tx5JWiDnPf6CC0/Jz8Dckre+SzaHelQLRqiyaKUmrrJQsa69RzB7v5iIdMAw7ROHIiEdFs6eQczU6N2c4T3WbTfuTouPSB5HnHcPI8McXUn4g0QAgbbJxjHX6Lch06jGnvOkomjYkNu5P+a+ofT0ueRZ6Tgo0uXUdneYriCmL701txo6kzZIVW7ciLjDKBLFdXhpScdrGfXGfFRqqqyfCKGtENiWgcNyiW/iFw1oETN1ljBpOjEUI7025KgWg1aNFEGol131yuG5k95GBjPHj08tIn1lclGsdEY6cYO/f6jhCW0zYvpKhte/p8rKQEOe/Iv0QUw6+k/6VYx0W0nDL22jDxCm1l9r05jt1CmxzvTjSpPGVxg2LT1v08k8/4LJ6tQPpytH5WuWLOytA6j7TXWbGRqmoyqhq5iCZ/Jnr1KlBTh5Lj4q4UiFYD0eyRWAcWNc6b1vyqOhYtrbf93COXLZ2iyYuePWxr7c8No2jDRE5K2SjlOi6iLY4Q0scphiANbzSfH8vWdxVN2lBZXGQZveDbxS7qHKLRFTLVlaG+OOqs2EhVNRlVjVxEc4zkiHPMaWtJg0n8dVcKRKuRaJyU2np1I71pvaqPj3TzTTTnuTc6TphxM2PHc+Q5bYk4cRRt8shJSXpYHOtROddxEW1MqrNkzlD46LQ3f34j34NoUnmq4uads5ITw/TIQKdo9Lxf3k9dGbUvzo1UZcmoauQimvyZCAURQqexo+lrd6VAtJqJJkVilQdozgvPotn/mCubGtKIkH6a86RUriOLtvl+u0mDYmkPTO607bQum8Jis7yJpiqOE8/+9ORu0mjxzhatIk7dopHKqH1xbqQuS0JZI2+iWUg/8rmyIUZtjSBabURjkVgv0JvWUyGa4twjUkgLxDdmkmsrdqkiX8k4TkrlOrJoo+mKzCQyyt8ynJ2310RXxLGLv77eRVMWN+hHsq1o+cY6xKi4RjObhhjVlVHVWbGRqmoyyho5NsxOdRGN+GX69KO7tB8QotVONCm1NR3hL4dozpNWnGNteyO7srmjO2k8Wp5nwwQmEk7iPCmV6zAdwsWhnTJlk8iInY0OU4ibcvf2kkYsCmK9iqYsLjuVmkk0GMk7Rx2zBFINdWVUdVZspKqa48M6a0RqYaUXd+Q9V9HIjkyTo7UfEKLVTjQpEmsJGQ5ZHWCWGZo1azaHxDoOa9aM9cWajTeHvdjMOLck1dS/WXwG6e69HW+YuObVTC7yYfMj7NYVuU9laDZJGP7vZmyWPuU65IIm7cW8LHIN12youe1DB+jC2Z9E5z1x+UX+tQh6B23evgvm3JcPSIt5Zy0c5SmKy06d/Ww82e/wcGZi2qEpNPSE3c5SV0ZZZ+VGqqrZBXLWiONei4gZbDRUlKYKj1xbqfhM1K9e9LafyweEaLUTTWSprclkqosCLOVFaOskEgZBAiGS6E0uMoZtS0oypw+cFJOUlES7iBMXngkmARhEQp4GSARHffrVWNqvIlslyRc7inXIgMeF4GnvjyX9LVJODGkm2EbTjr5NzurN+7YEH1759uY1VtMjdLG5U6azn+Ysz1ncmI/uXTjh8OF1U+RRx1MLd0ftevNlNtSqqIy6zl8rNlJVzXH15awRx5WQmI/D6/a3Tgre9bXyM5E9JHbo1I/jPJUC0WommpTa+lekAJX/7rh9V2qAFNHCvEuohDRs7iGCQlrdS7CxtjzR6NihY9TRY2Ucz4yaBT58XNFNHZpkiLn/RRNZJBYZDtkIzRpkF1crGmicokmprd8NwIBHiAbR6lW0uXRC1QAcDmkUJLDfBUzGLCRNQDQ2oeq/AnJKg0bQoDU7sGRuM+RmbQqiiSKNxPoFSZwaIPIQC48j0RRaNBaJddvvyEsIIJquorHU1ueCplfiCwEQTT/RpEis75BaBkA0XUVjkVi34VYagGj6isbRSKybcCsNQDR9RaORWN9/h1tpAKLpKhqbE+s3ZNoFEE1f0Vgk1k24lQYgmr6i0QlVv8etNADR9BVNpJFYv1XiOwEQTU/RpDmxjuM7ARBNV9HEua+3aPH6XHwpAKLp2qJxx+XU1gBANB1FW/KbnNo6EKmb3NM+lsJvfrL0Zml6D3/UEqL5VzTu6++l1NZNHTJtr0xM8KfPsFkLveee9hUfSzF8HLfs7QFmOke3LuWDhi2acdVNcmrrpo1oaEPyLJlebdOmza/Htwizn+Oryj3tKz6WMig2rLelTBje1ddyfcuQDRpLi8b1+ReZE+tvTd80kUwtbKLzXvM8mWKeZkKqKve0b/hYymgrmQfk9JPHjL6W62uGbNBIROv23fdSauumjl00TgyJENiU3aJYJwb7VEovqzQ9t6/4nCEbNBLRDgadk1JbB4xoNEEtSxFRn1RTNN8zZINGIho39ffbyJxYjwWSaKxFc+SeVuVtVuShdknnLI6nCZ+H7x9B/u0YLs4hr4bYS1Gkk3aTB5pcaFHSV6lSSWsyUjt37i5DtudM1qBxiLY16BcptXXAiEbSIXU878g9rczbrMj67C6d89zNrYX0YUuafWMd/u94bu7HMz4ZK5eiSCftbkNDm03WLg+1aaZOJa3OSK3cuWuGbM+ZrEEjEY3ku8hiqa0DQzRD3hPF0qijIwuMM2+zIuuzm3TOopGkdulyI516keTIJBOdskWsFGc6aQ95oHtZyYa8Jk2ZKiO1cucuaQ69ZLKGUo1ENJL+83cSifX43KYvmkBzQwRP20Huo4n2U1iZt1mR9dlDOmeSSqx/PNGN5MgkqWsHO3R1ppP2sCETjXMVzZmRWpVyWiual0zWUKqRiEYTQ/8SAJFYVDR5/l+Rd57CyrzNiqzPyrffuJZB73JHdiB3BkLzJ5hbtRPHn/yzoxRnOmkPeaA9iebMSK1KOa0VzUsmayjVWFo0rk9Q0L8aRyTW3/7kI295FY1TnMLKvM2KrM/Kt8vYyATzhib3G7xpdjdyIZWY0j/aUYoznbSHPNAeRXO8UifB1ojmLZM1aCyidQsK+u6+xhCJxfLg+MRffBZNmbdZkfXZ+bZoUYhGM6svWzO5kiTyOx7V3VmKM520hzzQVYumSjmtzZDtNZM1aCSiHSSJZeY3ikgsHURT5m1WZH32lM7ZQkohYxYVcbYouf2RrtEc6aQ9bKgRTUolrRJGlXJamyHbSyZrKNVoROP2kFxpNDvhUw29RZt7g4/c47NoyrzNyqzPntI5k05c7jgy+ifYRiqu9JzppD3kgZZFU6eSVmfRVqac1mbI9pLJGko1HtFWkCbtH7c3gkismocjGZqRW1PC5DbN4p3vOHJPO/I2K7I+e0rn3HcEHVIXh0rD7fZSFOmk3W1oaEbvo9F9K1NJj3XJou1MOa3NkO05kzV+Q9N4RDMuILnS3mrSkVhjYpNY+upW7ezvOHJPK/M2K7I+e0jnLM45SXuJp/M7xytKUeWgdt2Q2EmSRs8gbZqoSCV9SpNFW5ly2n2GbHeZrHHLuvGIxpHU8dMryZxYtz+GL8jHtlXb1FYvnbRyRdH9Cu4zZLvLZA0ajWh0OOTUPQERiQUgmv9EY8MhbELVB/ENAYimm2h0OGTV3MdJGD/mxAIQTTfR6HDIEe5BzIkFIJqeotHhkKBKNqHqPfiOAETTS7SD04NI+s/H7guMObEARPOTaNyRoCCSwukG0qS9gC8JQDS9RCM/lgnaynE0tfVT+JYARNNJNG4qGeHnWWrrv6LzCCCaXqLREf79UmrrD/E1AYimk2g8+f3nVCm1dQBMqAogmp9E406RJq1c+s3XA/ieAETTSbQDi0gMP8chEgtAND1Fk29as9TW9yGMH0A0fUQT6U3r9XJqa0RiAYimU4tGb1ovIk2aiEgsANF0FK1cbtLm0kgshPEDiKaPaKxJO0AeH0QkFoBo+olWHiQ1aSIisQBE00802qRNJ1dpiMQCEE1P0ehVGr2XhkgsANF0FI2klgmafpBDJBaAaLqKRu+lHaFPWCQWZjQDEE0X0Vh4yCr65IXASG0NIJpfRKskEY9T6cSdiMQCEE0/0VgQ/wr6BJFYAKLpJ9qSPmz2EMJfEMYPIJpeonH7pbvWHEcjsR5HJBaAaHqIxtPZQ6aX06eIxAIQTbcWjd21ZuMhbE4shPEDiKaLaDSpNZ16jhMfux0TqgKIppdoSzbKIY9sQtW38KUBiKaHaGw8ZA99IiISC0A03USjIY+s88g91RhSWwPQSEU7QG6mLaLBxdxbiMQCEE0v0VjnEZFYAKLpLBoLLu5GnyC1NYBo+onGRh5ZGD8isQBE0000nt62XlBJntHU1ojEAhBNp5putV+mIbU1gGj6iUZn6pGiixGJBSCafqLRyzT20zSktgYQTT/R+PJF8oAIIrEARLtWv8rSu2kLDsqRWJhQFUA0fZo0ns5rsPGAPKEqIrEARNMJGvQ4dQkisQBE01W0JVNpIL+RRWLdjkgsANH0Mo0OPa7mEYkFIJquVPaRTENqawDR9OTgAmYajcS6D5FYAKLpRblkGiKxAETT37QjRqS2BhBNf9P2nEUkFoBo+l+nTb0BE6oCiKYn4kE6yt/nr0htDSCarhygd66/Q2prANH0bdOW0J+n3YTU1gCi6QtP5+u5DROqAoimq2civ3V60HeIxAIQTefeI79qQdA5RGIBiKY3lVN/J53H78/iewQQTU+M638hTdpv+/FFAoim66Xa/t+Iab+sPoCvEkA0PU07+32LFrf9vmAFvksA0XQUTaRh/OdI7ONBfJsAoumHSCdU/Y4mwViC7xNANN2gc2LdFkSDH7fy+EYBRNOLD0mTtpOaFjR1Fb5SANF04lY6oep/p0I1ANF05SkaiSXu38hU2wPVAETThxfYhKrGUwukVg03sAFE06XzKKe2PtBtEVNt41aMQAKIVvfcY58Ta0k3qVVb0K0S3y6AaHWNM7X1ErkDOf3Ifoz2A4hWtyhTWy/ZKg2LBPXphnARANHqlAdVc2KtOjJdcm3qVsQbA4hWh2hSW1fKF2tkvB+uAYhWZzx2u2pCVTLXwf4j0hhk0PSpp9CHBDqSN393km3a0WeNTV80UdSmtiZDIQe2TpWbtaCN61cZcUIAXc69kuIZz3x2dn5y5wAQTU5t7TIn1sFTDtcW7TlVjrMC1DV8duzsz8n5F9lhJB8IonFPuUttzYtc5dY90+2yLdhzCi0bqFN69khjhlke7s4FhGgeU1vz/IEVR+xjI/SSbf2KSpwfoI56UkOtuXvZs7PRASKaPRLLPeWn9ixyyEaatvUrytG2gVqTkWXqXOWJ1LREqzK1tXFVN6VsQdM3ru62ohxxkaAWhETY1nIBJpoiEsvzpWv51tUbg5RM7zN19akV5bjbBmpCdmoX7bWZobB4cjzz6zqZq0S05tfVGc0J1/kVkp2wxZ+q5vHHX3/9NldeJzxO8LotZkYGShKSu9yofS8xZQjrTf6hucy9gmC62rwJ8W4L3bkB5xZQMCjWtesYUiS9pRRNaFKiNf8rRAP1SmQHU6ex5DHv6jBnd/Jye/bY5nqZ64ho115fZ1zbvPkH1/uVP179z38+vKEmfPjuu/Mv7dt3U1XsQ5JRoESsSI5Zee+9Cyd8G02DRC6U7n41vtfJrpFlh6Y03cEQjiONWpuabGc08iK52U3+qyxftWLrqfWrj0zd2GfBoulBGjbi1AIq0cSSR+Nsu95k7VnPHiP5kK+Mc9IHlrw3joNo1YA/UHlw1ar9hBWUrZh8HHgmtHVn0q4ZJk1WewbRfPqLxdPgEp5n//C8iNMJeMLwTRLpMUamHC3uHw/RauGcCM2AV9NK1pw8H1qUfulkOEQDQKe/xGczucURI7Mv3xiaP5iHaADo0559Gc4VFPcefTLcMCoXgyEA6INlw47Su9/PnEMkG5P6fD+IBoCu8I5/IBoA9QZEAwCiQTQA0SAaABANAIgG0QBEg2gAQDSIBiAaRAMAogEA0SAagGgQDQCIBtEARINoAKJBNAAgGkQDEA2iAQDRAIBoEA1ANIgGAESDaACiQTQAIBoAEA2iAYgG0QCAaBANQDSIBiAaRAMAokE0ANEgGgAQDQCIBtEARINo1eQqBAcQTX+CTXffC9cARNNbNHIs4RqAaPUgGlwDEK1+RINrAKLVj2jeXRPnmAXBFhxlJWvZooLJQ8wsrqDYLLS6q66qwo8pXvZ5AywLotWVaB988D8QrQrXDKPS1r0cz3EhrYX0cRxn+e8562Ce4wZF1J1o4iizaYix4ZUF0dCi1b1onlwzTJqcSR979hA6sScZWfRETkypoWgZX4S7tELZsbOf83Xlqlo0R1nV3xYoRfufZnXGH5o3/6CZfyGiXe+fPScJ7nB1zVLWm1OJJm7qH18L0fr+r+v5z98a7/vKVZlmL6sG2wKFaHXIiebNnxT8CxHtsNCw0LgW+cWf1aJxCc/XRrTsj8J1WrkOtw10/ri0Ts/KbQ1CtJsbmGhC1EsfKI55z3/eohFt8Xtjay6aZUDLcH1WrsNtAV+XYpjQorm1jFcd8tD3BmpEY+/UULScDXG+n//VWrkOtwWkTftDHfJB8+bX/cG/ENE+8M+ek3yxjF6SiaJGNI6+Q0U7va+09PDT/Vh38oyZDEoWbtv9yDDyKm/+OydKd9wfzVqWwm1Lt5U+PZNtOHp3lDkmOCpqVzvlhdgIcq+AvEHvGbQMn/flCalQzcrOMjXrkTVLlr700tIfLl2Mtpel2FYcHxUVFRy83ciFtg6OCr6YCYnqHYw6VmWZsgvpFI1CRDu1dAo5o+P6M5/EiuTcJ97v2cNEzujNxUQ3sSL1VbK+ZcP7pKO5OX/ZFNoh4bmQCDcNzWsRrZhMY2Jbbn3JXqhqZVFZpno9MjpziNr9Wn6naHtZqm0N31g7nqdlzBux7G2M/EM0f4pWhWXuROtyNJw1Ry2lwZLQol3r+mU8POMh/nR+R7rEMCftRZ44MZveP66I6zSWreZWtMgUSTRi7w+3KAp1rqwqU7Nezx4jWd17MdHsZSl2FJrftj1rXB/ujpMeovlPtKotcyeadF84skOXG6WzubVtFimFJ3e4Tf3ZCHt2KpErITmGahDaWvbRvWgd7KLFbFcW6lhZXaZmvcURndmyQeuiFWUpdkS2ZmuwURwA0fwimk+WuRMt7U76mJEV1lsWTTrBSftBYrTYqV40/BYu5/iVmWxrqVGpSjSpMHuhjpXVZWrW6zsibd0rRKScz3j3ohE96Vbiphd5nPQQzR+i+WqZ267jjRrR5BM7O9W2cillW3LHruydvJ/uvVrsm2jqQh0ra8pUryduihOEsJXPzFSVpdxRRlYaaW0j5RsVAKLVq2jVsMwn0WStEpLDlJdCGcffefPleF9bNA+iacrUrGeYuIbEOgvLnvPUoombrKTHmf0tRkIgWn1jfPKD6vWjfBZtUKzUqZRO8XkpbR/iXbqOY56P9100srKqTO16iT8bubx/XHe8mPYPNaLJO1pc1KqdYUM7nPIQrd7heVEf0RJ7xAyWHb7VaJkUw8ZMqGiGX8fWVDRVmdr1Cn7cyz5PQvJaT6IZBsQMCb2CW2gQreHjs2jieKs8lJ/4z1tCIrp0l5a2bZ/zRVf78GOCb6I5VlaV6SLa5e7yQMksRVmqHYkJybnHH8IZD9GakGhcYlYX2lskV0ZD4hdHSIsrtrRtn0FFIyPy3cmSwbwvojlXVpbpIlqsJGHCR+cVZal3lJhiO7QXZzxEa/DwYyKE4VOceixuTQfy6Ni6bSQbYxgT26q9/brs3Oxn4znLx+vGcZZR1nQS0VFy5eOkwYvf68eGCPtn9vy/86rCT+dLYi0uUhfqXFlZpna9gthPvyV/AuadGxyvKEu9I3G8eTuGQiBaA2fxHRMmBFOmTTjEhsgL7oiir0aGSI/bjQlb6OIJF6XYQ8sT294pLX2GtjOWwoWHTyx9pl/kzqhDU9jlUuGFwzueNapKp4XsaudSqHJlRZna9Rb/OKxw24ltJ4iIjrJcdlTw0V044SFa40QON3Y8Ot6XBls4+wNPVpBfOmKUfSpUsbKyTA87FzXlqF73vRKNEz6QXb/mmgM4CvVAxXM4BgGIYcMWszyIwIk4HLpeXCZsIR3anKsDcSgCkkGxs3HRUC/92/FmciO75FmEOQYmo+OGI/KuXhhz+SF+8xXE7Qfo39k55k747uvnUBeeeOlKPxyHAL1Im2Tqj/s69SOaqBqtBAEF+eniYHz7oOmTcfxCnG3a0TUj/XO6hxSF9Z6370zY0Sn4KkATZvOaGU9/9saluDA/zSKRkNzy6y2Hd1uFXAyJgKbLa8VsgvbsVHkmi3qnl9V26BXesCnONhI9SNBUicyysSukXtZc/4R0G0aZl0tTaciTzgDQ9ODlm1jkdO/knwg4S5k0h5SlTJgM0UATJafM1Fk6zaXH+qfnCNtaWTi0aKCpElJkY5OXkZ8zzfJLBcSCWOnXiT17xGzHNRpoomSnSr+vL4iVJ/+sdyrkAKxBfqsBALq3JwnJ0uk9Oq6jc+ozQ2FxvV0uiUPNy2lQEAl4Xd7PHxUAoF5aNNZltIwypyt+PJGYUm+5jw0DpEuz0/ldevulAgDUA6H5wvJxXN7OONWQX0jR2vqqQEYWC8CKLLMNifZLBQCojwZljlXYdXfU0x1MyiYk+3L7+jM95uJnZ39aE/atcqrBeqwAAPWBZcOZtJXH+o4QbHQ2GbHkQunuV+N7newaWXaoXmIP+c37difZpq17WRpxrP8KAFBvSL+d4KX8WiFfGeekDyx5b1w97Vv16IcKAFD/l2ytO0fTX4hN9tdp7vcKAFAfl2zfJJEOW2TK0WI/RWn4vQIA1AdiyZqT50OL0i+dDA/QCgCg/1l+NpNkZx2ZffnG0Hy//OrZ7xUAoD46bl+GcwXFvUefDDeMyh0XiBUAoB6wbNhRevf7mXPIOT4m9fl+AVgBAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACAavP/ZlZ10l4/KpYAAAAASUVORK5CYII=", null, "data:image/jpeg;base64,/9j/4AAQSkZJRgABAQAAAQABAAD/4gIoSUNDX1BST0ZJTEUAAQEAAAIYAAAAAAQwAABtbnRyUkdCIFhZWiAAAAAAAAAAAAAAAABhY3NwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAQAA9tYAAQAAAADTLQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAlkZXNjAAAA8AAAAHRyWFlaAAABZAAAABRnWFlaAAABeAAAABRiWFlaAAABjAAAABRyVFJDAAABoAAAAChnVFJDAAABoAAAAChiVFJDAAABoAAAACh3dHB0AAAByAAAABRjcHJ0AAAB3AAAADxtbHVjAAAAAAAAAAEAAAAMZW5VUwAAAFgAAAAcAHMAUgBHAEIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFhZWiAAAAAAAABvogAAOPUAAAOQWFlaIAAAAAAAAGKZAAC3hQAAGNpYWVogAAAAAAAAJKAAAA+EAAC2z3BhcmEAAAAAAAQAAAACZmYAAPKnAAANWQAAE9AAAApbAAAAAAAAAABYWVogAAAAAAAA9tYAAQAAAADTLW1sdWMAAAAAAAAAAQAAAAxlblVTAAAAIAAAABwARwBvAG8AZwBsAGUAIABJAG4AYwAuACAAMgAwADEANv/bAEMAAwICAwICAwMDAwQDAwQFCAUFBAQFCgcHBggMCgwMCwoLCw0OEhANDhEOCwsQFhARExQVFRUMDxcYFhQYEhQVFP/bAEMBAwQEBQQFCQUFCRQNCw0UFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFP/AABEIBfMHygMBIgACEQEDEQH/xAAeAAEAAgIDAQEBAAAAAAAAAAAACAkBBwIFBgQDCv/EAG4QAQABAwMBBAMGDg0GCAsCDwABAgMEBQYRBwgSITEJE0EUIjhRYXEVFxkyNFJWdIGRlbG00hYjQldyc3V2k6Gys9EzNlWCkqIYJDdDU2KUwSUmKDlEVIOEpMLTJyljZcM1RmRmhaPwRUeW1OH/xAAcAQEAAgMBAQEAAAAAAAAAAAAAAQIDBQYEBwj/xABLEQEAAQIDBAQICgYJBQEBAQAAAQIRAwQhBTFBUQYSYXETIjKBkaHB0QcUFSMzQlKSsfAWFyVTcuEkQ0RUYmNlgpM0VaLS8YPCs//aAAwDAQACEQMRAD8AtTAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABiQZHx16vg2blVFzNx7ddM8TTVdpiY+eOXH6Oad/pDF/pqf8QfcPwx87Hyo5s37d6I85t1xV+Z+4AAAAA6/W9w6VtrD916vqeHpWL3u76/Nv0WaOfi71UxHPhL5ds712/vWxfv7e13TNdsWK/VXbumZlvIpt18c92qaJmInjx4kHdAAAxPgDI83uPqTtHZ92bWvbp0XRLsU96aNR1Czj1RHx8V1R4O8wc7H1LDsZeJftZWLft03bV+zXFdFyiqOaaqao8JiYmJiY80D6AYmYhIyPxycqziWK71+9RZs0R3qrlyqKaaY+OZnydNom/dtbl1K/p+kbi0rVdQx6PWXsTCzbV67bp5471VFNUzEc+HMwDvxjmPjInnyBkYn52QAAAAAABh8Ws6zg7f03I1DU83H07Ax6JuXsrKu027VumPOqqqqYiIj45B9w1/srrzsDqHrMaVt7dWBqeo1Wpv28eiqaar1uJ4mu33oj1lMT+6o5hsAQACQAAAAAAAAcZqj4+GYnkGQABjlkAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAY5j4zmPjBkY55ZAAAAAHGao+NmJ5lAyAkAABiaoj2kAyMT5fExzHxg5DHMeHicxPtQMjj+FySAAAAAAAAAxPk/HIyrOLT3716izR9tXVFMf1ouP3HC1cou0U1UVRXTMcxVE8xLmkAAAAAAAAAY5BkYieWQAABjmPjZAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAYnxhkBAj0onQDp1gdnDeO+8bZ2k4u8fdeNfq1vHxot5Vyuu9RTXNdceNXMTMePLuew52Vuj+8Oyr091vXem+29Y1fOwZvZOdnafbvXrtXrK45qqqiZnwiIeo9KdHPYu3l/HYf6Tbee7D3aW6Z7P7KfTrRtZ3biYOp4enzbv49dq7M0VesrniZiiY8phXD3V98Irvenzuq7ZHZq0XoP0l1bqr0Yrv8ATTdW2e5mV29CvV2sTMs9+mmui5j8zbniJ5+t8eJieeW7exD2jrvad6C6XuvOx6MbW7F2rT9ToteFuci3Ec10x7Iqiqmrj2c8exp/td9ar/aL6W6p0q6NaFq29Na3HNGJk6pbwL2PpuDY79NVddeRdppomZ444jnwmefZztLsydl7Uezv2arWwdI3HTpu68mK8rK1y3i05FFrLuRHeqot18RXTTFMUxz58clOkVTPmTNrwkX34O9Eq7OjvWTrXR2uOofRXWN9zufOsWbNOHqtzTrVq1gY/FNy9lRapjibkUV00U01TNPfrpmeYiYb46E6b14232gN/aZvXLuax0pot01aHquo3rFeVXX73jj1dNM+Md+aommIiYjj5Z4RPCYuiZ3pN9+GYnlFPZHWzc3aw6l7r0rYmt1bS6abVyvcGZuDCs0XNQ1XMjnvW7E3Kardq1THnX3aqp8OOIl9nXLXuoHZW2tX1C0zcmodQdoabXRVr2ha/TZqyqMaaopm/i37dFExVR3uZpriqJjny4L6XlPGYb56hdOdsdTdCq0vdmgafuLTaZm7Tjajj03qKa+7MRVEVR4TxMxz8qF3ojsGxpXT3qhhYtv1WNj7sv2bVHPPdppoiIj8UJqbG31pHUvYmk7p0HJjL0jVsOnLxrseHNFVPMRMeyY8pj2TEwrz9Grpm8t2YPVTRtH1iNrbctbpyL2bquJRRcz79yrwps2Yriqi3ERHNVc01TPMRER4ymmLTMdnuRM3oie2PwlZfE8eEs8/Iib2hNzdRuyTt6jqLpW49Q6h7Jwr1ujX9B3BTZqyrViuqKIv4t+3RRMTTNUc01xVHE8+Hs2X1K7SekbW7Mmq9YtAtTrul29JjUcG1TEx62a+Ioiv20xFVUd74uJVmbRdMRrEc25u8zzyix0Rubg7S3RfSeoWl9Vd3aJqurWq7lu3RiYdrDxr1NU0zRGPNquarUVRx43JqmP3UTPh9/Y37TWudaat67P3ph4uJvzZGoTp2pXcCJpx8umKqqaL1FM+NPPcnmPLy48+ItabzTxhF9Ltaela6V7Ry+zRuPeV7b2n17rxb+FRZ1mLERk00zfoomn1keM092qY4nwSm6C/8hvTz+bun/o1toP0qfwMN3ffOF+k23oOz9srfHULonsfU9e3lqW0cSvQ8KnT9I2xNmj1diLFEUXL967brquXKo4qmKe7TTE8cTMTMxR5NVufsTVvpSY7yPfba6J9Quu/SrG0Lpzu39imrWs+3kXqpv3LFOTaiJjuTct++jiZirjynh47Te0JunoL2i9G6R9T9Tt7h0LdNPe2tu2qzTYyarnPE42XTRxRNXemIiumKee9TzHj4dV6RPcnVnpL0t1XqLsbqPVoWmafVjWLmh06XZrmqbl2Lc3Iv1c1c810zxxx4SrO6JTTfrW4pE7V6XTk9FtI2R1CvY++LlOnWsPVb2da9Zazq6YjvVVU1fXRzET4/Fyhl2MdkaH059IR2gdu7b061pOi4eFY9zYViOLdmKpt1zTTHsjmqeI9ibvRzWczcXSXZuqajfqys/N0bEyMi/V53LldmiqqqePjmZlD7sz/APnL+0b95Yv9myy7sW08pY9PBac4/FuXtv8AQzqP146caVo/TbeP7EtSxdSoysmZyLmPGTaimqIpm5b99HdqmKuPKfb5Q3T050PVdrbD29pOu6rVrms4OBZx8zUqo4nJu00RFdz/AFpiZRN9I3uvq50c6eZnULZPUmrRdJs5GNiVaFRpdmqqnvz3ZuRfq5qme9xPExxEJIYePufe3RnQatH3NG3twZ2nYt6vV7mDRlzE1W6ZrmLdVVNPMzPn7PiY48mZjmtPlRDrdtdXbu5u0bvLYeNdsXdO2/omBl3e5T+2UZV65e71Mzz5erptTx/1pbZ55VZ9izp91Evdp7tA6VpHVfJ0/V9Pz6LOdrWbo1nOu6jMXLkRVNNyri3xx5UzMceHlELBf2GdQaOnU6RHUiivdkXvWRuOrQbHd7nPPq5xoq7nl4d7nn2piLUxJ9aYbHEDezb1t64by7Vm8ul/UDfOl4dW0590RhYmhWqZ1jG73EV01zPNuJpqt1eHMx3uG6e2HuDqvtfQ9s5fSrcmnabrGdqtjSY0rUdPoyKcyu9XERVFc+NHq6YqqniOO7Ez7Cd0TzTxmOSRLLxnSnQ95aFtW3Y31ufG3Vr9VXfu5eHp9OHaoiYj9rpopmeYieffT4zz5PZeUJRE31JnhjvNGdqztL2uz3trR7GnYFGub33JmU6boGj11zTRfv1TTE13Jjxi3T3omePHxiPbzH0aV0c37qOiUZevdXNwWN0XaPWXPoNj4lnTse559y3Yrs1zVRE+Hv65qmOfGOfCt+KexuzlCHt3alkby6/9n3pTm3Kp2luHV6s3VcOJmKcuLE0zRbr+OnmZ5jy/E2d0D7SGr671V3Z0a6h0YeP1E23TTftZ2BRNvG1jDqiJoyLdEzM0VxFVPfo54iZnjymIi32sNn9QtM7ZnZ8xs7qVTqWqZ2ZlRpuo/QCxa+hsTVT/AM3FXF7zj67jyTGtVHKT6tXcl5uLsi7d3F2k9r9Yq9Y1TF1Pb+F7jxtIsV004c0xTXTE8ccxHFc8xHhPEN7xHDxfTPbO79sYmXb3dvaN7ZF25FVi/Gk2tP8AUU8eNPdtzMVcz48y9snhZHG7j3jvfI032ndG6gZfT/U9V2Hvz9hWXpGBlZlyidMtZcZk0W5qppmquebf1s+MRP13l4I79hfeXWPtQ9FcbV90b5ytC0qzmX7NWqaXasTqeo3Iq5471duq3ZtURMU8RRNVXj4xHBGt+wnSIlOzvs8oU9busnULsPbr23rW4dfy+o/R/W8ynT8y/qtm1GqaTfqiaoqpuWqaKblE001TxVTz72Y5ieJmTm/+sW3OnPSbUuomp5tNW3MPBjUPX2vGb1FURNuKPjmqaqYj5ZhF/F6ydb2e65YirlFnoDl9SO0/si31G3Lu3U9h6NrFVdehbe2zTZt1WcSJmKLuRdu27lVy5VxzxHdpiOPCefB0c667p272i9x9B+oOfb1jUrGFTqm3NyRZptXNQxZjmqi/RTxT62ieY5piIq7k+Bre3FF9L8Ep+WO948K7OtXWDrT2du1j0625n9Qbm+9D3Lbv3MfSKdMs4VNd+e/btWa5oiZ7vfqtzNUT5RM8eDceo7e7Ru1u0dsK5putzurp7m2edz3cv1FnHx7kzPfixaiIroimO73PGuZ8e9M+KY1iJ5k6X7Ese8xNcQjRsDqVqvaN6t9TdDxd15W1dB2NqkaNTp+jeqozcy7FPNy/euV01zTb70VU0U0RTz3KpmZ8Ifr1AxeovTPqt0nx9L3rqGs7J1jXasDVcTVLVm5k01Ti3rluIvU0UzNufVzzExzFUR48TwiNbdqZ49j8O3F0D6m9e9pbbwemu9f2IZWn585GXRORdx4yaJiIpnv2/HmiYme75Tz8kJBbO0vP0TaejafqmoTq2p4uHZsZWfVT3ZybtNEU13Zj2d6qJnj5ULfSQ706xdD9m/s92d1Nr0vRb2fYwfoHRpdnvWe/TPNdN+eaquZpmeJiOOUoepPVSnpP0I1jfebZrz50nR5zqrMTxN65FuJiJn2c1THM/KiJtRNXaTrVEdjZHfg78NCdJNA3B1X6b6BvLVupetVZ2t4dvPm3t65YsYON3470W7VE2q5qinnu83KqpmYmZ8+I+Ho3m9TszfnWXau5N128y/pd3Bp0HU6tPo7tmxdsV1RXXapmmK6+Y994xEzHhER4LTeNJRfjD2W6ertzS+0Vsbp5h3bFUatpeoalnW6qeblNFr1UWZiefCJqquc/Hw2x3lWOhdPuouH6TvVdFjqvk39zfsfnIjcWTo9m7FFqq3TV6ijGmvuUURz4cT8c+cysX6abY3jtfEzaN374jet+7XTVYvRpFrT/AHPTEeNPFuqYq5nx5ny4RHkxM/nUnSqYe273yHeRJxuv25+0j2hdydNenWrfsY2bs+mI3DunHs0XczJyJqmn3Ni9+KqKI5irmuqmqfeTx7Ofy6+9R959jXP2xvC/ujUd79Nc7UKNN13D12i1XlYHrP8AJ5Fi9boo8ImJ71FcVfJMc+CJvaeZN9Y5Jed75GO/HPCJ/br1nqftLpBrHUnp31J/Y7pulafbv1aTTpdm97p5r8bkX6uZpmaa6eI4mPe/K+rs161vrtIdGNp7l1Xduq7c0q5p1q3Re0ui1bzdTyKae7fyLtdduqKKPWU1xRTRTHMR3pniYhMXm/YTpbtSn5OUP+h/W/eW2e1/vPoNu7W7m68DG06nWdE1nMtW6Mym1MW5mzem3TTTXxFzwq7sT72fjbO7W/ad0/svdNI1y5h/RfXtRvxg6NpMVce6smqPDmfOKI85mPkiPOFb+LFXNPGYbx70MxPKOu0em3UvVdk07n391U3DpW5L+LObf0rauPi2sHA973/U27dyxcruzT5c1VT3uHm+xp2xp66dI947l3NbqwcfaWTet39Wv2IsRkY1FE3IvV0RM00VxTE96mmeOY8OOeItOl78ERrqlbNcM95EboB1G3x2y6NY3tb3Bn7A6a2cy5haHg6LRapztQijwqyMi9cor7sc+EUURHlPMzx4/VpfWndfQvtP6J0k3xrNe6tsbuxKsjbe4cy1RbzbORTPFWLfm3FNFceHNNcUxPvo559kcYjmTO+eSV/PiyxDKUgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADpN5bXjeO287R6tU1LRqcqmKfd2j5M42Xa4qiebdyPGmfDj5pl3Yi1xVb1bo39sjt+bK6P6f1l6iTtDW7WNfv+t165Vk0RX63vU03P8A2cePHtTYv9lCZs1e5ur/AFUxsjj3l2rdFdyKZ+OaaqJifmlD3tHVRR6XbpRVVMUxGDh+Mz8uSstztc0/TMW5k5mdjYuNap71d69epoooj2zMzPELfUie8q8u0co/BBLG7VO/Oyf2ntL6RdXNep3vtLX6LdzRt13ca3jZlim5XVbopvxbiKa+K6Zpqq4ifHveXgn1FfPlCqrtI7Wu9vftubW0/p/3tT2dtLHs4us7mx45xLdVN+u7cpou+VVXE000xHPM8z5Rymn2s+rXVbojsTUt27F2ztnXtD0jBry9Rr1jOvW8i3FPn6u1RTEVxEeM83In5FYnxImSY8fq0pB8nKFundsHqfvnsx19T9mbW0bPy9M0qzlajZqxci/TlZlUUzXj4tmi7TV3bcVRNVdVc8TzEU1TEtx7R7S+HZ7M2n9XOoem3dj2ZwPdWbp+RTV6y3XzNMUUU1RFUzXMR3YnxnvQmdL34Iib2s3gxMcw0PsffPWXqvtzH3Rpel7X2Ro2fbjI07TtwWMjNzrtmqOaK73qrtqmzNUcT3Y78xE+M8+D9+l3aQua71P1PpZvnSrW1eo2Dj+7bONYvTew9UxJniMjFuTETMcxPNFUd6nifPiZRxsX0ujH6UnY2TsXZuD1D0Hd26dM1bN1vGxMjCsaxepwpt1UTHFNmJ4o+sifDz5n40/dvVVV6FptVUzVVVjW5mZ85nuwhR6Xq9TY7Nuj3K+e5RuPEqmYjnwiK29dobj6ub62np2r6Bhbb2jpN3Ft1YONuTFyMvMv2+7HduXabV23TY70ePc9/MeHPE8wU+RPZPshNXlR3N5cnLQHR7tQXN09UNY6U780a3tLqXpdqMmMSxem9h6njT4xfxbkxEzHHnTMcx4+fE8fr1t7T2D056obR6Zabk6VZ3nuaib2Nd1u5coxLFvvTTT3u5HerrrqiqKaImnnuzzVHhy5dpz7G+pnh8erabRrOl5eDcu3rNvJtVWqrmPcm3cpiqOOaao8aZ8fCY8kbusPaD6i9mLG0zcvULTdA3NsC/l28PP1LbOPfxcrTJrnim5XZu3bsXbfPhM01Uz5eHikfomsYm4tHwtU0+/Tk4ObZoyLF6ife126oiqmqPniYN8Iur62JtjP6Uek/wBP2Vg7s3JrG3b22LuoU4mt6rdy4ouVU1RP10+MRNPMcxzHKxKnwhXR1Z3ZmbQ9LBomTpujZGv6pkbPjFw8CxVFEV3a/W8TXXPhRbjiZqq8eIieImeISm3fr/XfaW3sjX8fTtl7n9y25v3tuYNrKx8quiI5qos5Ndyqmuvjy5tUxMxx4cm6iJntTMePMd34N41eSJ2n7g7SlXbazNOydMx/pF+qn1WR6qx3O56mJiqLn+Vm763wmmfDj2ceLbnRHtAaF2i+lk7t2XVFd+IuWLmnZ8zauYuZTTEzYvcRM08TMeMRPhPMctHdOu1X1Zye2FZ6L792ntbRbNel3NT906Lk38qqunuc0TTcr7kcc8xMTbifD5pTEePEcVZm9My7n0hHTvMzuh+698aXvTdO2tU2/pU3cfF0fU68fEuzTX3pm5ap+uqmKuO9z5RHxPddiTVMzWeyl0zztQyr2dmX9It13cjIuTcuXKp58aqp8Zn5349u74IfVL+Rbv54fD2Kbmda7FfTmvTLNjI1Knb9M41rJuTbtV3eKu5TXVETNNMzxEzETMR7JRROlfZb2pq+r5/Y8ttLcHaVvdtbWNO1nTMejodTbuzjZEWrEURR6r9qqpuR+2zdm5xFVM+ERz4eUzKLX9XsaDomfqWRMU4+HYuZFyap4iKaKZqnmfZ4QiV0j7VXVXXO19m9Gd/bW2volOLpNzU/dGi5F/JquR7ybc03K+7HExVPMTbifB8XpLt2dWNvdBN2TtizoWnbOrx6LGpapczbs6lctXJiiu1asxb7lMTNURNU1z73nwjlEz1aIt+dVoi9cwlP0o31T1O6a7Z3dRiTgUa3p9nPjFm56z1UXKIq7ve4jvcc+fEfM9WiZ2Vtd620dEumFjH2fsmvbMaPg005lzcOVTlzjerp9/NqMOae/wB3x7vf458O97Xou1d2hupPZx27qe79N6f6RuvZeBTam/kU6xcs5tqap4qqqs+pmnuRVMRzFcz488RC9dqZVp8ZJDn5BqTs1dVN09Z+mOnby3FoWk6Bj6vaoytOsaZqVWbNViqnnm7M26Ipr55jux3vn58GssTtF9btU67a704wOkuh3bek028q9rle4a6cWnFuVT6qqf2iavWVU0z7yIniYnx48UWtPVRfS6VI40TMx4sz5Cxyy0LuvtHZ+sdXcnpZ0y0rE3DuzTrFOVrWo6jdqo07R7VXhTFyaPfXLs8xxap4+WqPF8vUnq71O6B6FXuzeOl6Bu7ZmHxVqt/bGPfxM3T7UzETeizdu3YvUU881cVUzERM8T7Ivpc7Ega/C3KB/QbFvds3qb1m3Tu+9TnaXt/ULu3dr6PmUetwtOqppmKsmbM+9uXJnuzzXE8eMR4ccSt1rfeu7t6daTuTpVj6Dun6Jxbv2atW1C5h41eNVTMzXFdu1cq70T3Y7s0x7eZiY4QO9HfuDq1i2er9naG19p6pH7LcivPnV9cyMX1V+fOi13MW536I+2nuz8hTF6qonhCJm1F+1LjsXdCd69nrpXlbY3ruuzurLnUr2TiXMfv+rxceqKYi1T3oiYjvRVVxEcR3uI8m/wB+GHVfrw7FWVRRbyZt0zdotVTVTTXx76ImYiZjnnx4h+tU8JnU3OQg72oO2b1g7M/UbbGHrOy9rXdm69qtWLi5mBk5ObnV2KblMTza4tRTdmiqJimO9HPhzLd9zXOvuvaPXrOk6Xsnb3fo9bj7f1unKycqqnzim7kWrlNFuuY4iYiiuKZ9sqxN4undNm8uRoHs0drLTuvOfuHa2qaRd2j1F21emxrG3cm5FfcmJ7vrLVfh37fPt45jmPjiZ7XtGdprTOg1rQdKx9Ou7m3vuXKjC0Pb2NXFFeTdmYjv11T4UW6ZmOapW5dqG6Ynk5R439v/AK59LthZW9NR0rZu5MPTbM5mpbf0i1lWcuixTHNz1ORXcqpuVUxzPE26e9xPHHg9BPWXcPVPopom+ui2n6JuK9qlum/Rj7izLuJRbt92rv0zNuiufWU1xFPdniPP3yJniNz945Qm7MPbR6kdo3beuYeNtrQMLemmZ1+3lU003qsPAxrdNMUzXT6yart2u536aaaaqImKKp5jjx9D0a7a+ual0B391E6q7MyNpV7RzLmNXbs4t2xTnxHEUeqt3apqpqmuqKJjvTHM+fxTOm/vOzzJcMTPPk1LouX1l1/RsfVbl7ZmiXMi3Tfp0e7hZWXXbiY5iirJpv0R3uPCZi1Mc+XLpei3WLf3UzTep1jU9saTo+59sazd0nC073Xc9z3ppsW7lFVy93Znu1zXz3qaI97Me955RPIu8J0s1/tK5PbA3bp+7tMsWujVu1enTr8WrEURHh6mbdyn9sqrq8e9FXMR4+XhzLDnmEQegfao6n707Wu6eju/9sbb0KrRNFr1Obui37+RVcq9ZjxRxcrmImiab0z9ZE8xHk3H1Y61Zm1eoG0unm2cHF1Hee5beRlWfohcqoxcPFsRE3L93u++q8aoppop4mqefGmImU7opg+tLbXeYrnw5aE6w766y9Ieme4t3WcbaO86tLwrmVVp2Lh5OBXTFNPM1xVVfuxcinjmaeKJmIniYl8HXvf3Vm52e6txdPsLbljLyNuzqWdqGp5d63Vh82PWVTj2qbdUV1RHPd71cRE8c8qzNomyY1mI5tpdIup2P1Z0LVdVxcWMXHwtaz9Iomm962L0Y2RXZ9bE92OIq7ne48eOfOfN7rlXn6O3cvWuOzDote1tr7P1vSrubmXIzda3Bk4uTcuVXqprmqijFuRHjM+Penn5E5N3b907pxsLP3Vu3KsaVp+mYc5Wfdpqmui33aeaopmYiavHwp8OZmY8OZWq8XerE3epEcul3V7qz1+2pG89qaXtrZ+083vV6NRuXHyMvNzrMTxTerptXbdNmmrjmI9/PHEu06C9pW/1S1/eGxdwaNZ251M2nc7moaTRfm5jX7cx+15Fm5MRVNurmPOOY5jz5R2Jvxb458TlBrW+211V6X9pnb3TnqTs/a+m6VquHezLV3QMnIzcjJ4ouRZtWqq/Vx36rtNNHFVH7r8Lb3VPf3XHYXTbWd9Y+m7Lu2NKxa9Qv7ZuUZVeVOPRHerpjLi5FHrIpif+amOY8580XtHWncnj1eKQ8VcnLXfZ/wCsumdoDpFt3fmkWbmLh6vZqrnGuzzXZuU11UXKJmPPiumqOfb4S131W7U2TpfV/A6Q9ONEsbt6iZFj3Xlxl35s4Gk4/tu5NdMTVM8THFFPjPMeMcwtOk2RE3i/BIjk5Rc6ydpTd/ZX03RNe6o52z9T0PUc2jCqs6FjZeJmUzPjVVapuXLtNyKY5mYmaPCPPniJ2J147TW1egfTTH3fqs3tR+iNVu1pOm4dPORqN65ETbt24n4+YmZnyj8EIidL+Y42bf5+Q5aCv7m7QdGx7m5/oPsi3nUWJy/2IzTlVZM0RT3vU+7IuRR63jw59T3efDnjxeu7OvX3Qu0d01w926Jbu4czcrxs3Tsnj12Fk0TxctV8fFPlPtiYlJfc2gAJAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAYnwgESfSn/Au3l/HYf6Tbek9HR4djHpp95XP7+48z2yulfWztHdPtwdO9D0HaGmbfzMq3Va1jM1u/VkXLVuuK6ebMY3doqmaY/d1O27IuwOs/Qvp/tPp5uXb+0svb+lU12bmtafrd+ciLc1VVxxYqx4iqe9Vx9fHh4mHpFUc5j8EV/V7Eo3GXJ0+7MvWcHb+df29gYmp6zRb5xsTOyasazdr58q7lNFc0x8sUz8xuTvQe7PePbr9Kd16uzTE3KNBsRTV8XPuPn8yZnVanOnpju2NLiqdS+hOV7m7n13rPVVd3j5eeEPenfQjtD7C7T2+Osn0A2Jm3N04cYd7RZ17JoixRTNruzTe9yzzMeqjnmnx5nyTe0S5n5mi4der41jD1KuzROVjY16b1q3cmPfU01zTTNVMTzETNMc/FCs03w4p7LETbEme1BX0NV23PZt3Lb8PdVO6cmb0T9dzOPj8c/1pJ9sy5Ys9lPqtVkTTFr9juZHvvjm1VEf18Nc7a7Pe7uzF1T3NuTpRp+JuXZO6b8ZeqbOyMunDvYmV483sS7V+1zE88Tbr7vyVeEP261bC6qdq3QaNi6loNPS3YmXeor1vKydRs5mpZtmiqKvUWaLFVVuiJmI5qqrn2e9801z4SO8o8Sq887uk9Fp9EqOxhtv6IxXFE5GbOL6z/ofW1d3j5OeXh/RL/5u9Yv533vzJtbK2RpPTzZelbX0HEowdI0vFpxMXHo8qaKaeI5+OZ85n2zMyij2Zezh1K7KOlarqmn0Ym77u49SyM3WdtU5VFiceZu1eouYt6qIpqq9XMRXRcmImeOKo48ck1Xqmece5SI8S3bf8W1+3Ndx7XZH6pTkzEWvoJej33208d3+vhGvssdbtK7OHoz9B3Vv3Er1HBqrzMfB0uumJqzouZF31VmIqjju1cVTzMTEUxM8S3H1w6Y9Su1ppmNsnWNI+ln05u37d/Wbl7Ps5WqahTRVFVNi3TYqrt26JqiJmqquZ8PL4/v7WHY7wOufZzwOnG17+PtyvQblnJ0amqmfc9FVqiqim3Xx492aa5jnxnmefFh3RV22ZdJmmOV3Q9FdP68dZ9m6XuXUNz6b0X2vnWab2mbY21ouPk5VvGqjmj1t3IpqoomYmJ7tFEeE+zyaf7ANMbT7VHaf+i2s3M+jAybdeVqud3KKq6aK7s13bncimmPCJmeIiISY6ebs6y6XsPS9van0tx8fceFiW8OdW+jmNVpVdVFMU+t4pqm/FM8d7uer59nMebTO0exh1J6T9TOombtvXdF1/Quo+m+5tbz9YuXLWXg5Nfe9dftW6KKqblPNy5NNE1U8c0xM+98csTaubbrW/Bi30a73pPSiZ+PqnYi3RmYl6jIxr93Au2r1urmmuirJtTFUT7YmJ82+uzb8Hvpp/NrTf0W28F2rezxqPWTs0VdMduX7Vi5XXp+PGRlV8RRYs3rc11eXjMUUTMR7ZfVsHE6kdCttYOzLe1rvUbQtKsU4uk6vgahjYuVGPRTEW7WTbv10U96mIinv0TPeiInuxKlOkVR2+xadZplFj0tVFzK372esbTIqq12rW8j3PTa8bnM3MTu8ceP13DcnpRorp7EW7vWT+2et0+Kvn912eXc7Z7Nu4+pvX7B6xdW4wsbL0O36nbO08C97ps6bHPM3r12YiLl6Z8fexERPHEzxEvn7cHSXq32iOn+sdOdpaRtjH27n1Y12rWtT1a9Rkc266bk0RYpsTEe+piO9358OfBjmJ6kU9t14mJrvwiG7egX/ACHdP/5Awf7ihEvsz/8AnL+0b95Yv9mykH0gx+ruzOjlrQ9a2vte5uPQ8DGwtLt4muXpxs/1dEUTVdrnG5s+Ec8RFfPyNCdMOhPaF6ddpTf3Vurb2xtRq3fbos39IjX8i3GLTT3Ipmm77lnvTxR480xzz7HomYnFme/1sVMfNdXu9T0npY/gd63/AClg/wB9CTPSX/ks2h/JGJ/c0o69uTo51g7SWxs/p9tjSNrYW3b2RjZUazqOr3oyKpt8VVUeopsTTT77w73fnmI8o58N1dA8bf2k7Gw9H39o2iaVm6ZYsYePd0TUbmXRk0UW4pmuqK7Vubc8x9bHe+djo8mrv9i1W+lE/sJeHbQ7Uc//AI1p/vrqb+gb00zcut7i0nCruVZmhZVvEzaa6O7FNyuzbvU92fbHcu0ePxyi3ovQzqB2fO1PvrqJs7blG+tob5s03M3TrGoWMTMwcumee9HrqqaK7c81eVXPvvLw8d+dGtnavt/G3Dre47VnG3FuXUqtTzMTGuest4sRbos2bMV8R35ptWqImrjiapq48CN1PcVeVMxxlETt5YV/s9dorpR2idMtV0YNrIp0DcXqo8K7Ffe7tVXy9yq5H+pR8SS+n5dnqx2gbWXYu05W3tkYFNyxct1d63e1HMtxVFUTHhPq8aY/7QdsrZGh9QuzRv8A0nX7tGNgxplzJoyK6e96m9b9/aqiPj79NMeHj48OfZA6RZHRPoDtTbuo1XL2uzjU5WqX71c13K8m5ETVFVU+fcju24+KmiI9hTumOXtRVviY4t0scMsJWVu9uCvNs+kP7N1zO70aJF2xGPNX1nrfdU+s/D/kufwLIYjmnzaR7VPZj03tIbT061Tn16DuzQsqnP0LXbVEVVYeRTMT4x7aKu7HMfJE+x+Gj9Qut2kaBb07V+k2NrW4bNEWp1XS9wY1rTciqI4i7MXZi9bifOaYoqmPKJlEaUdXlMlWtXW7I9SKXUavJu+mJ2NGk96qu3o1MZ3q/GIte5r/AD3uPZ40eftmHse2f8OnstffmT/bobk7PfZhztk9Rt1dWt/5+LrnU7c/FF2rCpn3JpePERFOPjzV76Y7tNMTVPHPd8vPnUvXPoP2gur/AF66d9RMbQdj6Tb2PkXLmJg3ddyL05kVVxMzXVGNT3OYpjwiJ4nnxko8WcOOUk+N155xZOf2uTyvTzUt3anotV3eei6XoWrReqpjG0nUa82zNviOKvWV2rc888+Hd9keL1SUQ8f1j/5JN7fyJm/3FaL/AKJX4H+m/wAq5v8AbhJ/rFPPSXe38iZv9xWg76L7Ud+7U7M+Jn6Ro1O9du5epZXOm2Mq1i5uFdpr4mbc3Zpt3KKvCeJqpmmYnjnniJp31d0fiVeTT3+xsv0sV7DtdjjX6MqaPW3NQwqcaKvObvrefD5e7Ff4Ilo3tP4O48f0S/T61fpvRdtYukznxVE96LPHvO98nM2/w8N9dU+zzvrtf7727PUrAs7K6XbeyYzre2LWbRlZ2qZMeEVX67czbt0RTMxxTVVPE1eMc+ElN9dM9v8AUPp7qeydZ0+3f29qGJOFdxKYimKbfHFPd+1mniJifZMR8SlvEntmJ9C0T41PY0j2Z9mb0zuzx03v6T1LnC0+5t7Bqs41Oh41yLUeoo953pnmrieY5n4n32eylOR2h9sdXNx78zNX3Do2LcwcfFpwbGLZvUVU1xxVFPjMx36p8Pief6JbJ6u9ljb/AOwPH2/R1V2PhXK/oLqWHqVjC1HEs1VcxYv279VFFcU+yqivnx+tbK27tXd++t9afvHemDj6BjaLbu/QXbePlxkVU3rlPdryMm7THcmvu80U00cxTFVU8zM+GSqb1daGKImKerKNHa0sW8j0inZnouURXEUZFXE/HFczCes+XzQgt1f6DdoPqh2jen/VOxoWxtLjZnfpxtNua7kXvdcVVTMzXXGNT3JmJjwiJ4n40w9hajuvUtA9bvHRtN0LWfW1UziaVqFebZ9X4d2r1lVq3PM+PMd3w+OVI8iI7/xZJ8tDzq92ItD7QPUTXOpnR7qPqHTvedrPv6dq9/BpuTZvZdiruXYqimuiqmrmniZiZifPiXkdpdSu0h2PerOz9u9Z9YxuonTnc2pWtHxdwWoiu5iZN2eLczcmmmuJ8+aa+eYiruz4Nz9FumvV7obvTqrrs6Xibo25ujdebqmLt6znW7OZj2q657l+3crqi1PrI471uqqmY7sTzzzD0u+en28e0ZuvZdvc+2I2TsvbOs2dwXLGZnWMrO1DKsxV6m33bFVdu3aiapqqma5qniI4iOSmbdXzInWJu1Z6Xuf/ACU7M/8A4/w/zVpM71y9q4nQzMq3v6udp3NJos6lF2mZpmzXRFFXPHj+6848vNoDt1dDesfad2td2LtvStq6dty1n2M21q+fq973Te7lH1s2KbE00e+qqjnv1cxEeXPh7HqPsPqp1T7J+8tk65oGh6du/LwKdPwbekarVkWMiIij9sqru2rfq55ir3vvuIiPGVI+jq7/AGJnyqe5HvM9HB1W6SZOVmdBeuWoaBpVVc38fQtSruRap5993e/TNVFXPM+dvx9vLbnYq7QXUjdW7d39KOs2m2sbqLte3byKtQx7dNFGfjVeFNziiIpmeeJiqniJiryiYlsbYGo9WOlmy9H2zrmzq+oeXp2Jbx6de0XUcbGjI7tMRE3reTcoqoqjymaZrieOfDniP26M9ItcxOqW8Oqm87WJhbn3BZsafjaVg3fXW9PwbMc0UVXeI79yqqZqqmI4jwiOfNlvabb4/NlN8X4o46VPHpg9V5+5Kj+5pTayd5YGTunP2nj13Po5Y0ynUpomie5Fquuu3RPe+PvW6vBG/rD2ft6bf7WO3OvHT/TMfc9yjAnSdb2/Xl28W/es8TFN2zcuTFE1REx72qY+tjxbh6X7a3FqO+Nx773VpVOgZ+pYmNpmFo/umjIuYuLZquV83K6Jmia67l6uZimZiIpp8Z8VIi9FNPKJXmbVzV3ID+ij27urVsTqxbwd23Ns6va1qiM+zc021lXK6+K+Zqm540zFUVR86YPXHsta9186d5+zt4dT8q7oeVXbu3fc2i41m5E264rpmK/Z4x4/Jy87qvZs3X0V68az1X6PWsHUsfcdEU7k2Zn3/ctvJrie97oxrvE00XeeZ4rjie9V4xz4e63De6m9ZNHu7ZvbQudNtGz6fU6nqubqmPlZfqJ+vt41GPVXTFVUc09+uqO7FXMUzK1+tEd0I3VS8d22dDs7X7BO89Gx8mvMsafoOPiW8i5MTVdpom3TFc8eHMxHPh8b2PYbpijsjdKIpjiPoDjzxHx8Tz/W8x2s+lvUvqb0o1Hpb090LbVrbWoabZw6tU1XVbtm9jdyr/J0WKbFUVRFNFHFU1x5z4eHj9vZi2r1g6SdINO2RuPbm1r1e3dH9zaZm6frd6r3beon3lF2irHj1VMx51xNfl9b7CJ0q7be04Ux+eDRunf+eG1P+Z8f3dt5T0oPr7XaR7ON7UO9G3KdVp781f5OK/dVibnP+r3Ht8XoF2h8ftdZHXb9j2xar97TfoXOg/R/JimLXcppir1/uX67mnn6zj2fKkD2kezbgdqnpBY2/uXuaFuKxFGbhZ+FX676HZsU+dFUxTNdHPMT4UzMePhPHFKYmmmieSZ1qqjnHsbupmJt0/Fx7EcO3fp9WF2PuqmJt6xZxsj6GVX79jEoimZtTcpm7VNNPx0xXzPxRL7OnO6uumytr4m3N19OLO7tWwLVONb3Ho+uYtnFzaaY7tN27bvVU3bdUxETVFNNUc88fE9nsLpVmXLO7NV33OHqeu7sojH1DDsc14mNiU0VUW8S33oiaqYpqrmqqYjvVV1TxEcQVx1omxRPVtdHX0eO092at2R9iZGh9QfoPhVW8mPcVGjY9/1VUZFzvRNdU8z4+Pj8bZm/uyXk9Seo2wN5bw6jZmdl7O1CnNwLVjTcfFouVTXTM0VzHjMTNMR4fG810g6L9R+x7naxoGydJt9SOl2fl15uDplWoW8PU9Irr+ut0zemm1dtz4edVMxx7eZbOo29vXq9ufRM3d2i0bM2tomVRqNnRfd1vKzM/Lo59VN+q1M26LVEz34opqqmqqmmZmIp4nLNXWq60KxHVizc9Hk5sRHgyosAJAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAHS7w3LVtLbudq1Ok6lrlWLTTVGBpFmL2Ve5qiOKKJqpiZjnnzjwiUTNhWH2wNA03dPpVul+kaxg2NS0zLw8C3kYmTRFdu7TNeR72qmfCYT7tdkvoxarpro6X7WiumeYn6F2vP8SBnWvb/VDf8A26tl9YtL6M72p2toVOJau2cnDt0ZVyLdVya6ooi5Mf8AOeETV7FkHTrf1zqBpF3Or2zr+1pt3Zte5dxYlOPer8InvU0011RNPjxzz7JWjyI86KvL7LQ73Q9vaZtjTbOn6Rp2LpeBZji3i4Vmm1bo+ammIiGo+2xH/kl9Wv5u5n93Ldk+EI49tvcWuZ/Rvd+w9u7D3PuzWNxaNfxcfI0jDpuYlmquO7+23JriaZjz4iJY6ty9GlUS/L0dWm2NN7GfTOmxbij12DXfrmI+urqvXJmZR+9MJuHPtbe6S7eiqqjR9R1+b+XEfW3KrcUU0Uz8nF2ueP8ABubsLbk3Js7pBsXplujprvDbmr6Xh3Me9qWbg0Rp8d2a64mbsXJmO9ExER3fOeHs+2d2ZLHai6RV7fs5NGn7h07Ip1HR865HvbeTRExFNXt7lUTMT+CfYyV61RV2wx4elMxPKW89NsW8bT8azapii1bt000Ux5RERxEK6/SFatlbP7Z/Zr13SKpt6tXmU4lc2/rq7NWVbomifkmLlcfhlJLpv2lcjbGz8DRuqm1tx7Z3np1inGzLeLo2VqGNmV0R3fW497Ht3KaqauOeJmJjnjhrvQ+ie5O0t2qNI6zb10HK2tsvaePGPtjQ9TiKczMu96avdd63zPqqeauYpn33vKeYj2x/WUzwibkaUTHY6L0v0f8AkzaR/OHE/NWmls//ADT0X7ys/wBiEZvSM9GtzdeOke2tpbVw6snPytyYnfu92Zt41rivvXrnxUU+ctgbT670bJ29jaH1A0PWdD3JplinHu04Gk5Wdi5vcjuxexrtm3XFVNfHMU1cV088THhzMUTamqO32QmY1p7kTu3jm39qdvjs4azo8zb1XIybGLdi39dctVZcUTRPxxNNyuPwtvdrPfvRva3WvY13Udg3+pnW7HiP2P6PpNyum/ajvTVTVdnvRbppie9VE101THjVERHi/HZfQ7cvX/tVY3XPfmiX9sbb27YjF2nt/UO77suVRzzl36ImfV++qqqpon331szxx4+N3N023J0L9ITndZta25qW5tga9p84tGq6Vi15t3R7s2qKPfWbcTcin3kxzTTPhcn4phFMaU0z2ymqdapjlEOHbp1DrXr/AGSN55m79E2dtnQ5t2K7um4mXkZufRHrqO7HrO7TaiYnjy5Si7JF6KuzD0p79fNdW2sDz85/aKGqO1Tj632tejGvbB6a4OZMZVj3Tk6tq+FewseZt+/t41v11NFVdy5XFMcxHdojmZnniJ5dlbQN652m9KbG4dnavsyjYe3b+jZ0arNumnNyaqbNumbEU1zNdEU2aqprqiI5qiI58VonSqO5Wr6s9/sa03L/AOeF2z/M+r+7vp+Ve1CDqT0m6i2/SAVdXNubdnVtC27trHs3bNdUW69Qm5Vdou2seqZiJu0UVTXxMxEzERz75u7dnafxf2OX6Nm7V3PuXeF6ibeHodWh5WLNN6Y4j1927RTbtURP11U1eUTxyj6kR3/itPlz5vwRO9HRqOTpHbG7Su2cLmnb9OrZORFqn6y3cpzLtNPH4JmPwPY6r/53nSP5mVfmuNo9jrs2Z3Zn2Juvcu6O9rnULc2Rd1nWvofT6yqK571cY1ny78xM1ePMd6qr4ohonP1XfmR2+MHrLb6Mb/8A2HWNC+hNVM6bbjMmuaavfxa9ZxxzVx9dz7fkTHlURyj2InWK55++Enu3d49kLqn/ACLd/PDHYP8AghdLP5Gtfnl5ntq7o3BuroTuPZO2+nW7tw6xufRY9RcwcCibGLVcq4m3frmv3ldMRMzTET7PF+PYx3fuDZfQDQtnbk6bbx0PWNq6HVXf906fR6rMqtzP7Vj1Rc9/cqiY4pmI9viijSK/MV/V8/sa00r/AM7zqn8y4/NQ2X6TX4GW/P4OP/f0NHYWr79xu3vm9Za+jG//ANh17QvoRTTGm25zO/3affza9ZxxzHH1yVfa26V6j1/7NW7dq6PRVY1fU8Gm7h2MniiZvUzTcpt18zxTMzT3Z8eImVavo6ez33XjTEn88Ih9HZi1fB0DspdNtR1PLsafgY22MK7fysm5Fu1aoixTM1VVTxEREe2WxN9bQ0zqPsfWtuanbpydL1jCuYl6nnwqorpmOYn8PMSiL023nqm7uylonRu/tPcOl9Qvoba23nYWbpN+1j4tFPFu7k1ZM0+qmiLcTXHFczM8UxHKamNYjGxLVmJ5i3RTRHy8RwviRFUz2sdE2iEEPRvdR7/TXbnUnotvDLjH1Hprm371uu/Pd5waqqq5riJ/cxVzV812n5EnOzlpeVkbU1Deep2arOq7zzq9cuWrke/s49cRTiWZ+KaLFNqJj7aavjRf7SvZv1fWO3JsTWts5c4Gmb70+/p+67diYiq7h40W5u96PiuW/V2+fZPCeuNjW8XHtWbVEW7VumKKKKY4imIjiIgibxFU7yYtVaN29+sPyzLtVnEvXKKZrroomqKY9s8eT9mKo5iefJWqLxaF40lXR6IXVMjdlXWncuq3Jv67qOvW7mVdr+umaouVTE/JzM+CcXWnDsZ/SHeuPk0RXYu6LmU101eUx6mrlF3Z/SbX+xZ193nujQ9Azty9JN61xlZtnRrXr8zQ8vvTVNfuen31yzPer+siZiOPDw8fZddesus9Y+nurbF6Qbc1zV9w7gx6sC5q2paXkabgaXZrju3Lt25kUUd6qKJq4ooiqZn+tiePRankU+LXMzzu1v6H3cmo632WtTwc2uu7jaTuDKxMOqryptTas3Jpj5IquVz/AKz8vRZf5Trx/PS//wB7d3Sjp5gdirs9aFtnSdB13el+zc/43Tt7DpvZORk3Imq5emiqqnijmmKeZnwjuwjn2FMvfvQjUOo1rd3R7fNi1uncNWqYl/D0+3eptUVzMcXf2yJp45iZmOfb8S94nEmY5W/BjmPE89/xWIR5E+cMUVd6iJ445jylmULoAek9/wCUXs5fzso/t2U/I+sj5le/pVZz43f2fp0uLNWpRubnGpyZmLU3O9a7sVzHjxzxzx7Eo8ntM6XoehVRrW2N04e6LNvu3Nv4+iZOTdrvcfWWrtuibVdNU+VcV93iY5mPFFM/N+efYifLjuQ63jVVtT0x+1qtFmaKtb0yKdTt2/K5TOJd5mr5ot26v9WHxdR9V3FuP0vGk4uHjYGflaJpFNOl4mr5NzHx4p9y13Zq79Fu5MT3rlcxxTPMxEct29l/s3bt1fr1untC9VMCnR90axzY0Tb3rIuV6XiTHcj1lUTMRc7kRTxHl3q+fGeI7HtW9m7c2X1h2Z146ZYdvUt67Ymmzn6HXdiz9FcKO93qKK58IuRTXXEc+cTHxREqPEii/C6avG69uNm4tYnq/rOkZun39sbFmzlWK7FcTuHMn3tVM0z/AOg/K8f2JOz3uXsz9GMzZ+59U07VMn6KZObj1aXXcqs2bNyKZi3zcopnmKorny9rvdP7VeganpdEWNr7y/ZJVT3f2PXduZdvIi79pNyqiLMRz+7m53ePHl+mBuXd3S/p5f1vdWh7g3juDWdRu5NWi7ctU5s6ZTcpn1ePT3qqY9XbpoppmqJ4muqZiPfInSJRGtoRu9EzptizoHWPOpoiMi9u29arr48ZppiZpj/en8aV/aJ6XaH1p6Pbj2TuHPp0vTtYtUY8ZlVUU+qvespmzVHMxEz6yKOI9vl7UPuwFk786B4O8tJ3j0g3xjVbi3BVqONk4mBbu2rVFziP22ZuRNPd85mInw5SF7eWj7m1/sy7kxNnYWVqG5py9NuYFjDomq5N2jPsVUzEfJ3eZnyiImZK/Ji/Ymny5mOcov4eH25+zFptGm4FjR+ru1NLo7mP72m7kzYpjwpjxovTPEccT359kcpJ9ivtH7f7Re39z6jY2zOzt74mdRRubR7kTFyMnuRRRcnmIniabXd8YiY7kx7OZ9do/aGxNG0fHxN9aJrO3d1WbVNOZp+NpOVm2q7kR41WL1m3XRcoqnxjiefHiYiXhOhGy9U2lvPrN1o1Pa2pafO7L+Pd0/bmPYpq1C5jY1qaYrqtRMRF67VVNXcmYmPDnxmVuM3V3xFmrumP/ndeqf8AMy1+fBbD7ZXZo3F1h3PtXePTDeVnaXVjalm5Vh+tucU5ONXVxNNccTxHMVREzTNM96Yn5NMbI1Pfuh9vXePWLM6Nb+p2hrehU6RYijTbdWVRXHuf39dv1nEU/tNXlVPnDcnVjL6gbe7ZOzd1ba2tqGu7XtbSvWdeosR3aqbU5HepijmYiu9TVxVFvnmYirjxmFbXiiPzxWqnxq5/O6IaC1/tRdqbs/adXT126XYG89hXaZxdS1XSbdMftNUd2ua6rUzRHMTPhVRRE88cwmRvTcuhbx7JO4ta2xXRXt7N2jk3sD1ccRFmcWruU8eziPDj5Hn+rvWjSuoPTXcW1tp7d1zdW4tawb2n4+l3dEysa1TXdomjvX7t+3RRbop73MzVPPh4cy9H086Ezsvst6f0ouZkXbtrb1ekXcqmPezcrtVU11R8neqnj5CZvRN95ForplqT0VExT2NdtzM8RGZm/wB9U156XbfVWZ2V9s17fz7Wdoeu69j03czDuxcs37MWbtyniunmJpmqmmeYn2Ox7G+7Nd7NfRLVOlG6tm7gjfOj5+XRpeNi6Zev42q03KpqtV28mimbVNM1TMTNdVPEeMtw9QeyPh9TuyHpvSHV8um1qGDpePbxtRpp71NjNtUe9uRHtp73MT7e7MmJrN43aGH4s+l3PSmvqro/TDaWFpe2dj/Q3H0nFtY3e3Bl0z6uLVMU8xGDMRPHHhEz87xeyOzh1Bxu2hlda9bv7b0vTs3QfoRl6VpObkZN27VHd7tc1XLFuOPeUf7Mebl0F61670h2DpOwusW29c0fcWgY9On2tY0/TMjUsDVbNuIpt3rd3Hor7tU0xHNNcUzz8/EbL2luDc/UTfcbppwtW2/sXTMK7awtPzLU2MnV8iuaZm/XYniqi3RTTMUU1xFU1VzMxERHN6p8eao7VI8myK3aPw7Ob6U7oBbv24u0U6ZeuxTVHhFVNOVVTP4KqYn8CYvaF/5Beo8f/s5qH6NcQi6t5m/t59t3pl1a0zo1v6dq7Yw68XLpv6bboybk1036Zmi36yYmI9bHnMc8Sk9186oarqvQ3U8LSOmu9dW1TdOiZmLYwcfTaPWYVyu3VbpjK5uftfjVE+He8IlhmL4Fu9kj6WJ7ngfRWVTPYp2lPnxl5/Ef+83GmvRi5dzeHaN7RW6NZ5ubgu6n6uqbv19uirIvTNEfFEd2mOP+rENqejhubs6X9G9D6X7w6cbr27quJey786nmYVEafNNdyq5TE3Yr5ir33HHd8483Wan0Z3X2Te1Rr3VrZmgZm7OnW8Kav2SaPpNMV5uBfqr785FqzzE3ae9M1TFPjHfq8PJnqmIxL84UjyJjtSq6rdEtkdbtMwdP3ztzE3Fh4OTGXjWsrvftV2I470TTMT5eEx5THnCAPbxytSze3f2e9qYeNi3NNwqLGRgYOZdqs4lV6rIqjiqqmmqYjizbjwpnjjy8UxNwdernULQb+jdMtL1zM3JqFqbFvP1DR8rT8XS+9HE5F6u/bo57nPeiinmqqYiOI55jXfa37JGu9T9r7B3Js3UoyuqHT+qze07L1O5x9E4o7k1271yfKqqqjvRVM8czVzxzMsceLVE8IlbfExzhuidT6xzTxO2djcfzizP/APRay7G/Zs3b2fNV6n5O49Q0e9i7q1mNXwsDRr127Rh97v8AfpqquW6OZnvURzEfuXpts9q7S8rRbNrcu0t37b3XRTFGRoFW38vJr9dx402r1q3VauUzPlV34jjz4ew6SY27dRva9uXdcX9MnWL9urT9vXLtNyNMxbdPdoivuzNPra5ma6+7MxHNNPM93mbcVb3iIbGhkBYAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABjj5DiPiZAAAY4OOGQGODiOWQBjjwZAYiPkOPkZAY4IhkBjhjj5HIQMcfIMiRiI+RkAYiOBkAab7WvT7evU7oRuLQen+t39A3Rei3cxsjHvTZrriiuKqrcXImJpmqImInmPHjmYjmW5BExdMTabo4bS2jvHqLtHY+zty6ZrGFoWgW8S7rmqbhmzGXrWRjxTNFumi3cue8m5TTXXXVPj3Ypjvd6ZSNiPkchadVIiwAhZiY5IhkAY4+RkAABqjtDZG/cjZOo6JsbZuPunJ1jAysK7fytXt4VGHNduaKa5iqmZuR76Z4iY+t+VpLsD9MernZ42HgdOt4bIwLek0ZeTlVbhw9ctXPV9+O9TRNiKe9VzVEU8xV7efYmIEaX7UTraHHjw8YZ4ZBLHB+BkBjjx8jhkEMRHyDIJYOOGQGODhkBjg44ZAY4OIZAGOIZAY4OIZAY4j4iGQGJ8xkAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABjiPiOPkZAYjyOGQGJj2+0lkBiDj5GRAxwcfIyAwfgZEjEwcQyIsMccHDIkY4+Q482QHHj5GeGQGJjwOOfYyIHGY+RFfqX1f6ndPO13oWHqmXgaP0Nv6PN2/m5OJNUXcqO/Hq4vU0zVF3vdzijmImnnwmUqnGaOTWJucLNRdLdKzt5b/13qVqmDk6fjZWNb0rQcLPtTayLOFRPfuXq7dURNuq9c8e7Pj3LdvmImZiNvR5ERwylAxLIJce7HHkzwyIHHhniPiZEg4XPJzYmOQVxdvzXdw9UepHS2Np9MuoOt2dmbiqy9TybG1syLNVFFyiJmzXNHF2J7lUxVTzExxPPinp0435jdRtvRq2LpOt6Pai7VZnG3Bpd7Tsnmnjx9Veppq7vj4VccTxPHk9T3fDhiKeJ8yNKeqidZuzEHDIJY4j4j8DIDBwyAxwxMfhchAxEfIRHyMhYYg4j4mRIxx5+DHHyOQiwxx5+BEeHkyJGOI+I/AyCGOPkY7vyOQJY4+QiOOWQGPwMgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAD4Nd1rC23o2fq2o5FOJp+Bj3MrIv3J4pt26KZqqqn5IiJl+ml6njazp2Jn4d6nIxMq1Tfs3afKuiqImmY+eJhEX0qfWH6VvZU1bTsa/6rVN1ZFGjWaaZ4q9VVE136vm7lE0z8tcO39GV1gnq32TtsU5N/wBdq+3u/ouXzPNXFqf2mqfntVW/wxIJXAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAxM8A/C9m2LGTYx7l+3bv3+96q3VVEVV8RzPdj28R5voVq9srtfVdOvSAdIdIsZnc0Xak+r1iimr3tU58U0XO9/AterqjnymflWUW7lN2imqmYqpqjmJjymAcgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAGJ/Ey63cmvYe1tv6lrOoXYs4Gn49zKv3J8qaKKZqqn8USCmv0yHWD9mHXvSNkYl+a9P2rp8VX6Ynw913579X4rcWo+eanb+hh6wfsa6t7o6f5d7jF3HhU5mJRVPhGTj97nj5arddXP8AFwgt1h6h5nVjqnureOfVM5OtajfzZp557lNVczRRHyU092mPmdh2f+p2R0Z61bM3rjVzTVo2pWci5ET9fZ57t2mfkqomuPwg/pnhl8mkalj6zpeHqGJci9i5Vmi/ZuUzzFVFVMVUzHzxMPrAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAfFrWq42haRm6lm3abGHhWK8m9cqniKKKKZqqmZ+KIiX2olelA6w/Sn7Ju4bGPf8AVanua5ToWPFM8VTTdpqqvT83qqK4n+FHxgpH659TcrrD1h3dvXKrqm7rOpXcqjvc80W5q4t0/JFNEUxEezhfp2HesH07uzDsXcV696/UbWFTp2fVM8zORYj1dc1fLV3Yq/1n86NfmtO9Ch1h9Vkb46YZV/3tyKdfwbVU+2O5Zv8AH4PUT+D5wWsjETyyAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAh36VLrD9LDso6zpmNf9Tqm671Gj2JpnifVTPfvzH/ALOmqn/XTDnyU0emI6gapv3rroezdPw8zJ03auB3rnqbNVVE5OR3a6/GI84optR8nj8YK7582aZ4l9uVoOp4Vib2Tp2Xj2Y8JuXbFVNMfhmGMTQ9Sz7PrcXAysi1zx37NmqqOfi5iAX3ejL6w/Tb7Jm2KL9/12pbb50HK7081R6mmn1XP/sqrf4krVP3oauoWqbQ6r7o2FqWJl4uBuDCjNxpv2aqaPdNjziJmPObdVU/6i4EAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABTP6ZrrBO5utG3tgYl/v4e2sCMnJppnwjKyPfcfPFqm3/tyuM1jVsTQtKzdSzr1OPhYdmvIv3a/Kiiimaqpn5oiX8zvXPqVldYeru7t55cz6zWdSvZVFFU8zRbmqfV0f6tEUx+AHhZnlu3sYdYZ6HdpfY26Ll71GBTnU4efVzxHua9+1XJn5Iirvf6rSXDNEzTXEx4TEg/qlomKo5iYmJ8uHJofsOdX463dl3Yu5Lt6L2o0Yf0Pz455qpyLEzaq5/hRTTX81cN8AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAx5vwrwMa5XNdeParqnzqqoiZl9ACHvpVMHHs9ireVduxaoqjK0/iaaIifsu0856IDDx7/ZDoruWLdyr6P5sc1URM+Vp6r0rPwJd5/fWn/pdp5v0PXwP6P5fzfzWgTXowMa1XFdFi1RVHlNNERL6AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAB8Wr6Ng6/pmVp2pYljP0/Lt1WcjFybcXLV2iqOKqaqZ8JiY8JiWr/+CD0N5/5Hti//AOO4n/023QFJPpLemW0On3a52Vom2Nr6Pt7RsjCwq72n6Xg28excqqyKqapqoopiJmYiInmPGFquN2Q+htWNamej2xpmaI5mdvYnxfxatD0rnw19hfeGn/pVa4vF+xbP8CPzA6LY/Tva3TPSa9L2jtzStsabXdm9Vh6Rh28W1NyYiJqmiiIjmYiPH5IeiAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAERPSs/Al3n99af+l2nm/Q9fA/o/l/N/Naek9Kz8CXef31p/wCl2nm/Q9fA/o/l/N/NaBN8AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFN/pXPhr7C+8NP/Sq1xeL9i2f4EfmU6elc+GvsL7w0/8ASq1xeL9i2f4EfmB+oAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAIielZ+BLvP760/9LtPN+h6+B/R/L+b+a09J6Vn4Eu8/vrT/wBLtPN+h6+B/R/L+b+a0Cb4AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAKb/SufDX2F94af+lVri8X7Fs/wI/Mp09K58NfYX3hp/6VWuLxfsWz/Aj8wP1AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABET0rPwJd5/fWn/pdp5v0PXwP6P5fzfzWnpPSs/Al3n99af+l2nm/Q9fA/o/l/N/NaBN8AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFN/pXPhr7C+8NP8A0qtcXi/Ytn+BH5lOnpXPhr7C+8NP/Sq1xeL9i2f4EfmB+oAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAIielZ+BLvP760/wDS7Tzfoevgf0fy/m/mtPSelZ+BLvP760/9LtPN+h6+B/R/L+b+a0Cb4AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAKb/SufDX2F94af8ApVa4vF+xbP8AAj8ynT0rnw19hfeGn/pVa4vF+xbP8CPzA/UAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAdXuXcmDtDQszWNTqv0YGJR6y9Vj41zIuRHMR4W7dNVdXn5UxLwHSjtOdNeuOu6vouytxzrGqaRTFWfi16flY1ePzV3eKvXWqPHmJjjz8EbxtMY4ZSAAIielZ+BLvP760/9LtPN+h6+B/R/L+b+a09J6Vn4Eu8/vrT/wBLtPN+h6+B/R/L+b+a0Cb4AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAMceIMscuq1rdmibbqtU6vrGBpc3eZtxm5VFnv8efHemOX06Vq2BrmFRmadmY+fiVzMU5GLdpuW6uJ4niqmZieJiYQPtGIZSAAKb/AErnw19hfeGn/pVa4vF+xbP8CPzKdPSufDX2F94af+lVri8X7Fs/wI/MD9QAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAYOSUN+231/3Xjb92V0I6ZZ86ZvfeddNWXq9uO9XpuDNVVNVdPxVTFFyefOIonjxmJiJ5QdqV+qbt0bSbs2MzVsHGye7NUWLuRRTcmIjnwpmeZQV9FbiV7s1vrv1Iv0816/uq7bouT8UVV3qoifi/b6fxPZ9cOyN0W6O9l7fWqZ2zsLXtV07RcjJua7q9VV/UMrLi3PduVX5nvRVNcxxETERzxHg7T0V2z52r2PNt36rfcuavlZOo1TMcd6Krncpn/ZohNNr1TyRV5Mds/gl5DLEeZMxAlliZ4ZYqjnyBEX0q/j2J95ffWn/pdp5r0Pnh2QaI/wDx/m/mtPXelBoxq+x3ueM2a6cOc7TouzR5xT7rtc8NAej17Q2j9L7dnp/lzZxts6pf9dgZdMxFNnIriInvz7Yr4p8Z8pj5fDw4+cw8viUYeJp1uPB1Oy+jmc2vksxnMparwNpmm/jTHGYjlCzCJ5ZcLdVM080zzTPjEx7XLnl7nLMgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAMMVTFNPjPghhuvrvvbtJ9ojV+j/AEn1yram2NsUxO6944tum7kd+fCMbFmqJpoq5iqnv+fvapj63xjfNoN0Xl6X0ltOg4HZH3tqmqaRp+oZ9qxbxcDIzMWi7cx7t27RR3rVVUTNFXj508eT2fYY2f8AsF7JfTPSpt+qufQqjKuU/wDXvVVXqv67koTekr6LR032RsjRNK37vXXsvdGt2sO7pevaxVmWMiaeJi53JiOKorqp448PHyWe7X0Wxtvbml6TjR3cfBxbWLbj4qaKYpj8yafJqnnP4IqnWmPO7SPJljk5EsjHLIKb/Stxz219hfeGn/pVa4nEmfc1n+BT+ZTj6WfJpwu2XsrIqpmqmzpeFdmmPbFORXPH9S1nov1MxerGxMHcGJi14Vu7NVqbFyqKqqZonuzzMfMr1oirq8WGcainEjCmfGnWI7t73gxycrMzIAAxycwDIxyyAMcsgAxyDIxycwDIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAMVcq0dza/i7O9MRhZe68ijBw8vR6MfS7+VV3bfNeNNFHEz4RzXFyn55WXcctOdoDsk9Mu0zRgTvvQKs/LwImnGzsW/Xj5FumZ5mjv0THNPPjxPMc+Ku6qKidaZp5o7elY687e292eNZ2Hi6tZyN0a3ex7NeBjVesrs2YuRXNV3u/WRPciI73He8eOfFKLs1bRjYfZ+6d7f7kW7mBoWHZuxEf856mma5/DVNUvA5PYB6GZXTrA2RVsqmjQMPLjPpt2M7Js3rt+KZpi5cvUXIruTEVVRHemYjnwiG69k7N0/YG28TQ9KqzJwMSJpte7s27l3Yj4puXaqq54+WZ4Wi0RMc5ROsx2O8mrhprtRdZta6I7H0rWtDwtP1PNzdZw9Iows7vx62rIuxRHdqpmOJpjvVeMTz3WqO1JuDU9kdZtH1/fOBuXUOiNOkVWL2RtrIv26dLz5u+OTl02Kqa5ter8Iq8Yp5nweN7SOv6Rte12adA0vL1bfmi16vd3DjzizXnZmpWMbHrvWopmZma+ZuURFUzxEeMz4Sre9p7U9nYnZbr5pp5jiePJ+jQ/ZZu4XUfbVPV2rUr+dqm7bcXqsajJue5dOt0z3fc1Fqau7FVM08V18d6qqJ8o4iN7xK1rb0RN0RfSs/Am3l99af8ApdpCTs19nLL6kdi+zvrQYu39f0nVs21kY1M8zkY9EW6o7v8A1qOapiPbEz7eE2/Ss/Al3n99af8Apdp5j0QEd7sf0RPjE6/nc/itPLmctRmsOcLE3T6m/wBibazWwc7RnspOtO+OFUcYnsl6HsRdqKd8aZa2LufK/wDGHCt93Dyb1U85dmmPKZn93TEfhjx9kpfxPyK8e2R2c87pbuajqdsii5iYM5EZGVRixMVYV/vcxdpiPKiZ8/in5JSb7K/aOwuu2zaIyblvH3RgUxRqGJExHe9kXaI8+7V/VPMNXkMzXh1zk8z5cbp5x73c9KtjZXOZanpLsWPmMSfHpjfh18Ynsnh/OG9Rwirn2uUeTfPlDIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADEsgOq3PlXsLbmqZGPT379nFu3KKY9tUUTMf1oCehwu2NS6ZdSNYvXKbuvZ+4e/nV1T+2THq+9Tz7eOa7kx88rDbtuLlE0zETE+ExMecIV0ejVx9r9U9b3R0/6p7o6eaPrl2bmo6No1UU9+Jmapoouc+FPM1ccxM097wlWnSqZ5wTrTblLX3bD1LG6p+kK6A9P8a/bzLei1xqudZt1RV6qv1k3O7VHsmKLEVcT7KoWK0REQiNpfo8dG2b1103qds7eWo7e1PBx4xqMa7hWs2LsTRNN25duXZmqu5c71c1Vz481eCW8zNNMz5zHsTE9WiI70TrXdznz+Rrb6d2HR14t9La9Jy6dTuaRXrVGdTXRVY9z010255iJ71M9+riImPHhojpB1m3p1l3huTSr3UWxs7e2jbgu2a+n+bpuPRE6bbvxHeiblub12a7UTPrKKopiZjwiHkdX6yaZt3tp9VMmM6z+yi9gaTsbbWLVeoomvLvU1X66pmqJimiiuuiapmmfKI4qmYiYi8zEEzpKd0Tzw5PMdPtE17b+1MDC3JuO9unWqaInK1K7j2ceLlc+cUW7VFFMUxPlzEz8cy9JMzCxCmr0tuNXmdsXZ1iiYiu7pOHbp58uZv1x4/jSL6J9adb7Mmv5219z6bfq0qu737+NHhcsXOIj1lv2VUzER4c8TxExPx6f9I3t/H3V2q8PVMmuq1e0TDw6bNunyuRTVN3x/DPD1G++2XkdStPoxdxdOtGz/V0d23kRcvUXrcf9WuniY/M5jPZ/AjE8Su1dHZNnSZv4Lek+2sDL7T2X1aaoi9N6qbTFXCYmVgG0O0BsLe1m3Vp25MKL1cR/wAXya/U3In4u7XxPL3tvLs3qYqou0V0zHMTFUTEqVc3eFd7KrrxtM9zWJnmm1VXNc0/h4jl+uD1E1rS55wpyMSfPmxdro/NLyUdIIjSui/czYHwedPqY6uPkcOZ5xi0x+N11PrI+2j8ZFdPP10fjU2WuuO9rP1ms6tT/wC/Xv8AF+lXXnfNXnrerT/77e/xej9IcH7EtjHwedMuORp/5aFx810+2Y/Getoj208fOpsr64b2ufXazq0/+/Xv1n4XOse7r0cXNT1OuP8ArZl6f+9WekOD9iVavg96acMjT/y0LmfXW+fr4j8JORbjzuU/jUtXepWvX/8AK3cq5/Dv3J/73x17yz7s81401z/1pqlX9IcPhhz+fMwz8H3TjhkKP+an3Lq7mp4tmOa8m1R/CriH41bg02mfHUMaP/a0qWP2W5n/AKnH9Z+y3M/9Tj+tX9Iaf3f59DHPwfdPOGQo/wCan3Lpf2RaX/pHG/pqf8X629awLsxFGbj1TPxXIlSr+yzLn/0OP6z9luZ/6nH9Z+kNP7v8+hH6vunn9wo/5qfcuypybVUeFyifl5hmbtHn34/GpOt7yz7NXet400VfHTNUS7LF6r7mwuPc+ZnY/H/RZV2n80rR0hw+OHP58zNT8HvTj62Qo/5qfcugiuKvKYlyj51O2B2ieoOmTE42v6tb48v+N3avzy9LpvbM6taXx6rcOTd4/wDWKKbv9qmWaOkGXnfTL24fwd9LavLycR/+lHvWzCsnSfSG9U9OimMrF0rUaY85v4tVNU/homI/qd9HpLt5RERO1dJmf4y5D0U7cyU75mPM2MfBp0ltecCPv0+9YwK5/ql+8vuV0n+luM/VL95fcrpH9LcW+W8j9v1Sj9W3SP8AdU/fo96xcV1x6Sresx/mjpUx/GXT6pTvX7kdL/pLq3y1kvtT6JW/Vp0ln+pp+/T71igrr+qUb1+5HS/6S6x9Uo3r9yWl/wBJdPlrJfan0Sn9WfSX9xH36fesVFdX1Sne33JaX/SXT6pTvb7ktL/pLp8tZL7U+iT9WfSX9xH36fesVFdX1Sne33JaX/SXT6pTvX7ktL/pLh8tZL7U+iUfqz6S/uI+/T71iorq+qU71+5LS/6S42v2Z+23qHWTqLG19f0nC0qrIsV14leNXVM13KfGaZ58vexM/gZcPa2Uxa4w6atZ7JeLPfB/0g2flsTN4+DHUoi82qpm0d0Sl8ONMuTbvnQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAxMcsgNK776Iby3b+zLT8PqRGnbb3TFVGTgZOi05V/ForsU2blOPem9TFETTTzHet18VTM+L59t9lnS9q9SOnW4cDV7kaTsbbNzbmmaRdsd6Z7/ciq/Ve7313ctxTMd3x8Z59jeQiIsidWpehvQm90Nzt24un6/Rm7U1jVb2rYOi1YU26tMuXZiq7RRd9ZMVW5q5qinuU8TM+LbMQyJ7EoielZ+BLvP760/wDS7TzXofI57IFH8v5v5rT0vpWfgS7z++tP/S7Tzfoevgf0fy/m/mtAmhrGj4mu6dk4Gfj28vDybdVq7Zu0xVRXTMcTExKtDq3063J2MeseDuja9dyrb1+93sS5VMzRVRPjXjXfj8PKfbERPnErPZ83k+pvTfRuqmztQ27rmPF7Ey7cxFUfXWq/3NdM+yqJ8Wsz2T+NURNM2rp1iXcdFekc7BzNVGPT18ti+LiUTumnnHbHB1/Rrq1o3WbY+FuHR7sTF2mKcjGmff492IjvW6vlifxxxL3keMKu9pbj3T2G+uGTpeq03Mrb+RXEX6aInuZePzMUXqOf3dPxfPHxSsw2xuXTd3aDhaxpOVbzdPzLcXbN63PMVUyrkM5OZpmjEi1dOkx7WTpZ0cjYuPRmcnV18rjR1sOrs+zPbDtOWQbVwYAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADEut3Fa1C7oeoW9Ju2rOqVY9ynFuX45opuzTPcmrz8O9xy7NiY5RMCLmvdFN99WupXS7cm59v7f2rnbPzIzczXdN1CcrLzuLc0zYtx6miabVdU8z3pniPDiXmsvsaazuXp71mr1X6G4m/8Ac+5Luv6Fqliuaqsaqx3asDvXO7FVPFVM8xHPEVT5pkcQd2PHwLDznT6/uG9s3SJ3Xh4+FuKnHoozrWJf9da9bEcVVUVcRzEz4x4R5vRTTyz3YZT2otaLKc/Sp5N3E7aWxrdq5Vbou4OBNymieIq/4zVHj8fgttxdmaB7msz9BNO57kf+i0fF8yo70rnw19hfeGn/AKVWuLxfsWz/AAI/Mp1Kd9nojHxoiKYrm0dsuq/YXoE//wBE07/stv8AwP2F6B/oTTv+y0f4O6DqU8jw+N9ufTLpf2F6B/oTTv8Astv/AAP2F6B/oTTv+y0f4O6DqU8j4xjfbn0y6X9hegf6E07/ALLR/gfsL0D/AEJp3/ZaP8HdB1KeR8Yxvtz6ZdL+wzQP9Cad/wBlo/wP2F6B/oPTv+y2/wDB3QdSnkeHxvtz6ZdL+wvQP9B6d/2W3/gfsL0D/Qenf9lt/wCDug6lPI8Pjfbn0y6X9hegf6D07/stv/A/YXoH+g9O/wCy2/8AB3QdSnkeHxvtz6ZdL+wvQP8AQenf9lt/4H7C9A/0Hp3/AGW3/g7oOpTyPjGN9ufTLpf2F6B/oTTv+y0f4MfsK0D/AEJp3/ZaP8Hdh1KeR8Yxvtz6ZdJ+wrQJ89D07j71o/wdbq/SbZmvWpt6htXR8qj4rmDbn/uetCaKKotMInHxZ31z6ZaN3F2Mul+vRVNrRKtKuT49/CvVU+P8GZmP6mqdz+j3xJ71e3tzVW5jxps6hjRVE/69PHH+zKZDHteLEyGWxN9ENPmdn4Ga8u/mqmPwlXlldnXrH0quV5Gi4852NTPeqnTrtF6mfns1+NXzRTL6tC7UG4Nk5dOFu/Y+k59VPhVF7AjEv/j7vE/i/EsBmIn2Op1/aejbpw68XWNLxdSx6vOjJs01x/X5PJ8neD1wK5jv3Ofq2LnsvPW2fnsSieVUzVHraH2L2mOj+7vV2c3AxNv5dXERb1DCo7kz8lymJpj8PDdmn6BtXVsW3k4WmaTl49yOaLtmxbqpqj5JiGld99iHZW44u3tDuZO3MyrximzV6yxM/LRV4x+CYaN1Pob1k6C5NzO21mZGfhUT35r0i5VXFUR9vYmPGfmifnT4XMYH02HFUc49zHO29v7N/wCuwpxKPtUTN/PCc37DNA/0Jp3/AGWj/A/YZoH+hNO/7LR/giZ087deVgXqMDfejVTVTPcrzcCju10z8ddqqfx8T+D2JS7I6kbc6iYFOZoGrY+oW+PfU2649ZRPxVU+cfhh7MHHy+P5Fr8nQ5DpFl9pR8xjT1uUzMT6H3fsL0D/AEJp3/ZaP8Gf2F6B/oTTv+y0f4O5jyZevqU8m8+MY3259MvP52zdBpwsiY0TTomLdU/YtHxfMq63tmV9HO0hpO5MWj1OPGTZz+7RHETRNXdu0+HxxFXh8sLXc/7Byf4ur80q0u1PtGvUtpWNwWaO9OmZMWb3EeVu7zET/tU0x/rNJtfBvl/CURrRN/Q+ofB3tHqbZ+JZmq+HmKasObz9qNPWss0/Lt5+HZybNcXLV6iLlFVM8xMTHMS+lpPsdb8/Z90C23k3K+/l4NudPyOZ5nvWp7sc/PT3Z/C3Y3GDiRi4dOJHGLvnO0cnXs7OYuTxN9FU0+ibADM1wAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACInpWfgS7z++tP8A0u0836Hr4H9H8v5v5rT0npWfgS7z++tP/S7Tzfoevgf0fy/m/mtAm+xPkyxMcg1D2kOgWmdeNjXsC7FGNreLE3dPz5p5m1X9rPx01eUx+H2Id9lXrzqvZ637k9Od8xcw9GuZM2eL/wD6DfmeO9z/ANHV7fZ48/GshmnnzmeEW+2h2YbfVbQK9z7ex6ad16bamardERE5lqImZon464/cz+D2+Giz2WrpqjN5by6d/bHJ9T6J7cyuJgVdHdtTfLYs+LV+7r4VRyjnw9aUNi/RkW6bluqK7dcRVTVTPMTE+1+qEHYd7UFeXFrptu7Jqt6hY/a9LysiZiq5FPPNiuZ/dU8eHxx4eceM3IqmWxyuaozeFGJR/wDHHbe2Hmej2eryWZjdrE8KqeFUdkuYwy9jnQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFN/pXPhr7C+8NP/AEqtcXi/Ytn+BH5lOnpXPhr7C+8NP/Sq1xeL9i2f4EfmB+oAAAAAAAAAAAAAAAAAAAAADjVET5uQDXXUXoNs3qhZr+jOkWpy5j3udjx6u/TP8KPP5p5hFXe/ZJ310pz51zYeqZGp27Pv6fc0+py7cR48cRPFf4PP4k7uGJoifOHhxsnhY+sxaecb3N7Q2BktoT16qerXwqp0lC/pb22dR0TJo0bqJgXKqrdXq69RtW+5dtzH/SWuPH56ePmS42xu7R95aVZ1LRdQsajhXfrbtiqKo+afin5JeL6r9n7aPVrGr+ieF7l1KKeLepYkRRfp+LmePfR8k8+3yRD3F066mdlTXKtY0TLuZei96OcnHiquxcp58Kb9v9z8/wAvhMPJ4TMZP6Tx6efGGh+NbU2DNs3HhsH7UeVHfzWAZ0/8Ryf4ur80oqW9jR1I2JvzQIoiu9k6ZVNjn2Xaau9R/XEPadHO1boHVPAnTNS7mi7jm1VHua5V+1X54/5uqf7M+Pzvq6CURXuDV6Z8YnH4/wB5sIqw81hz1ZvEw73ZO1cLEqw89kq79WYmLcJjXVHz0a2+ZxdT3Xs7KrmmqumjPx7dXsqpnuXY4/2P60+I9isvFmrs89uWbfHubTL+p93mrwicfJjwn5qZr/3ZWZW5iummqJ8JjmGr2RXMYM4FW+iZj3PrXwi5eiraeHtTBjxM1RTiR32tV+Gr9AG9fKgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAERPSs/Al3n99af+l2nm/Q9fA/o/l/N/Naek9Kz8CXef31p/wCl2nm/Q9fA/o/l/N/NaBN8ABwqp558OXMBArtu9mbI0POr6obMs3LFdFyL+p2MXmKrVcTHGRRx5eP134/jbl7H/aZs9atsU6Rq96m3u7TbcRfoniPdVuOIi9TH549k/PCRObiWc7FuY+RbovWLtM0V2645pqpnwmJhWr2iujeudlXqfg762VXdxtBvZPrMeuiZ7uNcmZmqxXx50VRE8c+zmPZDm8zh17OxpzeDHiT5Ue19p2Lm8Dpjs6Oj20arZnD+gxJ4/wCXVPKeH8lmHegieWsegPW7SeuexcbW8CqLObREWs7CmffY92POPmnzifbDZ0eToMPEpxaIrom8S+Q5vKY+RzFeWzNM010TaYnhMMgMjyAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAKb/SufDX2F94af8ApVa4vF+xbP8AAj8ynT0rnw19hfeGn/pVa4vF+xbP8CPzA/UAAAAAAAAAAAAAAAAAAAAAAAAAHGYfjl4lrNxrli/aovWbkTTXRXTE01RPnEx7X0MSImImLSiN167G1jJjJ3DsOKcLMo5vXdKieKLk+fNqf3M/J5fFw172ce0PHTnc13S95U3rdi7TGN7trp9/jzE/85HnMfL5x8qeWoRzhZH8XV+ZD6joLpvWj6K2vWRp+sY9n1mNl00+Ezzx3a49tP8AXDT42Uqw6vC5bSeMcJcLndiY2UxZz2x56te+qn6tXm5vCekW2zYvals7f2kXaL1jMt1YteVYqiqmZp4rtVRMefMTX+KEyOhm96eonSXa2v8AeibuXg2/XRE/W3aY7tcfgqiVcvU6vd+wto61033Lj11Ytu5TlY1q9M1RYrpnmLlir201R3omPKefjSP9G5vz6LdP9c2teuTN/S8v19mJn/mbkeUfNVTV+OGryeYj5Rrptbrxu7Yff8ltKOlfQLCzM0zGNkcSaK4nfFNWsea9rJkgOsfOwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAERPSs/Al3n99af8Apdp5v0PXwP6P5fzfzWnpPSs/Al3n99af+l2nm/Q9fA/o/l/N/NaBN8AAAGJdBvfZml9QNsZ+g6zi05en5tqbV23V8vlMT7JieJifZMO/mOThWaYqi07mTDxK8KuMTDm1UaxMc1XN6zuvsKddIroi7mbfyp8J44oz8Xny+KLlHP4J+SfGyXYm+NJ6ibV0/X9Ey6MvAzbcXKKqZjmmePGmqPZVE+Ex7HluvHRPSeuGxcrQ9Rppt5VMTcwsyKea8e77Ko+SfKY9sIK9n7q9r3ZN6qZ+yd5UXLOgXsj1eTbqmaqbFc+FORb8+aZjjn5PljhzdEzsrG8HV9DVOn+GeXc+15iij4QNmfG8GP2hgR48fvaI+tH+KOP/AMWZxPvuHJ82FnWM/Gs5ONdpv2L1EV27lE801UzHMTEvo5dNe+r4jMTTNpZGIZEAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAKb/SufDX2F94af+lVri8X7Fs/wI/Mp09K58NfYX3hp/6VWuLxfsWz/Aj8wP1AAAAAAAAAAAAAAAAAAAAAAAAAAAB8+f8AYOT/ABdX5paR6Af5xat/ER/abuz/ALByf4ur80tJdn//ADj1b+Ij+0D2fWXoxoXWTbVem6pZi3lURM4udbj9ssVzHnHxxPtifCf61cnRvfOpdlDtB6ngahZ9149m9c03PtW/CbluKuablHPt8Iqjn2TwtbqVpekM2PO1us2BuLHommxrOLTcrqiPD11ue7V+Onuf1uZ2zheCppzmHpVTMeh9R6A0UZqvP7GjSc1hTEfx0xemVim0916ZvbQcXWdIy6MzAyaO/bu0T+OJ+KY8ph3UK5+iXVzWezxuvGwdYi5f2vqlu1kVUUzNVHq7kRNORa/BPjHzx5wsK0bWMPXNLxdRwL9GVh5Num7avW55prpmOYmG3yeapzNHKY3w+IbM2n8d6+BjR1cbDnq10zwmNPQ+8YiWXvb4AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABET0rPwJd5/fWn/AKXaeb9D18D+j+X8381p6T0rPwJd5/fWn/pdp5v0PXwP6P5fzfzWgTfAAAAABwmPwo89rzs043W3as6jpVm3a3bp1uZxrvl7oo8ZmzV8/jxPsn5JlIlxq82DHwaMxhzh4kXiW02ZtLM7HzeHncpV1a6JvHunsnigN2J+0tkbV1OjpfvS5cxopuzY029l+9qsXOfHHrmfLx+t5+b4k96Ku9EVRPMT5cIVduHsw1atbvdR9pY00arjR6zU8XHj316imP8ALU8fuqYjx4848fZ4+t7Ffagp6oaHRtLcWTTG6dPtRTau3J8c2zTHHe/hx7fj8/jaXJY1eUxPiWYn+Geccu+H0zpLs3LbeyX6T7HptE/TYcfUq41RH2Z/PG0q48mWKZ5piWXQvj4AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACm/wBK58NfYX3hp/6VWuLxfsWz/Aj8ynT0rnw19hfeGn/pVa4vF+xbP8CPzA/UAAAAAAAAAAAAAAAAAAAAAAAAAAAHz5/2Dk/xdX5paS7P/wDnHq38RH9pu3P+wcn+Lq/NLSXZ/wD849W/iI/tA3pPki36QnYkbm6KxrNmjvZWhZVGR4R4+qr95X+Lmmf9VKSXnd/7Ux977M1rQcqmKrOfiXMeeY54mqmYifwT4vLmsGMxg14U8Yb3YW0atk7Uy+ep+pVEz3X19SG/QbZmB2lOy7j6Neqot7n2xdu4uHmT5xE8126KuPHuTExT/q8nZo60aj0e3ff6fbx9Zi6fORNmj1//AKHf5445n9xVPt8vHnymZeR9H1um/snrFuPZOo1TZqzbNdEWpnyyLFcxMR89M1f7MJAdrvs/xvnRa916Hjc6/gW+b9m3T45VmPz1U+cfHHh8TncrFeJlqMzheXRpMc7c2t+Fjo7ibI6SY21NmRaqbV2jdXRVrbzTdJaiqK4iqJiYnxiXNGDse9fJ3lpEbQ13I72t6fb5xb12r32TZjiOP4VPhHyx80pORLpMDGpx6Iro3NDs7P4W0stTmcHdPqnjEuYD0NmAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAiJ6Vn4Eu8/vrT/wBLtPN+h6+B/R/L+b+a09J6Vn4Eu8/vrT/0u0836Hr4H9H8v5v5rQJvgAAAAAMTHLID8rtmi7bqorpiuiqOJpmPCYVy9rLoFqnQffFjqVsWbmFpNzJi/V7nj7AyJnn2Rx6urnjjy8ePbCx6fJ1e4tu4G6tFzNJ1TEt5un5dubV6xcjmmumfOGvzuUpzeH1d1UaxPKXXdGekWN0dzvh6Y62FV4tdE7qqZ3x38msOzT2hNO687HtZlM28bXsSIt6jgxPjRX9vTHPjRV5xPzx7G44nmVXu+dp7p7DvW3F1nRa7uRt/IuTOPcq+syrEzzXj3J+2iPb80x8SxLpX1N0bqzs3A3HouRF3FyaI79uZ9/ZufuqKo9kxPg82QzdWLfAx9MSnf29sNx0t6O4OQmjauy56+Tx9aZ+zPGieUxwexGO9DLcvnIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACm/0rnw19hfeGn/pVa4vF+xbP8CPzKdPSufDX2F94af8ApVa4vF+xbP8AAj8wP1AAAAAAAAAAAAAAAAAAAAAAAAAAAB8+f9g5P8XV+aWkuz//AJx6t/ER/abtz/sHJ/i6vzS0l2f/APOPVv4iP7QN6THLE0+DkxPlIKzeuuNc6Dds/C3FjUzZwMjNx9Tjw8Jt18U34/H3/wAcLKcW9azsS1ft1RctXaIrpqjymJhDL0lOwoztp7c3bZt/tuBkVYV+Yj/m7kc0z+Cqnj/Wbz7JW/P2f9Btr5tyv1mXi48YORMzzPfte85n5ZiIn8Lnsl/R87jZfhPjR597690m/a/RrZu199WHE4Nf+3Wm/m/FG/tM9Ls7ol1Cwt+7VirE07IyYux6uPDHyPGZpmI/c1+Ph88eXCXPRvqfhdWdi4OuYk00X6qfV5WPE+Nm9Ee+p+b2x8kw7jfmy9O6g7T1HQdUtRcxcy1NEz7aKv3NUfLE8THzIP8ARnd2pdmfrbm7V1+5Va0nKvRjZNVXhR4/5K/HyeMc/JM/Ez1R8Rx+tHkV+qX5dxI/R3afhKf+nx51/wANXPulYFHky4W7tFyimqmqKqZjmJj2uXLdPocTdkASAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAiJ6Vn4Eu8/vrT/ANLtPN+h6+B/R/L+b+a09J6Vn4Eu8/vrT/0u0836Hr4H9H8v5v5rQJvgAAAAAAAAA8N1f6T6N1j2Tn7d1m1FVu9TM2b9MR38e7x725TPsmJ/H4x7VfHS/fu5exX1ozNt7kou17ev3Ypy7dHM0XLc8xRk2o+P44+KJjziFn8xy0j2pezrgdd9lVUWaLePuXApquaflzHt9tur/q1ccfJPEtNn8pViWzGBpiU7u3sl9J6JdIcDJxXsjasdbJ4+lX+CeFccrcW39F1jD1/SsTUdPyLeXg5Vum7ZvWquaa6ZjmJiXYK6+x72htQ6Qbsu9Mt81XcLTqsmbGPVlT3ZwciauO5Vz5UVT7fKJn4pWI0XKblMVU1RVTMcxMT5vVk83Tm8PrxpMb45S0PSXo/j9Hc7OXrnrYdWtFUbqqZ3THtcxiGXvcoAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAApv9K58NfYX3hp/wClVri8X7Fs/wACPzKdPSufDX2F94af+lVri8X7Fs/wI/MD9QAAAAAAAAAAAAAAAAAAAAAAAAAAAfPn/YOT/F1fmlpLs/8A+cerfxEf2m7c/wCwcn+Lq/NLSXZ//wA49W/iI/tA3qADWvaK2LHUXozurRYtxXkXMOu7jzPsu0R36P8AepiEWPRp76m1c3Xs3IrqiuJo1DHoq9n7i5H9VE/jTsuURct1UVRzTVExMT8Ss7bNVXZ67cleLXM4ul5Gp3LHE+Ee5snxo/BTVVT/ALLns/8AMZrBzMbr9WfO+vdEv2rsLaexJ1q6sYtHfRvt3xZZnV48oy9tTo7G6dp0bv06xH0U0imfdEUU++u48z4/PNPn83eSZonvREx5S/LMxbWbi3ce9RTctXaZoroqjmKomOJiW5x8GMbDmiri+HbSyOHtHK15bE4x6J4T6Whex91fnqDsONG1C/39a0WKbNU1TzVds8cW6/l9tM/N8qQUK9M+zmdlHtHUXrcVxol6vvUxz4XMO5V40/LNEx+OmPjWB6dm2dSw7OVjXKb2PeopuUXKJ5iqmY5iYeTI4tVdE4dflU6NH0czuJjYFWUzH0uDPVntjhPofSA2brwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAERPSs/Al3n99af8Apdp5v0PXwP6P5fzfzWnpPSs/Al3n99af+l2nm/Q9fA/o/l/N/NaBN8AAAAAAAAABxqjmHJiQRF7bXZejqBpV3e22MWI3Lg2+cvHtUxE5lmmOeflrp9nxx4fE6/sPdqCd24VrYG6cqfo5h0d3T8q/V77Kt0880VTP7umI/DHyxKY1VEVRMTHMT4Sr97Z/Zwy+nuvx1Q2RbuYuL6+MjOtYvMVYl7mJi9Rx5UzPn8U/P4c7nMGvJ4vx3Lx/FHOOfe+xdHNo5bpHkY6MbXqtP9RiT9Wr7Mz9mf5clglNXg5RVy0F2T+0hidc9n04+bXbx91adRFGbjRMR62OIiL1Efaz7finn5G/KW7wcajHw4xMObxL5ftLZ2Z2Tm68lm6erXRNpj2908JcgGdrQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFN/pXPhr7C+8NP/Sq1xeL9i2f4EfmU6elc+GvsL7w0/wDSq1xeL9i2f4EfmB+oAAAAAAAAAAAAAAAAAAAAAAAAAAAPnz/sHJ/i6vzS0l2f/wDOPVv4iP7Tduf9g5P8XV+aWkuz/wD5x6t/ER/aBvUAGJhX36SPZNekbv2tvLD5tV5NqcS9do8JpuW571ur5+Jq8f8AqwsFaE7bOw53z0C131VHfy9L7mo2eI5n9rn38fhompq9p4Ph8rXTG+NY74d10I2nGytv5bGr8iqerV3VaT+N2xuje9aOonTHbW4aJias7Ct3LkU+VNfHFcfgqiXtOPjRA9G/vyNZ6aatti7c71/R8ubtuJnys3fGI/2or/HCX70ZPG+MZejF5w1PSTZk7H2vmcjbSiqbd06x6phH3tk9Lad8dN69YxLXe1XRJnIpmmPfV2eP2yn8XFX+r8rr+xN1T/ZZsK9tzMvTc1HRJiijvTzVVj1c9z5+7xNPzRSkZlY1vKsXbNymK7dymaaqZ8YmJV+4VV7sw9p6bMzVb0O7f7kz7K8S9PhP+pP9h4sx/RsenMRunSfe+ObVj5J2ng7Tp8ivxK/ZKwiJ5ZflZu03rVFymqKqaoiqJj2xL9W4d9E3i4AlIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACInpWfgS7z++tP8A0u0836Hr4H9H8v5v5rT0npWfgS7z++tP/S7Tzfoevgf0fy/m/mtAm+AAAAAAAAAAAA+LVNLxdZ0/Iwc2xbycTItzau2blPNNdMxxMTHxPtY4LX0lMTNMxVTvhWN1r6Y7i7HPV/A3dtOu5GgZF6a8S5+4p5mZrxbnxxMeU+2PlhPnon1h0frZsjD3BpVyKaq47mTizVzXj3Y+uoq/7p9sTEu46kdPtH6n7R1Dbut40ZODl25pn7air2V0z7KonxiVce3tY3X2GOud7Az4uZegZNVMXooie5m40z4XKPZ6ynn8cTHlPLmaonZON1o+hrn7s+59vwqqPhB2Z4CuYjaOXp8Wf3tEcJ/xR+eK0UdNtLdem7229ga3o+VbzNOzbVN6zdtzzExMc8T8U/HHsdxDpYmKovD4lXRVh1zRXFpjSYZASoAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAApv9K58NfYX3hp/6VWuLxfsWz/Aj8ynT0rnw19hfeGn/pVa4vF+xbP8CPzA/UAAAAAAAAAAAAAAAAAAAAAAAAAAAHz5/wBg5P8AF1fmlpLs/wD+cerfxEf2m7c/7Byf4ur80tJdn/8Azj1b+Ij+0DeoAD4dY02xrGmZmDlW6buNkWqrVyiqPCqmY4mH3ONUeJa+kpiqaZiqN8K1OyRqN/or2rdU2hnXJt2Muu/pVVNXh3q6au9aq/DFP+9KyqJVu9tzQ7/S3tJaJvXT6Zt05nufUIqiJ4m/ZriKo/DEUeHyysP2xrdjcu3dN1XGrivHzce3kUVRPPMVUxP/AHuf2VPgqsXKz9WdO6X1vp7TG0MLIbeo/r8OIq/jo0l2nsRY7dXTb6L7QwN2YtrnJ0q56rImmPGbNcxEc/NVx/tSlRPhDp947cxd3bY1PRsyiK8bOx67FcTHsqjjlt8xhRj4VVE8XwzauRp2jk8TL1cY07+Hrax7KHUX6YXSPTvX3PWahpc/Q/ImZ5qnuRHcqn56Zp8fj5bnQM7JO4srph1w1fZWqV+pozK7mJVFXl7otTPdn/WjvcfHzCePLDkcWcXBjrb40nzNd0cztWc2fR4Ty6PFq74chhl73UAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAIielZ+BLvP760/9LtPN+h6+B/R/L+b+a09J6Vn4Eu8/vrT/wBLtPN+h6+B/R/L+b+a0Cb4AAAAAAAAAAAAAOMtUdovoNpnXfY17TMmmixq2PE3dPzu7zNm7x5T8dM+Ux/g2yxPkxYmHRi0TRXF4l7clnMfZ+YozWWq6tdE3iY5q1+zF1y1fs09Rc3p7vim5iaJXlTZueunwwr3PEXKZ9turw8vDxifjWSY+RbyLNu7arpuW64iqmqmeYmJ8pRn7ZHZhtdX9uzuHQcemndum257sUxEe7LUeM26vjmPHuz+D2tadh3tO3Iu2emu8Miu3l2pm1peVk8xVPE8e565n2x+5+aY9kNDlcSvZ+L8Ux58WfJn2Pre3MngdLtnT0j2ZTEY9H0+HH/+kRynj/KU6BxpnlydG+LgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAKb/SufDX2F94af+lVri8X7Fs/wI/Mp09K58NfYX3hp/6VWuLxfsWz/Aj8wP1AAAAAAAAAAAAAAAAAAAAAAAAAAAB8+f8AYOT/ABdX5paS7P8A/nHq38RH9pu3P+wcn+Lq/NLSXZ//AM49W/iI/tA3qAA4zHi5AIo+kR2F+yPo5i67Zo5ydDzKbszEePqrkdyuPm5mifwPQ9g/fv7MegunYV2uK8rRLlWBX4+Pdj31v/dqiPwNzdTdpWd99P8AcG379EVUajhXceOfZVVRMRPzxPE/gQT9Hju2/tLqpufZOdVNurNtzVTanyi/YqmKuPnpmf8AZhz2N/R9o0YnDEi3njc+v7O/bHQvNZSda8pXGJT/AA1aVe2ViUMVRzwzHlBLoXyBA/th7cyOnPWbR956XT6mM3uZMVxHERkWqo55+enu/wBaa+0tw427Ns6ZrGLV3sfNx6L9E/JVETx+Dyai7Y+x43d0dzcq1b7+ZpFynNtzEePdjwrj5u7Mz+CHSdhzfE7g6X3dDvXO9k6Lfqt0xM+Pqq5mun8UzVH4PkafC+ZzlWHwr1jvcFk/2bt3Gy31caOvHfG9JGPJliGW4d6AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAiJ6Vn4Eu8/vrT/wBLtPN+h6+B/R/L+b+a09J6Vn4Eu8/vrT/0u0836Hr4H9H8v5v5rQJvgAAAAAAAAAAAAAMebIDE0xPsQT7cHZlu4WXc6nbOsV2sizVF7VMfGiYqpmnxjJo48pjiO9x8/wAadr58rHtZdi7Zv26btm5TNFdFcc01RPhMTDx5vK0ZvCnDq808pdJ0f27mej2epzmW14VU8KqZ3xKOHY57TlnrFtmnQtbv02926baim53piJzLceEXaY+P7aPj8fKUlefBWp2luims9mHqVh7/ANkVXcTRLuT62zXa8sO7Pnaq4/5urmYiPLiZj4uZsdnrrnpfXXY2Pq2J3bOpWeLWfhc81WLvHj89M+cT/wB/LwZDNV9acrmPLp9cc3WdLNhZbwNG39ja5TG3xxw6+NM9l93o5Nqjj3vHj2sxPLdvl7IAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAKb/SufDX2F94af8ApVa4vF+xbP8AAj8ynT0rnw19hfeGn/pVa4vF+xbP8CPzA/UAAAAAAAAAAAAAAAAAAAAAAAAAAAHz5/2Dk/xdX5paS7P/APnHq38RH9pu3P8AsHJ/i6vzS0l2f/8AOPVv4iP7QN6gAAA41xzTwrN6vWa+gHbXx9esxOPgZGfa1GmfKJtXveXv65ufNyszqjmEH/SW7DjJ0La+7bNuO/iXa8C/VEedFfFVHPzVUzx/Clo9r4czl/C076Jir0PqPwdZuijbM5DH+jzNFWHP+6NPXFvOm3j36cnHt3bdUVUV0xVTMT5xL9Y8WpOyxvyeofQ7a+p3K/WZNrHjEvzzzM3LXvJmflnjn8LbcNvhYkYtFNcbpi753nspXkc1i5XEjxqKppnzTZ8esaZY1nSszAyLcXLGVZrs3KJ8qqaomJj8UoK9lbUr3SztDaptLMrmmjLm9gVd7w71y3VNVFX4oq/2k9p8kCe1Xp93pp2itK3ZiU+qoyZx8+Jp8I79qYpr8vjimOfj5lrs/Hg5w8ePqz6pfOOk9M5acttGnfh1RfunentT5Mvj0jULWq6ViZtme9ayLVN2ifjiqImPzvsbWJ0dxTVFVMVRxAErAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAIielZ+BLvP760/9LtPN+h6+B/R/L+b+a09J6Vn4Eu8/vrT/wBLtPN+h6+B/R/L+b+a0Cb4AAAAAAAAAAAAAAADjVHMuQDot4bQ0vfG28/Q9ZxKMzTs23Nq7arjzifb8kx5xPs4Vrapp27Owv1zt5WN63L0DKn3lU/5PNxZq5miZ8ouU/1T4+UrRavY111x6NaP1u2Nl6DqlFNF2Ym5h5cU81416Inu1x+PiY9sNTn8nOYpjEwtMSnWJ9jv+iXSOjY+NXk89T18pjaYlP8A/UdsO/6e790jqXtPT9w6Jk05WBmW4rpmJjmifbTVHsqieYmPkemj2qyOhnVXcPZA6tZ+zN4UXKNAv34oy6JmZptT+4ybXx0zHHPHnHywst0zUMbVMCxmYl6jIxr9EXLV23PNNVMxzExPxcMmRzcZqietFq40mO15ulXRyro/monCq6+XxI62HXG6aZ9scfS+sYZbJxIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACm/wBK58NfYX3hp/6VWuLxfsWz/Aj8ynT0rnw19hfeGn/pVa4vF+xbP8CPzA/UAAAAAAAAAAAAAAAAAAAAAAAAAAAHz5/2Dk/xdX5paS7P/wDnHq38RH9pu3P+wcn+Lq/NLSXZ/wD849W/iI/tA3qAAADEtXdpjYn0xuiO6tGooivJqxJyMeOPH1luYuU8fhp4/C2jPk/K9ai/bqoqiJpqjiYn2seLhxi0VUTumHsyearyWZw81heVRMVR3xN0HfRpb672JunZ1+uYrtXKdRsUVeyJiKLnH4Yp/GnPE8qyun9VXZ57bl7TK59y6dk6hcwu75UzYyJiq1HzRM0fiWaUTExzHtabZFc+AnBq30TMPo3wi5WiNr07Rwfo8zRTiR3zGvrZnyRf7eO041Tp5pWu26Ob2mZncqqiPK3cjif96KEoJeF637XjePSfdGlRTFV29hXKrXP/AElMd6if9qmGzzWH4XBro5w+J7ZyvxzZ+Ng8Zpm3fGsPL9lDdv7LOiOgTXX37+BROBX8cer97T/u91uKJQ57AG6OLO6du3KuJprt5tqmfZzHcr/NQmLT4KZLE8LgU1Tv9zzdHs18b2Zg4kzra098aexyAe10YAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACInpWfgS7z++tP/S7Tzfoevgf0fy/m/mtPSelZ+BLvP760/wDS7Tzfoevgf0fy/m/mtAm+AAAAAAAAAAAAAAAAADHHJ3YZAR97WvZsxeuW0Jy9Ot27O69NomrDvT4eup85tVz8U+z4p+eUfuxZ2ksrY2tfSv3tcrxbNN6qxgXsr3tWNe54nHr58omeePinw9scWATE8IZduHsuzuPEvdQdqY0xrOJR3tRxLFPFWRbp5n1tPH7un2/HEfJ46DPZevCxPjuWjxo3xzj3vrPRXbGV2jlJ6M7aqtg1z83XP9XXw/2zxTOoq78RMTExPthyRK7E/aip6kaPb2duXLj9k2Bb4x792eJzbUe3+HTHET8cePxpad6G2y+Yw8zhxi4c6S4HbOx81sLO15HN02qp9ExwmOyWQHpaQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABTf6Vz4a+wvvDT/wBKrXF4v2LZ/gR+ZTp6Vz4a+wvvDT/0qtcXi/Ytn+BH5gfqAAAAAAAAAAAAAAAAAAAAAAAAAAAD58/7Byf4ur80tJdn/wDzj1b+Ij+03bn/AGDk/wAXV+aWkuz/AP5x6t/ER/aBvUAAAGJ8WO65AK8/SNbOu6B1C2zvXDpm1VlWYx7lynw4u2qpqonn4+Kv91N7pNvG31A6cbd3DaqiqM/Ct3qu75RVMe+j8E8w1T25Nh/s36A6xdt2+/laPXTqVqePGIo5ivj/AFKqnjPRy79+jvSjUduXbnev6Hlz3KZnxi1d5rp/B3u+5/C/o+0q6OGJF474fX89+2ehWXzMa15SuaJ/gr1j12hLd+V+3F21XbqjmmqJiYn2w/TmGJiXQPj8xExZAbodXV0x7XGfoVc+rx8jLysD33hzTPNdqfw8U/7SfUIDdqG1PTntNaXuK1HqqL3uXUJqpj7WruV/h4o/rT1xrsXrFuuJiYqpiqJhqMh4k4mF9mfxcN0Z+YrzeRn6lczHdL9QG3d0AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAiJ6Vn4Eu8/vrT/ANLtPN+h6+B/R/L+b+a09J6Vn4Eu8/vrT/0u0836Hr4H9H8v5v5rQJvgAAAAAAAAAAAAAAAAAAAPyvW4uUzTVTFVMxxMT7X6sccgrn7XfZ91HopvKx1M2N6zC0yrJi/ejG8JwL/Me+jj9xVPPh5RM8eUwlb2YO0Lgdd9kW71VVvH3Fg002tRw4njivj/AClMfa1ePHxeXsbb1/QcHcujZml6jjW8vBy7VVm9ZuRzTXTMcTEqzupOyt0diXrVibg29XdvaBkVzVi3Ko95dszPNWNc+WI8p+aY8pc1jUzsvG+MYcfN1T40cu2H23ZuPhdOtmxsfN1RGdwY+arn69MfUnt5f/VoMTzDLxXSfqlo3V/ZeBuPRL/fx79PFy1VPv7NyPrqKo9kw9nS6KiumumKqZvEvjOPgYuVxasDGpmmqmbTE74mHIBdgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAU3+lc+GvsL7w0/9KrXF4v2LZ/gR+ZTp6Vz4a+wvvDT/ANKrXF4v2LZ/gR+YH6gAAAAAAAAAAAAAAAAAAAAAAAAAAA+fP+wcn+Lq/NLSXZ//AM49W/iI/tN25/2Dk/xdX5paS7P/APnHq38RH9oG9QAAAAAdbr2kWNf0TP03Ktxdx8uxXYuUVRzE01UzEx/Wrn7G2rX+kHaf1bZmdcm3RmVX9NqpmfCq5aqmq3M/LxFX+0somPGVbHbJ0m/0i7UOkb0waKrVvMqx9Spqpjwm7ammmuPwxTTz/C+Vz+1YnDnCzUfUqj0S+udAKoz9Oe2DXuzGHPV/jo1pWTR4S5us2/q9nX9D0/UseuLmPl49F+3XTPMTTVTExP8AW7Nv4mJi8PktVM0VTTVvjRDz0gm3+/i7U1qinxoru4ldUR9tEVRz/sz+NInohuH9lHSja2oTVNVy7gW4rmZ5maqae7PP4Ya+7auhRrHQ7UMimnvXNPybGTHEezvxRP8AVXM/gfP2INc+ivRW1iVVc16dm3sfxnx4mYuR/b4/A1VHzeeqj7UXcFgf0bpJi0cMWiJ88JBgNs7sAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABET0rPwJd5/fWn/AKXaeb9D18D+j+X8381p6T0rPwJd5/fWn/pdp5v0PXwP6P5fzfzWgTfAAAAAAAAAAAAAAAAAAAAABiXjeq/S/Rermy87but48XMbIp5ouxEd+zcj62uiZ8piXspYmInzUrpiumaat0s+Bj4mWxacfBqmmqmbxMb4mFX/AE63pufsR9a8rQNfi5f2/kXKacqijn1d6zM+9yLUfbRHnHzxPksw2/r+DubR8PVNNyLeXgZdqm9ZvW55promOYmGp+092e8Drzsm7j000WNw4NNV3TsyY8q+PrKvjpq44n4vNE/sj9oHUuhu88nppvn1mDplWVVYtzk+HuDI544mZ/5uqePHy8YnylzmDVVsvG8BifRVeTPLsfZtpYOF072bO18pTbPYMfO0R9emPrxHPn/8WM8svyt103LcVUzFVNXjEx4xMP05dM+JdksgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAApv9K58NfYX3hp/wClVri8X7Fs/wACPzKdPSufDX2F94af+lVri8X7Fs/wI/MD9QAAAAAAAAAAAAAAAAAAAAAAAAAAAfPn/YOT/F1fmlpLs/8A+cerfxEf2m7c/wCwcn+Lq/NLSXZ//wA49W/iI/tA3qAAAAADExzCJXpGdg/R/pPp24rVvvZGh5cd6qI8YtXeKKv96KPxJbPI9WdnW+oHTjcO3rlMVRqGFds08+yqafez+CeHkzeDGYwK8LnDouju0p2RtbLZ6J8iqJnu3T6rtUdhrff7NugekWa7nfydGuVaZc5nxiKOJo/3KqUhVefo5t4XNu9RNz7KzaptVZVqb9Fqrw4vWqu7XHHx8T/u/IsLeXZeN4fKUVTvjSfM3fTnZsbL2/mMOiPEqnr091WrxPWrRI3D0p3VgTHem7p92aY49sUzMf1wjh6PrW+9a3ZpM1fWVWcmI+fvUz+aEv8AMs05GNdtVxFVFVM0zE+2OEEexnfq2t191vQ7tcx38bJxePjrt3aZ5/FTV+NGZ8TNYNfO8Pg+1vmNtZLMc+tTPn3J6jET4sts7sAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABET0rPwJd5/fWn/pdp5v0PXwP6P5fzfzWnpPSs/Al3n99af8Apdp5v0PXwP6P5fzfzWgTfAAAAAAAAAAAAAAAAAAAAAAABwmOZRQ7avZbjqXo1zeG2sWP2UYNvm/YtxETm2o84+WumOeJ9vl8SWPDFdEVRxMcx8rzZjL0ZrDnCxI0lutjbXzWw87RnspVaqn0THGJ5xKF3Yd7UM7ixrHT3deVMavi0d3Tcq/VPeyKI/5qqZ/d0x5fHEfImhzzCAXbW7NeTszWfpobKtV49qm9Tfz7OLzFWNdieYyKOPKOYjvfFPj7Zb77JHaTxeuG0owdRu27O7NNoijLscxHr6fKLtEfFPHjHsn54anI5ivBr+JZmfGjdPOPe7/pTsfK7RysdJti0/M1/SURvw653/7ZnckJDLjTPLk375MAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAApv9K58NfYX3hp/6VWuLxfsWz/Aj8ynT0rnw19hfeGn/AKVWuLxfsWz/AAI/MD9QAAAAAAAAAAAAAAAAAAAAAAAAAAAfPn/YOT/F1fmlpLs//wCcerfxEf2m7c/7Byf4ur80tJdn/wDzj1b+Ij+0DeoAAAAADhXxMcT7XNxq9gKy+otE9nrtuW9Voj3Lp+RqFGdz5U+oyJmm7Pzczc/Esxt3KblFNdM801RzEwg36SzYk14W194Wbc96zXVp1+uI/c1c10c/hir8aS3Zm339MbojtXWK7kXMicWLF+eeZ9ZbmbdXP4aefwufyPzGbxstwv1o8+99e6Vftbo/szbVOtVMTg199Pk374u2hV76JhAnQOdl9tu5YiPVUX9Vu0cc8e9u0TMfj70J78cQgT2iKY2n2udI1WZ7tFzI0/Nq+amummr+7l6toaU0YnKqH5n6VR1MPLZiPqYlKe3sZhwtVd+imr445fo2ruYm8XAEpAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAARE9Kz8CXef31p/6Xaeb9D18D+j+X8381p6T0rPwJd5/fWn/AKXaeb9D18D+j+X8381oE3wAAAAAAAAAAAAAAAAAAAAAAAGKo5hkB8moadj6phZGHl2KMjGv0Tbu2rkRNNdMxxMTHxK0+vHSnX+yH1awN6bPrrt6Dfvzcxa457tmZ+uxrnx0zHPHPnHyws3eZ39sPSOpG1NQ29reNTlafm25orpmI5pnziqmfZMTxMT8bWZ7Jxm6NJtXGsTyl2vRbpHX0fzU+Fp6+XxI6uJRO6qmfbHB5/oX1n0frdsXF17TK4oveFvMxJnmvHvREd6mfk8fCfbDYvKrnTs3dfYW6512Mj1uZoGTPv4iJ9Xm4s1eFVPsi5T+fmPKVlWzN46XvzbmBrmjZNGZp2bai5au0T7PbE/FMTzEx8cKZDOTmInDxYtiU749r1dLOjlGx8WjOZGrr5TG1w6v/wCZ7Yd6A2zgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFN/pXPhr7C+8NP8A0qtcXi/Ytn+BH5lOnpXPhr7C+8NP/Sq1xeL9i2f4EfmB+oAAAAAAAAAAAAAAAAAAAAAAAAAAAPnz/sHJ/i6vzS0l2f8A/OPVv4iP7Tduf9g5P8XV+aWkuz//AJx6t/ER/aBvUAAAAABiYZAal7Uuwp6i9Dd0aXbtesybePOXYjjx9Za9/HHyz3ePwo8ejT377p0Tc+0b1z3+Ldoz7FMz+4rju18fNVEf7Sbt+zRfs3Ldcd6iumaZifbEqz+kd2rs/dti/oN2fc2BkZ9enTHlE2r/ABXZ/BzNtz+e/o+bwcxwnxZ8+59f6L/tbo7tPY061URGNR30+VbzWWYxPgg128MP3B1K21qcU8Tcw+Jq+PuXOY/tJyRMTEfEiB6QXTv+J7Pzop8rmRZqq+eKJiP6pe3aMXy1U8rPzf0somrZOJVG+mYn1wlhtzM+iG39NyuefXY1u5+OmJdlHk8R0S1GdW6SbRy6p5qu6ZjzPz+rjl7h76J61MS6jLVxiYFFccYifUAMj0gAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAIielZ+BLvP760/9LtPN+h6+B/R/L+b+a09J6Vn4Eu8/vrT/wBLtPN+h6+B/R/L+b+a0Cb4AAAAAAAAAAAAAAAAAAAAAAAAADExEsgNWdoToZpPXXY2Ro+ZTTY1G1E3cDNinmqxd4nj56Z8pj2/iQl7NfWrWuy71Lzdg73puY2h3cj1V6m75Yd2fK9T8dFXMTPHsmJ+PmyyY5Rr7YvZjtdZdsVa5otimjdum26qrXciI912/ObVU+2fPuz7J+eWkz+Vr60ZrL6V0+uOT6f0T27lowq9gbZ1ymNunjh1cKo5Rff/APUjMPLtZuNav2LtN6zcpiui5RPMVUz4xMS+iJ5hBDsQdpq9p2Zb6Y7yv12r1qubOmZGVMxVRVHhONXz5THE938XxJ3RV4Q92UzVGbwoxKPP2S5XpBsHM9Hs9Vk8xrG+mqN1VPCYchiJ5Ze1zQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACm/0rnw19hfeGn/pVa4vF+xbP8CPzKdPSufDX2F94af8ApVa4vF+xbP8AAj8wP1AAAAAAAAAAAAAAAAAAAAAAAAAAAB8+f9g5P8XV+aWkuz//AJx6t/ER/abtz/sHJ/i6vzS0l2f/APOPVv4iP7QN6gAAAAAAAxPjEq7/AEiG0r20+qe2d7YNM0VZtqKKrtPhxesVRNPj8fEx/s/IsQRz7d+w/wBmPQPUcy3RFeTol2nUKPDx7tPva/8AdqmfwNTtTB8NlaojfGseZ3/QTaVOzdv5erE8iuepV3V6fjaW5OmW7LO++nu3twWa4qo1HBtZM8eyaqImY+eJ5hont8YM3+mGjZMRzNjVKOZ+KJtXI/Pw6/0d2/P2R9H8rQbtfeyNDzKrcRM+Pqrnv6Z+bnvx+B7HtsYfuroZmXOOarGXYuR8nvuJ/OrViRmch4TnTd8/+EDZU7MnaGQmPI61u7fHqs9F2Us6dQ6C7Uqqnmq3ZrtT8nduV0x/VENuNA9ibOnK6H4lufH3Pl37UfN3uf8Avb+e7KzfAonshp9jV+E2dl6v8MfgAPU3IAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACInpWfgS7z++tP8A0u0836Hr4H9H8v5v5rT0npWfgS7z++tP/S7Tzfoevgf0fy/m/mtAm+AAAAAAAAAAAAAAAAAAAAAAAAAAAA41xHdnlyYnyBBrtw9mG5XXe6l7Qxq7eZZmLuqYuNE96rjx90U8fuo8OePi59ktj9jTtO0dXdvU7b17Ipp3bptuOa65iPdtqPCLkR9tHhFUfh9qS+Tj0ZNqq3cpprt1xNNVNXjFUT7FcHah6G6t2buoeH1E2N6zD0SvKi7b9T4Rg3vbbmI/5urx49njMT7HOZrDryGL8cwY8WfKj2vtGws7gdLtnR0c2lVbHo+gxJ5/YmeU8P5Qslifazy1L2c+vWmdd9iWdTsTRj6tjRTa1HBifGzd484+OmfOJ/wbYjxjlvsPEoxaIxKJvEvkmdyWPs7M15TM09WuibTEuYDK8QAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACm/0rnw19hfeGn/AKVWuLxfsWz/AAI/Mp09K58NfYX3hp/6VWuLxfsWz/Aj8wP1AAAAAAAAAAAAAAAAAAAAAAAAAAAB8+f9g5P8XV+aWkuz/wD5x6t/ER/abtz/ALByf4ur80tJdn//ADj1b+Ij+0DeoAAAAAAADqd0aJY3Jt3U9KyaIrx83HuY9dM+MTFVMxP53ay4z5KzHWi0r0Vzh1RXTvjVW52JNbvdLO0preydQqm1TmTfwKqJnwm/Yqqmn+qK+PnTF7WONGT0G3PzHPq7du5H4LlKGfa40290V7VembxwbdVuzmV2NVpmiOO9XRV3btPzzx/vJs9cr9jcnZ+3PlY9cXrF/Sa8iiunxiqmKe/Ex+JzWR8TBx8rV9SZ9E7n0b4U8KnaOTy+28ONMzg6/wAdMWq9jXXYLzPX9KtUsc8+o1OuPx0Uz/3pMom+j8yudo7pxp/cZ1u5x/CtxH/ypZNxkJvlqO58P6M19fZGXns9oA97pwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAERPSs/Al3n99af+l2nm/Q9fA/o/l/N/Naek9Kz8CXef31p/6Xaeb9D18D+j+X8381oE3wAAAAAAAAAAAAAAAAAAAAAAAAAAAAAYmmJdRura2mbz2/n6Lq+NRl6dm2qrN6zXHhNMx+f5XcOMwiYiqLSvRXVhVRXRNpjWJVebl0TdXYb642dR071mXt/JqqmxVPPq8vGmfG1XPlFdPh+Hifasa6cdRNH6obRwNw6Hk05GDl0d7zjvW6v3VFUeyqJ8Jh1XWno/o/WrY+Xt/V7cU1Vx38bKpp5rx7sfW10/98e2OY9qAnRfqZuPsb9YM3aW7KLkaBfvU0ZduOZoppmeKcq18ccecR5x4ecOapmdk43Vn6Gufuz7n23Epo+EHZnhqLRtHL06x+9ojj/FH53rOx8elaria1puNn4N+jJw8i3TdtXrc8010zHMTEvr55dLE3i8PiExNMzTMawyAlAAAAAAAAAAAAAAAAAAAAAAAAAAAADHtPFGftVdQ+rel9Sul+xOkWTpWFq25J1C/qGXq+L6+zjY2PTZn1kxzz53ZjiPOZiH069sjtC6HtPUtUudatvXszDw7uT7np2TTFuqqiiau73/AHVzxPHHPd/ArfTrJtrZJAV39iDrx2ge2Ft3curXeougbVt6Pl28Wm1RtWnLm9NVHemZmb9vu8eHx/gbE6qbk7SPQrdGy9T1Lee295bDz9dw9L1W5j6BGDk49F+7Fumru+trjiZqiOYnwmY8FrWmI5q339iZZE+KEXpEd99aehey8jf+zOo+LpugTm42HGh/QS1Ves9+O7NcZFdVXf5qiZ4miOInznhMLZGff1XZ+h5uVc9bk5GDZu3a5iI71VVuJmeI+WURrFyZtMQ7wY5g5hKWRiJiWQBjk5BkY5OQZGJqjiXnNhb90vqLo2RqekVXasSzm5On1Tdp7szdsXqrNzjxnw71E8T7YB6QAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFN/pXPhr7C+8NP/AEqtcXi/Ytn+BH5lOnpXPhr7C+8NP/Sq1xeL9i2f4EfmB+oAAAAAAAAAAAAAAAAAAAAAAAAAAAPnz/sHJ/i6vzS0l2f/APOPVv4iP7Tduf8AYOT/ABdX5paS7P8A/nHq38RH9oG9QAAAAAAAGJp5ZARB9I/sP6M9MtJ3Nat969o2XFu5VEeMWrvFM/70Ufjdj0J3rPUPsT6vZrrivM03R87TLsc8zE0Wqu5P4aZplvnrHsmjqJ0z3Jt6umKqs7Crt2+95Rc45on8FUQgf2G93XMPG6k7Gy5qoqzNJv5Nm1V4cXKKZouRx8fFUf7MubzEeAz8VcMSmY88bn1WI+WugOby2+vKVdeP4K4mJ9d5bb9HvkTNG9bEz72mrErj8MXY/wC6EyI8kKPR9ZEU61vCzz9fYx6/xTXH/emvHk2OzpvlqfzxfnronN9kYUcrx62QGzdgAAAAAAAAAAAAAAAAAAwMoy9qjqH1bwep/TDYXSLJ0nB1TcVOfk6jm6vi+vtY2NjxZ9/Mc8+dyY4jxmZiPlRfWwkz4nijfuLZXaE29s7VdXr61bev5eDhXcr3NTsimLddVFE1d3v+6+YieOOe7+BoPsQ9de0B2wtsbl1m71H0DalGkZlGHTao2pTmTdmqjvTVMzft93jw+Pn5E2ve3BE6ReVhh5oa9UNy9pHoXvDY+oapvPbe89halr2HpWqXMfQIwcnHpv3Yopq49bXHEzMRzEzxMx4Op9Ijv7rV0I2fe39s3qPi6dt+5nY2FToX0EtVXrHfp4mqMiuqrv8ANVMzxNFPEVcePHjH/wATxsnBHky6bZ2bf1LamjZeTX6zIv4dm7crmIjvVVURMz4fLLuOePNaYtNlYm8XZGInk5QsyMHIMjHJyDIxy41z4c8g5jzOwt+aZ1H0O5q+kVXasOjMycKZu092ZuWL1dm5xHM+Heoq4n2w9MAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACInpWfgS7z++tP/S7Tzfoevgf0fy/m/mtPSelZ+BLvP760/wDS7Tzfoevgf0fy/m/mtAm+AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADjV4tC9q3s34fXPZ1V3Cot4+6dOoquYOTMces8OZtVz9rV/VPj8bfjExHn7WHGwaMfDnDxIvEtls3aOZ2Tm8PO5Srq10TeJ9ndPFXt2M+0dmdNtx1dMN713MTE9fVj4dzK97OHf5nmzXz5UzPl8U/OsHt1RXRFUcTE+2EOu2/2XZ3hp97fu1sX/w9hUd7PxbFPvsu3HHv44/d0xH4Y+WIfV2Je1FO/tKtbI3Pl/8AjHg2/wDimTdq4nMs08RxP/Xp9vtmPH2S0eTxq8ni/EsxP8M845d76h0j2dlukeR/SfZFNqv6/Dj6tX2oj7M/nil8ONM+Xjy5OifHQAAAAAAAAAAAAAAAAAAAAAAAAAAAHhc7p7Xm9ZdM3tcy6Js4GjZGl2sSaPfRXdvWq6rne58uLURxw7jqF4bB3L/JmT/dVPQ8RPsef6hf5hbk/kzJ/uqlKtKZhNPlK+PQm/8AJl1H/liz/cp49ZOnlXVHYWXoFrKowci5fx8izkXLffpt12b9F2meOY9tEIHehN/5M+o/8sWf7lZPwzV748zHG+rvlCv0tfj2R8v4vozg/wBuW4Nl9X9Y1TaGl4mxdmX93W9OwrOPk6jfz7WBhzept0xXatXKoqqu10zExMxT3Inw73MTEad9Ln4dkPOiPD/wvheX8OUmeg+g4e2+iuxtLwbNNnExtGxKKKIj/wDBU8zPyzPMzPxzLHR5NXf7FqvKp7peb7P/AGmNA6/RuLBxNPztv7m23mTg6xoOqRR6/FuxMxzE0TNNdEzE8VR58eUPHdqPtmf8F+xezNS6Zbq13RrXq6Z13DixRgd+vyo783JriefDxoiOfLlpTsg1Tb9Ih2mrNPvbVUWq5pjy5i5T4/70th+lTiP+Bbu/w/8ASsH9JtomfFpq5xC9NPjzRLt+rPbt0npbsCje9Oz9S1na1q/j4mZqVnJt26Kci7TFU2bETzN6qjxiqfe0RMTHe5iYjcWtdeNm7a6R2OpOsarTpW1b2FbzqMjKp7tc0XKYmimKPOa55iIpjmeXn+gXTvQL3Zm6fbe1HSsTVNMr0LCvXsfNsU3bd27VapuVV1U1RMTM11TVz8cob+kk3Lf1ftIdAOmFGBey9uVZ9jPv6Rh9yj3ZVN+m3RbiKppo8KaKoiJmI9/PktVFq+pHGWKjxqetPK6V9ntGbuz9nTvTB6O6/kbTm17qopu52Pa1a7j8c+towpmfOPGKKrlNU/a+xsbpZ1f2t1k2Dg7y2tqVGdoWXRVVF2qO5VamnmK6LlM/WVUzExMS6GnqpuG3Zi1T0i3dTREd2KYvaZxEfF9ltB9ibonvTp5ldbtJ3ftvK2tsrcGrXM3RsbJy8euuLV6LkXfCzcrijinuec/mRz7IWjhLcej9obVOomPl6h022Tc3hoONeuY8atf1axg2squieKosRPfqqjn91XFET7JmPF2HRbtKba60anrug42Pn7e3hoFz1eq7b1m3TbzMX4q+Kaqqa7c8xxXTMxPMeXMI0dmndPSnszXtzdO+i2Lu/rNq17UasvUfoTat3MfEucdyLdWTXNuzTxFPHPennjxl5HY24da1L0sdvM1TbGRsvM1HakxlaZfyrN+u5TTb97XXVZmafHuU+HM8d2E0xeYjmidImeSV/ap65bl6L9OtY1Da2xdY3XqlvAu5FGZi02owcLuxPNd+uquKvexzV3aaZ5448EdOwH2hNb0bszbcsXOlfUDdt67k5uRd1jR8XBuY1+u5k3K6piq5l0VzMTVPPNMePPmld2m+P+Dv1J/m/m/3NTTnou+I7F2yZn/pMz9JuK076plNe6m3P2JWYl+crFs3ptXLE3KIrm1d479HMc92riZjmPKeJl+zjExx4eTksAAkAAAAAAAAAAAAAAAAAAAAAAAAABTf6Vz4a+wvvDT/ANKrXF4v2LZ/gR+ZTp6Vz4a+wvvDT/0qtcXi/Ytn+BH5gfqAAAAAAAAAAAAAAAAAAAAAAAAAAAD58/7Byf4ur80tJdn/APzj1b+Ij+03bn/YOT/F1fmlpLs//wCcerfxEf2gb1AAAAAAAAABwrjnmJ8p8FYHUKz9IDtk5d+InG0rMypuzP7n3NlUzTXPzRNVX+ytAqlBD0lmxO7+xbeNijx71WnZFUR5eE125n8VbQbZw5qy3had9E3976j8HuPRVtPE2XjeRmsOrDnvmL0+t9fYAud3e+57U+c4FFX4rn//AFOWEBvR35s5e9NZuc81V6XET88XKeU+Y8no2VV1srTPe+G7EyOLsvAxMhjRarCxK6Z81UwyA27oQAAAAAAAAAAAAAAAAAGJl4XK6e15nWXA3vcyqJs4Wi3tLtYnq/fRXdvW7lVzvc+XFumOOHuuDiEcbo4PNdS/+TjdP8lZX91UgF6E/wD5Kuov8t2v7mE/upcf/Zxur+Ssr+5qQB9Cf/yVdRf5btf3MLUb6u72pr8iO9OrrH09q6obHv6Fay6MLIqycXKs5Fyjvxbrs37d6me7ExPnRCMHpcfgmXP5bwv7VSa3xITel4+CRkcf6Zw/7VTFVpbvj8YWp3t1bS6wazqu1tPxti7Lv7vs6diWsfJ1G9n2sDDqvUW4iu1arqiqq7VTMTEzFMURMcd7mJiPv7P3aY2/2gbW4MXC0/P0Dcm3cucHWNB1SKIyMS7EzHPNMzFVE92eKonx48oep6H6Fh7a6N7J0vAs02MTF0bEtW6Ij2Rap8Z+OZnmZn2zMod9jiubfpBO09Yp97aqrs1zTHlzFzz/AN6WadcSae+fQxU/RxPc3R2o+2f/AMF6zey9S6Y7r1vRrfq6Z13EixRgd+vyo781zXE8+HjREc+XL4Orvbu0npTsa3vX9h+p6ztS3k4+Dl6nZyLdumMm5T3qrNimeZvVUcVRVPvKImmY70zzDpPStUx/wLN1zx/6ZgfpVtuHoZ062/d7N2wdu6hpWHqul/QTCu3cbNs03rdy5Nqm5VXNNUTEzNUzPPxyxxrEzPCYXnSae27vde67bN2r0ks9SNa1WnStq3sO1m0ZGVT3a6qblMTRTFHnNc8xEUxzPLw1HaN3dlbNneeJ0d1+7tT1Xuqmm7nY9vVrmPx3vW04XM/ufGKJuRX/ANVE/wBI7ua/rPad6AdMadPv5u3IzLOoXtIw+5R7srqv026LcRVNNHhTbqiOZiPfymvT1T3DTa9XHSPdsUd3uxT67TOOP+1m+nrR5vMbpiJd90v6vbW6w7AwN5bX1O3naDl0VVxfn3k2ppnium5E+NFVMxMTE+TxGi9oXVeomHlal032Rc3hoGPeuWKdVv6vj4VrKronir1FM9+qqOfKquKIn2eHEzpzsS9Et59PaOt2i7z25lbW2Zr+rXMzRsfIy8euuLF6LsXf8jcrijin1fnMPN9mbdfSvs0zuTp10VxN39ZtUualVl6jVpVu3cxsS5xFEW6smubdmniKeOe94z7fYnj5kbvSkx0V7Sm2etWoa5omLjZ2393aDc9Tq229Zopt5mJPsq4pqqpronw4rpmYnmPLl0vau667l6LdOdZz9rbF1jdOqW8C7kUZuPTajAwu7E8136qq4q97Hvu7TTPPHHMeaKnT3cGs6l6WG9mantnI2Xm6jtX/AI1pl/KtX67lNNqnu1V1Wpmiee5T4czx3YTM7UnH/Bx6leX+b+Z/dVK1x4kStTHznV7kWuwL2gtb0Xsx7Wxq+lXUDdl25fzL1zWdIxcG5i367mVcqqqpqu5dFc8TVPPNMeMT5p54mROVjWrs2q7E3KIq9Xc471PMeU8TMcx8kosejAj/AMizYvP22Z+lXUqqZj2MlWk2Y6dYcmWIZQuAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAMTLqtz7r0XZej39W1/VsLRdMsRzdzM/Ios2qI+WqqYiGutu9rTo1u3WLOlaT1N2zmajfqiizjRqNumu9MzxEW4qmO/wA/9XlFxtsYjxZSAAIielZ+BLvP760/9LtPN+h6+B/R/L+b+a09J6Vn4E28/vrT/wBLtPN+h6+B/R/L+b+a0Cb4AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAPzuWouUzTVxMT4cSry7YvZ2z+kW6rXU7Y0XMPT5yab+TRi+E4WRzz6yOPKiqfP4pn4pWIvg1vR8PcGmZWnahj0ZWFlWqrV6zcjmmumY4mJeDOZSnN4XUnSY3Tyl1fRrpBj9HM9GZw461FWldM7qqZ3xPsac7LHaKwuu+zKar9VuxubT6abeoYkTxzPsuUx9rVx+CeYbw7ysLqtsDcvYs6z4W5ts1Xa9vX7s1YlyrmaK7c/X412fmnwnzniJjxiVgvR7qxo/WTZGFuLR7sTRdp7t/HmY7+PdiI71FXyxz+HzeXIZuvEvl8fTEp9fa33S3o9gZSKNsbJnrZPH1j/BVxonlbg9yyxHky3L5sAAAAAAAAAAAAAAAAAANX9WO0t056Hbh0DRt9bjs7cydcou14N3Lor9TXFuaIr71yImmj/KU/XTHPLaCpv043huDpDx/wCq6n/bxgWn7d3Vo27tLs6loeq4Wsafejm3lYGRRetVR8lVMzDtI8X8wWwOqm8OlmqRqO0dy6nt3LiYmbmnZNdrvcfbRE8VfhiUz+j/AKYrq1sr1GLvXT9N39g0cRVeuUU4WXMfw7dPcmflmj5+QXXiGXSD0r3Q/qZFjH1nUsrYWpXOImzrlv8AaIq+S/RzTEfLV3fwJcbb3Xo28NNt6hoWrYOs4NyOaMnAyKL9uqPkqpmYB2oAMNBdZ+1p0n2noG79C1DeOJTrmLiZOLc02zbuXb8XfVzHcimmmeZ5mI/C38492PiVmL6JibTdU56J/rpsrons/fWk761mNsZebqFrKx4z8e7TRcoi33Z4qimY5iY8lpez95aNv7bmHr23tQtarpGZE1WMuxz3LkRMxMxzEe2Jh3Hdj4me7HC8zdWItMzzV9eln6tbU1LohqPT3D1ajM3nb1PDvXdHx7ddd63b49Z3quI4iO7MT5+2EjOi3aV6a6l0OwtZs7sw407bul4NvV7tcV0+4a6qKaKabkTTzEzVEx88N8TTT58fKdyPNWnSJjmTrMTyVedl7tDbA2326uue6dW3Bb07bm46aaNK1PJs3KLOVVTdo8Kau77fGY5454bZ9Kf1f2jkdnjcfT6xrFvJ3ll3cG9a0ixRXXem366m535iI4iO7TM+Mp1dymY8juxz5ImL0xTyWibVTU0R2UOu2xuovTbaG3NA1+zna/pu38T3ZpvcrovWPV2rduvvU1Ux5VzEfhap9IL2fNybzzthdW9iYFWq7t2DnU5lemWv8pm4tNym5NNEe2umqmZiPbFVXnPCZ3dj4mJoifYtVrMVKU+LFmodidqrpjvjZtrX6d36VpMUW4qzMHVcujFysK5Ee/tXbVyYqpqpnmPLxmPDlrjrDrvUPrX2e+sOVszGv4un5ume5drW/U1Wc3Ooppn3TeiJ4qiLsTVRbiYiZimKv3UJFZuw9talqtGqZm3tKy9TonmnMv4Vuu9TPs4rmnmPxu67sceStUdZanxbIUejb3t042T2X9M0qvVtL27uLTrt+dxYmp36MXJt5MXKuartNc01cd2KYiZ9kcexq/ce95216RHbnWXcWBmaR001rSbukaRrdzFuVUX6qLVVNNVVMUzNPrK5qmjmOaqZpmPNYXqOwts6vqdGpZ+3tKzdRomJozMjCt3L1Mx5cVzTzH43eREfEtM3q6ysRaJpaK0/QN09Ruynr2matOTXuHXtN1OLFGdHcu00Xq7041FcTEd2Yt1W6eJjw8p8kfewl1i21067G+XtfcWo2tI3ftm/qGDlbfy64t51V+q5XVaot2Znv1zXNcU092PGeY9ifHEfE6m9s/QcnW7es3tF067q9uOKM+vFtzkUR8UXJjvR+NXnHNMbo7NXQdFNu520+kWzdG1Pn6I4Ok41jIiqeZi5TbiKomfn5e3YiOGViItAAJAAAAAAAAAAAAAAAAAAAYBkfjkZdjDt+sv3rdijnjvXK4pj8cudu7ReoprorproqjmKqZ5iQcwAAAU3+lc+GvsL7w0/9KrXF4v2LZ/gR+ZTp6Vz4a+wvvDT/wBKrXF4n2LZ/gR+YH6gAAAAAAAAAAAAAAAAAAAAAAAAAAA+fP8AsHJ/i6vzS0l2f/8AOPVv4iP7Tduf9g5P8XV+aWkuz/8A5x6t/ER/aBvUAAAAAAAAAGJjlp3tZ7B+mB0G3Rg26PWZWLjzn48cczNdr3/EfLMRMfhbjfHq9mjI0vKtXKe/brtVU1Uz7YmJ5YcbDjFw6qJ3TD3ZDOV7PzeFm8OdcOqKvRN1efo2czvdRdfxpny0+a4+b1lKxePJVZ2T912+m/akxMW5V6nAz79/TK/HwiK+fV/70UR+FanHjENHsOuJyvU40zMO56fZHAwNsTn8r9HmqacWLbvGjX1wyA6J84AAAAAAAYBkAAAGJnh0m3977f3XdzbWja3p+qXsG/Xi5VvEyaLtdi7RVNNdFcUzM01RMTExLu6oiY8X83XXndmt7M7U/VHUtB1bN0XULe69U7mVg36rNyn/AI3c/dUzE8A/pFieWVFHR70sPXDppNnF1zUcPful2+I9VrNmKciKfii/bimqZ+WvvJw9H/TDdJN8TYxd44GpbBz6uIruXqfdmJE/Jctx3uPnogE9h5XYfVPZ/VDTadQ2jufStyYdUc+t0zLovRHzxTPMT8kvVAMTPDLExE+YI/dbO1p0n2xtjeeg528cWNcx8LKxLmm2bV25ei9NuqmLfdppnx5mIQg9FB122T0U2PvnSN86zG2M3M1O1lY8Z+Pdppu0eq7s8VRTMcxMeXzLYO7HxMTTHHBE2v2k6xEOn2hu/Rt+7dwte2/qFrVNIzKZrx8uxz3LkRMxMxz8sSgf6Wnq3tTVeiub09wtWt5m87Oq4d69o+PbrrvWqO76zvVcRxEd2qmfP2wsI44jw8Dux8SsxexE2aK6PdpbppqXRPE1yzu3D+hm39OwrWrXrkV0+4q6qKaKabkTTzE96JjjjzQy7K3aF2Btvtw9dtzatr9vTtv7lrop0nUsmzcos5Uxdjwpnu+3zjnzWgxTTz5MzTHxL38frKxFqeqgj6VTrBtLK7O+4enuPrFvJ3lk5GBet6RYorrveri9Rc788RxEd2mZ82+uyt122L1I6e7V29t7cFjP13TtBxJzNO7ldF6x3Ldu3X3oqpjyrmIb04iWe7CsaRMc0zrbsQw9IH2e9y7s1Xp/1f2Jp1Wr7r2Dm05V3S7XjdzsWLlNyYoj210zTMxEecV1ec8N5bF7VXTDfGzbW4Le8NJ0u3Tb5y8LVMujFysO5Ee/t3bVcxVTVTPMcceMx4ctuTHPm6TM2HtrUtWt6rl7e0rK1O3MTRm3sK3XepmPKYrmnvR+MjSOqmddUcutOtdQ+tfZ06xZezcW/i4Odp0Y217XqarObm2qY/4zeiJ4qiLsTXTbiYiZimKv3TyXo4d89N9mdlvSdKnV9L25uDTq787ixNTv28XKt5UV1d6q7TXMVcd3uxEz7I49ias0x8To9Q2HtnV9Uo1LO27pWbqNExNOZkYVq5epmPLiuaZmPxkaX7UTrZXnre9qtr+kS0PrFuTT8zR+m2vaRd0nR9auYtyqm/VRb7lM10xTM0esr700RMc1UzTPHilhi7d3V1H7Juu6Vqs5Fe49e0vUfUUZ0dy7TTeru1Y9FcT9bMW6rdPE+XHE+TfHdiDuQi16erKfr9ZAfsM9ZNt7B7FuRtfXdRtaVu/bleoafk7fya4t59eTVcrqtW7dmff11VzXTFPEeM8x7ExejO3c7afSfZ+jalM/RDA0nGx8jmeZ9ZTapirmfb4xLvL2z9ByNco1m7ounXNYt8RRqFeLRORTHxRc470fjdxEcLXvN5ViLEeDICwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA4XLtNqiquqeKaY5mfkcpfBruHdz9Gz8azV3Lt6xXboq+KZpmIn+tSqZiJmExrKv3ohVV2/O05vLeO7OdS6WbCy6cHb+3L89/DyMnmYm/dtz72ueKO94x+7pjyp8ZUdcuzRoPV7E2fRZ0/S9Oydv69h6tRkxh0RXFqzX3q7VFVMcxFUcRx5eEc+SGvorepW2+jWmdR+me+tYwNpbuwdam9VjazkUYs3qe5FFXcm5Md6YmnniPZVE+Up47P687J6h7sytv7U12xubKw7M3crK0jnJw8eYmIiivIo5txcnnwo73e8J8PBe1ojqqTeZqu2DTTxEOTj58NQdrHq3q/Q3oXuHe2h04l7UdMi16rGzbVVyjIruXaLVNv3tVMxM1Vx4+PzK34rRHBt69NUWbk0/Xd2eOPjaHr1jqf6yru2c3jnw/wCL0/4N2aHfy8jRcG7n026M2uxRVfptc9yLk0x3ojn2c8vuiIWRE3QG7dW3eqfUjs17i0G3pmfqFd+/iVxj02aaZq7uRRV5+HxIT9G9jdtbpvs2NH6dabujSNve6Ll73NhUY82/W1cd+ffczzPELmetEf8A2fZ/8O1/bh8nQuP/ABFp++bn/cJVVes9In9tvP8Ao8X/AAPWekT+23n/AEeL/guY4g4gFM/rPSJ/bbz/AKPF/wAD1npE/tt5/wBHi/4LmOIOIBTP6z0if228/wCjxf8AA9Z6RP7bef8AR4v+C5jiDiAUz+s9In9tvP8Ao8X/AAPWekT+23n/AEeL/guY4g4gFM/rPSJ/bbz/AKPF/wAD1npE/tt5/wBHi/4LmOIOIBTP6z0if228/wCjxf8AA9Z6RP7bef8AR4v+C5jiDiAUz+s9In9tvP8Ao8X/AAPWekT+23n/AEeL/guY4g4gFM/rPSJ/bbz/AKPF/wAD1npE/tt5/wBHi/4LmOIOIBTP6z0if228/wCjxf8AA9Z6RP7bef8AR4v+C5jiDiAUz+s9In9tvP8Ao8X/AAPWekT+23n/AEeL/guY4g4gFM/rPSJ/bbz/AKPF/wAD1npE/tt5/wBHi/4LmOIOIBTP6z0if228/wCjxf8AA9Z6RP7bef8AR4v+C5jiDiAUz+s9In9tvP8Ao8X/AAPWekT+23n/AEeL/guY4g4gFM/rPSJ/bbz/AKPF/wAD1npE/tt5/wBHi/4LmOIOIBTP6z0if228/wCjxf8AA9Z6RP7bef8AR4v+C5jiDiAUz+s9In9tvP8Ao8X/AAPWekT+23n/AEeL/guY4g4gFM/rPSJ/bbz/AKPF/wAD1npE/tt5/wBHi/4LmOIOIBTP6z0if228/wCjxf8AA9Z6RH21bz/o8X/BcxxB3YBSpuPanbu3vgRpu59G3Pr+lzXTXXiZljFmmqYnmPGIiYn5YmHreluh9c9pTfxtqaVuPRM2/Hey8LEp599T4TzHjE8c+a33uxDQvSPx6o6hH/UyP7cNXm8hh5qqmu801Rxje7ro/wBLs3sDBxMrGHTi4VdpmiuL03jjEIf+6u1f/wBHvH+hj/A91dq/7TeP9DH+Czvg4eP5Jn9/X6XRfrC/0zL/AHP5qxPdXav+03j/AEMf4HurtX/abx/oY/wWd8HB8k/59fpT+sL/AEzL/c/mrE91dq/7TeP9DH+B7q7V/wBpvH+hj/BZ3wcHyT/n1+k/WF/pmX+5/NWJ7q7V/wBpvH+hj/A91dq/7TeP9DH+Czvg4Pkn/Pr9J+sL/TMv9z+asT3V2r/tN4/0Mf4HurtX/abx/oY/wWd8HB8k/wCfX6T9YX+mZf7n81YnurtX/abx/oY/wPdXav8AtN4/0Mf4LO+Dg+Sf8+v0n6wv9My/3P5qxPdXav8AtN4/0Mf4HurtX/abx/oY/wAFnfBwfJP+fX6T9YX+mZf7n81YnurtX/abx/oY/wAD3V2r/tN4/wBDH+Czvg4Pkn/Pr9J+sL/TMv8Ac/mrE91dq/7TeP8AQx/g15u2/wBvevXL86BO8o0zw9VEWsePZ4/XRz5/Gt+4Y7kPblcj8WqmrwlVXfLm9u9KflvApwPieFhWm96KbTPZOu5TR630iXsq3n/R4v8Ages9In9tvP8Ao8X/AAXMRTEHENm4ZTP6z0if228/6PF/wRz7WtfaCqy9t/T6nWJyYt3/AKE/Rem1E93m367udyPj9Xzz8j+iTiFTnpxf84OkMR7cXU/7eMCrsbW6T9ljqv1uv0U7O2LrGqYtU8TqFWNVaxKfnv18Ue3njnn5E3ej/oVtx6n6jM6k7zw9FszxNWm6HROTf4+Kq7VEUUz80VefmCs2Ib+7NHTXtD7g1exn9HMPdeFVNcRGo6bkV4eLPj4xXdqqpt1Rz5xMzHxwuV6O+jy6F9GfUX9O2ZY1vVLfEzqWv1e7bsz8cU1e8p/1aYSQtWbdi3Tbt0U27dMcU00xxER8UQCPXZV232i9C0u3T1p3NtrWLfq/e2cHFqqzaauPDv3qZotz8vvKvklIliI4ZAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAaj7UvXvTuzZ0a13e+dapyr+LRFrCw5nj3Tk1zxbo59kc+Mz8US24r59Mray56K7HvRRcr0m1uKirOmmJmIj1Vfd5+Tz/AKlatbRzmIWp36vcdnnsxV9btl4HUrr3k5m9NzbjsxnYui5WVdt6dpOLcjvWrVqxTVFMVd2YmZnx8fjiZnYHZx7Od/oR1d6pXdM924mxNU9wVaHp9/UK8i1Zmm1VOR3KKq6pp/bKuPHx4iPOIbq2Rq2m6hsXQ9R07JsXdKu4Fm7YyLdcTbm1NuJpqiry44dnomt6ZuTT6M/SdQxdTwa6qqKcnCv03rVVVNU01RFVMzEzFVMxPxTEx7F50mbMUaxF3YR5Qy488R8bUNPWzUp7Tv0q40rEu4X7H6tfr1K3fq9ZZpi7TaporomnjmqqZmJifKFbr8LvY9TNy6ltbRLWVplmm/fqvRRVTVRNfveJ8eIay+nNu/8A0dY/7LX/AIt9RPMuSRR96SfUt47n7SOg7gjRL9+7haZjVWZxsO5VRzRdrqiKvP2/K9Hi+lR7TVFuKaNnaVdimIiJ+gGTPH4q1zsxEkRwCmj6qn2nPuJ0r8gZX659VT7Tn3E6V+QMr9dcwApn+qp9pz7idK/IGV+ufVU+059xOlfkDK/XXMAKZ/qqfac+4nSvyBlfrn1VPtOfcTpX5Ayv11zACmf6qn2nPuJ0r8gZX659VT7Tn3E6V+QMr9dcwApn+qp9pz7idK/IGV+ufVU+059xOlfkDK/XXMAKZ/qqfac+4nSvyBlfrn1VPtOfcTpX5Ayv11zACmf6qn2nPuJ0r8gZX659VT7Tn3E6V+QMr9dcwApn+qp9pz7idK/IGV+ufVU+059xOlfkDK/XXMAKZ/qqfac+4nSvyBlfrn1VPtOfcTpX5Ayv11zACmf6qn2nPuJ0r8gZX659VT7Tn3E6V+QMr9dcwApn+qp9pz7idK/IGV+ufVU+059xOlfkDK/XXMAKZ/qqfac+4nSvyBlfrn1VPtOfcTpX5Ayv11zACmf6qn2nPuJ0r8gZX659VT7Tn3E6V+QMr9dcwApn+qp9pz7idK/IGV+ufVU+059xOlfkDK/XXMAKZLvpTu01etV0V7J0uKaqZiZ+gGV5T/7R5TZvpGO0DtTOycjS9padfvXaO5XFWi5FcRHPPlFa77P+wcj+Lq/NLSXZ/nncerfxEf2gVufVU+059xOlfkDK/XPqqfac+4nSvyBlfrrmAFM/1VPtOfcTpX5Ayv1z6qn2nPuJ0r8gZX665gBTP9VT7Tn3E6V+QMr9c+qp9pz7idK/IGV+uuYAUz/VU+059xOlfkDK/XPqqfac+4nSvyBlfrrmAFM/1VPtOfcTpX5Ayv1z6qn2nPuJ0r8gZX665gBTP9VT7Tn3E6V+QMr9dxuelO7TV+3Vbr2RpU01RxP/AIAyv/qLmmJjkROqh/ZfULdG89Tr3Fl6H9BNZxsqLtFvDxr1ERVTMVRX3a5qnz/B4JG09trrbTER9EK/D/8AFMfqpsdIqYr6m6jExzHcv+f8OG+vV0fax+Jz1WyZjEqxMLFmiKtbQ+t5Pp1gYGz8ts/NbOw8aMGnq0zXvtfu0VW/8Nvrb/pCv8kx+qf8Nvrb/pCv8kx+qtS9XR9rT+I9XR9rT+JPyXjf3mpm/TrZn/ZcD0fyVW/8Nvrb/pCv8kx+qf8ADb62/wCkK/yTH6q1L1dH2tP4j1dH2tP4j5Lxv7zUfp1sz/suB6P5Krf+G31t/wBIV/kmP1T/AIbfW3/SFf5Jj9Val6uj7Wn8R6uj7Wn8R8l4395qP062Z/2XA9H8lVv/AA2+tv8ApCv8kx+qf8Nvrb/pCr8Okx+qtS9XR9rT+JibVE/uY/EfJeN/eaj9Otmf9lwPR/JVfHbb628//nCr8kx+q8hub0lnaM2rqVWBp23sHWMemmKvdWRod+quZmOeOaKqY8PmW/8AqqI/cx+JmKIiOIjiHryuTxMvX168WauyXObd6S5Pa+WjAwNnYeBN4nrUb+7cpp+qpdpyP/0J0r8gZX/1D6qn2nPuJ0r8gZX665eI4ZbVwSmf6qn2nPuJ0r8gZX659VT7Tn3E6V+QMr9dcwApnj0qPacq89k6V+QMr9dA7qBubUd6b73HuDWLNONq2q6jkZ2ZZoomimi9duVV10xTPjERVVMcT4w/qImOX80nae+En1W/nXqn6XdBrMbE6X9njqT1oy6LGy9lazr9NU8Tk42JV7nt/wAO9MRRT+GqE2OkHoXt9bg9TmdQt06ftXEq4mrA02mczK4+KavC3T+CagV97a3brmy9Ttajt/WdQ0PULUxVRladlV492mY8piqiYmE+uyb23+1ruDLx9P0TbmT1d02iYt116niVRNMR7JzKe7ET8tc1fLEp29HfRp9CekXqMina37KtVtzE+79xXJyvGPbFrwtx/s8/LKUODp+LpmHZxMPHtYmLZpii3YsURRRRTHlFNMeER8kA89041rc24NrYmdu7blnamt3I5vaZZz6c2m3/AO0piIn8HPzvUsceLIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAMScMgNZb/7NHSvqrrFGq7u6f6Br+p0xEe7c3BoqvVRHlFVfHNUfJPMPZ7U2boWxdHtaVt3RsDQtMs/5PD07HosWqfmppiId0EaaI370V+2Di7m0zduyd0ZG3NU3t0q0ijKnceg6PkTTepqqiPV5VVmKqZv0W4ir3njxzM8NWdoXXtnX+zx0o0rYd/UdxbU3nvTDzMXGo9ZkX7lim9VkV49FFfvoimqimiKavre7xM+CVO8Oku5dZ3PrOq6D1Czdu4+sYtvFysCvTrOXbt9ymqmK7M18TRVMVTzz3o548HmNB7I23Nr5/SKdM1PNt6Z0692XMXCv003Jzb+RaqoqvXa/DiqJrrr8I45q9kKxH4kup7LWo6X1rvap1c1HFnH3Zdyr+i3NLuRETotOPcmiceYiffXJjiqq5PnFURHFPEJHRPMtV9Puhlvpr1T3turR9Zro0ndl63mZeg140ertZdNEUVX7dzvcx34jmqmaZ5njxhtSFji8P1on/7PdQ/h2v7cPl6FT/4ix983P+57DcW3sTc+lXdPze/OPcmmavV1d2fCeY8X57Z2xhbS0yMDA9Z6jvzc/bKu9PM+fj+AS7cAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABjll4vq31L+lPs7L3Hc25rO5sXEpqu5OPolNiq9ZtU0VV13aovXbVPdpinx4qmfGPDz4iZtFze9nzy0J0i/5UtQ/i8j+3D03Zv7Rm3+0/wBPf2ZbZ03V9L0qcq5iU0azZtW71VVHHemIt3Lkd3x48/ZPg9Ftjphh7Y3Ff1ezmXr167FcTbriO7HenmU2siJu9oAJAAAAAAAAAAAAAAAAAAHjN5dHtldQ9f0jWtz7W0vcGpaRTcpwL+pY1N/3NFc0zVNEVcxEz3KfHjnwezAfji4tnCsUWMe1RYs247tFu3TFNNMfFER5P2AAAAAHGa4jzlmKoq8p5ai7VPRzV+vfRHcOydD3DXtnUtRi33M6nvdyYpriqbdfd8e5VEcTx/X5Po7L3SPV+hnRTbuy9d3Dc3PqWm26qLmoV97ieapmKKO9492mJ7sc+yPZ5EcSdLNrAAMRVEzxyTPENN7b6w3dx9qTdWwcXNt3tM0HbuJl5GPTRTM28u7er55q45/yfq/e8+3yN82G5QAAAAAAAcZqiPOWYqifKWn+1b0Z1fr/ANENwbI0PcVe2NS1D1U0Z0d7uTFNyKpt193x7lURxPH9ceD7OzL0n1fod0U25svXNw3Nz6lplqqi7qNyauKuapqiinvePdpie7HPshHNE6WbU70cstM7j6wXcbtSbN6b4Gdbm1k6FqGq6nixTTVV72uzTjzM8c0/894Rxz7efBuYibxc42AEpAAAAAAAAAAAAAAAAAAHlupPTXbnVvZ+o7X3XpVjWdDz6O5fxb8TxPE8xVTMeNNUTETExxMS9SImL7zciptX0cXTLa80Yv0W3hqW3rdXeo27mbgv/Q+I5+tm3TNPej5JlJfQ9A0/a2jY2laPgY2mabi24tY+HiWqbVq1THlFNMeEQ7R1u4tOyNW0PUMLEzK9OysjHuWbWXRT3qrNdVMxFcR7ZiZifwE7rIiLIX9Mt3ahr/VXVNm9T95bx2P1Vq3Bey9Hxpzr9rSNS063e71u1i26Jixcpm1T3ZirmvxmfGeYjy24+uGFt7tg9XKrd65b1bVLui7C07Uqrd33PpnraKqrl67co47nF25xTTFVM1VRHjERNUSGzOz5u/fm5un2fv7dOkalhbMzadRxo0jTLmPkZmTRbmiiq7cru192PHvTTTHjPth1M9jq1qnSvq3tfWdbtZep751rK1u1qlrHmmcC7PdnFniapmqbU0UzzExz4+XKN1pn87iePa3p092XTsLamDo1OrarrtWPREXNQ1rOu5eTfr499VVXcqqnx+1jwj2Q9O810+03XdE2bpOn7l1DG1bWsXHos5OfiWqrVGRVTHHf7tUzMTPHMxzPjL0q8ojcAIWAAAAAAAAAAAAAAAAAAAAAAAAAAAAfPn/YOT/F1fmlpLs//wCcerfxEf2m8ci16+xct88d+maefnh4rYXTOjY+o5WVTnVZU36O53aqO7x48/GD3IAAAAAAAAAA8t1G6iYHTDbd7XNTwtVzsKzP7ZTpGn3c29RTxMzVNu3E1d2IjxnjiHnuhPaE2b2j9p5G5Nj5eTnaRYyqsKu9k4tzHn1tNNNVURFcRM8RVT4kam547pB/ynaj/Av/ANuG+2uNk9MMvau7MrV72ZZv2rtNyIt0UzFUd6qJ9rY4AAAAAAAAAAAAAAMVfIjrt3sA9E9E31re8c7Z+PuXcOrajf1O9ka5Puq3bu3blVyruWqveRETV4c0zMfGkWA+XTdMxNHw7eJg4tnCxbccUWMe3FuimPiimPCH1AAAAxMxHmy1B2r+jGr9f+h2v7I0PcNe2NR1H1c0Z0d7uTFNcVTbr7vvu5VEcTx/XHMTE6QmIvLb3ehlqrsydJdW6H9Fdt7M1zcNzc+paZaqouajX3uKuapqiinvTM92mJ7sc+yIbVWnSbKxN4uMTPDLFXkhJNUR5stNbZ6wXdz9qLd+w8TNt3tL0Db+Hk37FFFMzbzLt67zzVxz/k/V+954bkjwiDhc42ZAAAAAAYmYjzZad7WfRbWO0F0O13ZGhbiq2xqOoTaqozY73cqiiuKpt19333cqiOJ4/rjmETpCYi8tw96PjY78T7WruzT0o1boj0V21szW9wXNzalpdmq3d1K53vf81TVFNPemZ7tMT3Y59kQ6vX+r92z2pdpdNsHOtzZv6Bn6tqmLFFNVUTFyzRjzNXHNP/PeEcc+HPsTOk2UidLy3N5ssUxxHDIsAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAMMgMcE+Ahp6Rfr7uPZekbP6V7Dyq8HevUHNjAt5tmZi5iY3foorrpmPGmqqa4pifiivjxjlHG0b5TEN4b27WPSDp3rV3Sdw9RNC03U7X+VxJyouXLX8Omjmaf9bh6Lp51t2J1Xy8vH2duzS9zXMWzbyL/0MyIvRbouTVFE1TT4RzNFXh5+E+DyvS/oVsjs49Irml6bpeL6nDwq8jUtRybVNd/NuU0TNy7ermOapniZ8fCI8EW/Q/aHRl7G6m73jFoxv2Q7hmm3Tboimmm3biaopiI8IiJvVeEJpteY5QrPkxPOVg8MsRJyJZGOWQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAEfu3vvCdkdkjqVn03PVXb+l14FueeOZvzFrj8VcpAoH+mE3LXh9nbb+2sevjJ3FuLGx5ojzqt0UV1z/v+q/Gx1xeLRxXp33d32M+pHT3sydjLpjb31uzStr39Wxbuo00Z1+Kbl3116uuJiiOapju1UeMQlvszfGgdQ9v42ubZ1nD13R8mObObgXqbtqv4+Jj2/I0Z077DfSvQ+m2HpG5NrYe79WvadaxszVdft05WT723FMU2q6o/aaaY8KYt93iIhGf0TnuranUnrvsXDybuRtfRtXmnEprq5pium9dtd6PZzVRbp548+7DNVPWrqjzsERaiJj83WUjET4H4FWRkAAAAAAAAAAAAAAAAAAAAAAAAAEae3Ro29sPo1uXeezupOtbJyduaVfzPcOm2rE2cyaffe/qqom5TPETETTVERz5S7Tsda9uDqV2Q9l6lq24M+9uHVNKues1q5VF3JpuVVV0xd5riYqqp8JjvRMeEcxMO17a/wAE7qv/ADey/wC7l0Po9/HscdMf5Nn+8rRRrFdPd7UVadWe9GXD3v1g6X9vb6VdPUrXN94+qaNFeBVrUW6bGHXcjmq/dtWooor9VTRcqiIiO9Pdp8OeW8u1PsfdvSroVuPf+1+p277e8dAx41Gb+Xn+sw8qKao9Zbrw5j1NNMxNXEU0xx4eLWepxFXpgdN5iPDaPMT/AOzrSL7cPj2Suqf8h3/zQrXNsKKuP82SIviW7vwfX0m3rrHaS7Nm1tzYes5OztW17Trd+7naZatXa7FzyuRRF2mqnxmJ84nhBjshdIty3O2N1/2/pPVTc2i5ml3qaMjW6LOHk5eoftvnem/Zrp55nn3sR+JMH0eM89jPpl/J1X97W0d2MZ7vb/7UHP8A6xR/essfSzblPsYYmfB+dNDZeh6l0/2lftbj3jqG7btiq5kXNX1azj2blNvjnuzFi3bo7tMRPj3efHxlGToX1T3V22947s17D3Dqezukeg5s6bpuJol31GZrN2I5qv3ciI79uiI7vFFuY573jM8Nw9bd1TvnpL1u2vt+zlRr2jaJk4dUzTERcu3sGbtuLUxMzPhXEeMR4/jRR9FZsfL3R2Zpu6f1B3LtyuzrOVbv4OkxgTapq4omJn12Lcr5mJjzq4+KIUp1mZ5R+K06UxPOW0uo3Uzc/ZD66bAwNR3Jqe6elm98r6FTb12/7oytIzZmIoroyJjv126u9HNNczxxVMS8h6S3L6ldI9kT1G2r1c3Jo2Bc1LGxK9vYlNm3j26KqeJm3cooi7zM0zVPeqq+umI4jhuXrJ2QNB6s6Zo87/6m7z1DTtDz7eqY/ujI03Ht271HhE1V0YdM8ePHn7Wr/S6x/wCST8ka3h//ADo3RHevTF6vN625tjbN3D1m2bpu6N07p3JoVvVMS3k4GjaHqNWB7ksV0RNuq7ct8V3L1VMxVV3qu7Ez3Yp8OZ1v2KOtm8Nc6pdX+km89avbnytj6jFGBrOVTTGRfxq6q6YpuzTERVVT3affec8+KT3TuO7sDbUceEaZjf3VKEfY0n/7wLtQ/wAfa/valpm2LNMcpYo1w79zbmF1Sv8AWXtTb46ZZG683a2lbSxcWbWl6Xkxi5er3btM13Ls3o/bIt247kd23MTPe5mfY+vrdsbeuwMvp/n7G3tub6D17t0uxrWk5uZXnzfxLl+mmuab13vXaKfGO9T3u7NPPhDxvXvshdNO2LvzXtX0jXtV2f1E2rlUaVnarpdMUzVX6qi7RFyieJr4ouU8V01Uz5x48NJ6zpnaM9H7reibk1jf93qv0nvahYwdStajcuXcnFouVRT3oi5M1UzH7mqmuY54iYiJRTbS69V9bJOdurSN76f0X3JvTZ/UnW9lZO3dLu5c4Gm2rE2cyaZiqe/XVRNymeOYju1REfFLuOyTrG4+pvZC2RqGo7kz43Hqeld67rtzu38mLk11R6z9siqmqY4/dRMPs7at+jK7IPVG9bnmi5t7IqpmfimjmHwej/8AgedMP5Kj+3UU6xXTPZ7VZnyJjtQ12b0g3Hp/pON07cxeqe57WsfQH3Xc3Ncs4l/MuRXRaqm33Llmq1TRHPERTRHERHCf2ldLN4adszVtHyOre49R1XMu0XMfXcjA0+MjCpjjmiiinHi3VFXE89+iZ8Z4mEU9rz/977uz+atv+5sps4++8DK6g5uzqLWRGp4em2NVuXZpp9TNq7du26Yieee93rNXMcccTHjPsiPIpj88UzpXM934Qg50d6g9Z7Xbf1zpD1B6v6hXp+k2aNT0qizo+BajW7HNFfcrq9VzTE0TVFXcmJ5pq4mOEge2dkdRdN6e6dn9M98Xdq7oq1HH0/EwowsfItalcv3aLcUV+toqmnu0zXXzT7KauYn2aR9JJtvO6Y7p6X9obb1mr6IbQ1S3i6rFuP8ALYVyrwirj2eNdH/tfkb72/uHC67dZdvatpd6nN2rtbSbWq27sTzbu5+ba/afnm3j1VVfJ6+kjxqY7Pz+BOlUzze+6PbO3bsva8Yu8985W/dauVRcu59/BsYdFue7ETRbt2qY4p55n30zPy+x7xiIn42ViItoACQAAAAAAAAAAAAAAAAAGOI+I4iPYyAxxHxMgAAAAAAAAAAAAAAAAAAAAAAAAAAAADjMxE+bzW6up20Ni3KLe4t0aRody540W9QzbdmqqPkiqqJaO7e3aazOzZ0epyNv0UX96a/kRpui2qqe/FN2r667NPt7tPlHtqmn2MdAOxztHZGyLOpb/wBKwt/b+1SzGVrmubksUZ92u9VHNVu3N2J7lun62IjjwhW94mrhCJ0mI5t86Jv/AGzuXJtY+kbg0zVL96zN+3bwsu3dqqtxMRNcRTM+ETMRz8rv1bvovNtaXqvXXtCbx0jT7Gm6LRqlOmaZjYtEUWbNqq9euVUUUx4RERRa8I+NZFT5Qva0RPM4zHJkBCQAAAAAAAGm+2FvKNg9mTqTrU1+rrs6LftW5549/cp9XT+HmuGlvRxZGgdHuxRs7P3Jq+n6Ba1a/lZ9V/UciixTXNd2qKeJqmOZ7lND4/S6by/Y72TMrSbdcxf17VcTDimPOaKapvVf12qY/C7fpn6PXp9q3SPbuD1Js5u9dZt6RZxqa8/Krt2tNp7kfteLaomKbfdmfruJqqnmZmfKIp3VT3FVvFjvSz0jWcDcGnWM/TM7H1HBvU961k4t2m5brj44qpmYl90K2vRZZWqbD6xdcuk9GoZGobZ29n1ThRfrmqLVVF+5amafZHfpimZ485pWSx5QtMWtMcUaxMxPBkYmSKuUJZAAAAAAAAAAAAAAAAABirniePNGft2aRvfA6Mbk3ps7qVreysnbumXcv3Bp1qxNnMmmYqma6qqJuUz3eYju1RHySkxDR/be+CV1V/kDJ/ssWJNqbwtTF5iHw9kLXNf6l9kTZeoaruDPubh1XR6/Wa3cqi9k0XapriLsTXExVVT4THeiY8I5iY8EWtO3v1g6Z9va70pp6la5vuzqejRXgV61TbpsYddymKq7921aimir1dNFyYiIjvTNNPhzMpO+j++B50w/kqP7dbRGRET6YKx8m0P/AMnL01R89bv/AAlipm+FP54w2R2qtk7t6S9Ctw9QNq9TN3Ubv2/Zp1Cq9m6h63Dy6aao9ZbrxOPU00zEzx3aY48Gz+lu8dW7SHZt2tuTB1rK2dquv6dayLmbplq1duWK/K5FEXaaqeOYnzieHXduj4I/VL+Rbv54dZ6Pif8AyNul/wDJc/3tbBE360crLzp1Z70Oux50i3Ld7XXaC0HSOqm5tEy9LyooyNat2cPJy9Q/bavG9N+zcp558fexT+JZBs/RtQ6e7Qv29ybwz92XMabmTd1fVrOPZuU24jniYsW7dEU0xE+Pd5+OUL+xT4dvLtR/f1P99Ukl123XO+ejnXPbG37OVGu6NoeVhVzNMRFy9ewJvURamJmZ97cpjxiPH8a1U9XDirshMR1sSY7WouhPVDdfbb3buzcWLuHVNn9JNDzqtM0vC0S97nzNYuUxzVfu5ER37dERNPFFEx9dxMzx4/t1A6mbo7I/XnYGl6luTU91dLd85P0KinXb3ujK0jOmqmKKqciY79durvR72uZ48ZiWsvRYbGzN09mGm9p/UHc23KrOr5Vu/gaVGBNqmv3sxP7di3K+ZiY86uPkSC6wdj/Qeq+Fole/upm8tRwNA1G3quNGRf03Ht271HhTNVVGHTPE88ccx5/GtVT1Koju86kTeJ87S3pLc3qT0h2ZT1E2t1c3JpGn3tUxsOvb2LTZtWLVuqjiZt3KKIuczNEzPeqq+unjiOEgdmbL3D1k2hgbn3Turcmg06pi0ZGDo2hajVgRhWaqYm3N25b4ru3piYqq7092JniKfCZnSfpeo47KFmPP/wAO4cePzVpi7FiKdj7fiI4j6H48R/R0qR5FXZPsWnfT3e1F3sR9bd37i6k9YOk+89au7lzNi6nTawdayqaacjIxq67lNNN3uxEVVU9yn33nPe8fJ3un9Ub/AFp7Ue++muRuvN2tpO0cbFi1pWl5PuXL1a7dpmu5dm9HFyLdETTT3bcx58zLUfYq+Hv2p/vy1/e3Hs+vPY/6a9sbfeva3ou4NU2d1C2vl06Tn6ppcRT3rkWqLtHrKJmJq4puU8V01Uz5x48ETeKZ7CYtNUPZ9atj712BqfTrO2Rvbcv0Eubu0zH1vSM3Lrz5vYtd6Ka5i9d712mnxjvU97uzT7I48fz7d+l7403ovuTe+zupet7LyNvaZXk/Q/TrVibOXNNUTM111UTcpnu8xHdqiI+KUZ9V0/tFej+3DoO4Nb3/AHOq/SbJ1Cxp+o29QuXLuTi0XK4piqIuTNVMx7JprmOfCYjmEu+25eoyex/1Qu0TzRXoF6qmfkmIlXE0omY5+5NMePES/Hso6vuPqb2RNkZ+fuTPo3HqmkRVc12vuX8mm5NVX7Z+2RVTVP8ACiY+RDDYfSDcmD6TLeG3MTqpuazq8aF7rubmuWcS/m3e/Taqm33blmq1TRHMREU0RxEREcJndgb4H/S7+SKP7VTQWzY/+953p/Naj+6sM9URGNp2/gxRPzU/njCVumdK94YGzNV0e/1b3HqGq5d2i5j69fwNPjJw6aeOaKKKceLVUVcTz3qJnx8JhErot1C6z09tvcPSLqF1e1CvB0e1RqWl2rGj4NqNbsc019yur1XNMTRMxPcmJ5pq4mOE4sffen5XUDUNn0WsiNTwtNsapduVU0+pm1euXbdMRPPPe5s18xxxxMeM+yFvpIdvZvSnefS7tEbfs1e7tp6nRh6vFuP8rh3KvCKuPZ43KP8A2kfExxPjRPD8wyWvTMRvbu7Z17qNpuwtKzume+Lu1dz3NTxtOxcH3Fj5FrUa792mju1etoqmnuU9+vmn2U1cxPs2d0g2fuzZe16cTeW+MrfmtXKouXdQv4NjEooniImi3btUxEU88z76ap8fP2PA6BuDC659aNE1fTL1ObtXauk2tQtXaZ5t3dQzbXNv5Jm3jTz8nuiG+I8kxExvVvezIAsAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAxPkrL9IpqNfSntodCOp2uWL1ez8Cq3bvZNFE1U2qrd+arkfP3blNUR7eJ48lmroN67D251G0O5o26dC07cOlXJiasPU8ai/amY8p7tUTETHx+cK2tVFUcDfExPFEjtb9t7p7f7PG98TYWu2t7apm6Pcs3K9Dq9da0+1ej1frci7Hvbf1/EUzPfmZiIj4vV+jH23jbZ7G+x6LVdqvJzab+fkxbriqaarl6uaYq48p7kUeDdumdA+m2jbQyNq4ewdtWNs5FcXL+kfQqxONfriYmKrluaeK5iYieaomfCHdbN6dbV6cYN3D2ptrR9sYd6v1lzH0bAtYluurjjvTTbppiZ4jzTE263aidbdjsdU3Lo+hV2qNS1XC0+u79ZTlZFFqa/miqY5aO6+9UNz7X6x9EtubW1imzY3VrF23qONOPavUXcGzam7dqpqmmaqap5opiYn2tPdb9Ov8ARTq7vfqXvnZun9Tukm4rWNiZWo0xbyc3blNHNquiLNyJ5szVMzV3JiYnz8nnO0Bu7XNr9ovQp6abc/ZHV096bZWo4Niq7+1Y1N3iii7Vz41zFu372iPGqeI8I5mI32lMxpKe+m7g0zVsnJxsLUsTMyMaru37WPfprrtTzxxVETzTPMT5/E7FqXs06ftTJ6U6Luja8+7I3NYo1bM1a/FM5WbkXaYmuu9VERzVE8092OIp7vdiIiOG2Y8l5i02VibwyAhYAAAAAAAAAAAAAAAAAAAAAAAAAAABiVcnpGNTwdzdrbs57M1XMsYWj2dQo1PLu5dyLdmKZyKI4qqq4jxi1VHn7Y+NY48xvjpltHqXgRhbs2xo+5cSnxps6tg28mmifjp79M92fHzjxR9aJ5J4THNqTtKdq/a/RnYWVGlaljbj3tqNurG0LQNLu05OTl5FUcUTFFHM92JmJmePk85h5j0evZq1Ps+9IszL3TREb23VmTq2q0881WJqj3lmZ58Zp5qmflrn4m6Ni9n7pr0yzas3amxNvaBnVRxOXg6dat3+Pi9ZFPe4+Tnh76PeEaX7VZi9o4Q+DVdx6ToEW/olqeHp03Z4t+68ii135+TvTHLRnaX6pbl2funo/puz9box7u6tx2tPyLPue1ft3sOKJuXa4maZmJimI4mmY85ar7QOl6j0j6y7p6vbl2hgdU+lGpabj4GfRV6u/mbbos96i9XatXImmq3VVM1VxTMVcx4+TyvXLcWbpfXPozgdKNtRui3s7YeduDSdOrudyzRbrsRYxq7kz4zEUU1cUx76qqYjw5mYiJvaqeaZ4x2J44O4NM1HOyMLF1HEyszH/wAtjWb9Ndy148e+pieY/C7JpPsn/sX3F0k0jfGhTOdqG6bVOo6pq+TTTOVk5U+9uU3KoiOIoqpmiKI8KYpiIhuxa1tJVib6gAsAAAAAAAAAAAAAAAAAAAAAA0V2qenXU7q/sbWdk7Mytq6domuadcws7M1ucmcm3Nc8T6qm3TNPHd9tXtl03Zb6T9WehXSixsbWszZ+q4mjadXZ0fLwZyqbly/3qqqIyIqpiIo8fGaPH5EjhEaXtxJ1t2INZHZZ6/5Hajs9cZ1vp3TrdrA+htOkx7u9zTZ7k0/Xdzvc8zM8tvdpDpt1g6y9LcjZWi5Wy9Msa3pFOJrOXmVZdVdrIq/yvuaKaOJt/FNfvvjhIcJiJp6s7k3m/W4o69kTpJ1R6EbE0bYe683aeqba0fErs4uZpE5MZldc3O9TFdNymKO7EVVRzHj5fK8rf7PG+Oj/AGpdy9W+nmFpu59J3di02da29m5s4N63fp47t61dmiumY5piZiYjzlLQTOs9ZWItFmuekWxdU29i7h1fcvuWrce5dQnUM6ziVzcs49MW6LVqxTVMRNcUW7dMTVMRzM1TxHLTe3ezXu/s29Sdx7l6O1abqu0ty34y9U2Pq2RVi02cjx/bsTIimuKOe9PNFVPHER4+EcSqEcbltLNI6htPfnWjL0/G3tpWnbQ2fh5NrLv6Nh585+Tqdy3VFdui7di3RRbsxVFNU0096a+7ETMRzE607anZx6t9qTb1/Zml6rs7RNnU5lnMsZGV7qqz65oo8YrimiaIjvzVxxz4cJchZMaNNbF0vrTt/ppe0vU52Lk7kwbGNjaXex68ynFu00RFNyrIiae9TMxHMRRzHLQXR3ss9eekfXTfPUu3rfT/AFPM3ldpr1HBu+7aLdmIud79qqijnmImY8U4hP1utxRbxerwRa2r0P6n9OOvnVPqXoufpep6bubLxZo2rk3qrNOTbtY9NHrovxTV6q7FXeiImmYmnnmY5iY7vqP04312j7Wkbd3boen7N2RjahY1DUrFGo+7szU/U1xXRjx3KKaLVuaojvVd6apiOIiOeUihFt0ck8Znm0L2qOmnU3q9sLV9jbLytqaZoOtadVhZuXrM5M5Nqap4n1VNumaOO7xHvvHnl+PZG6U9Suh3T3TNjbwzdsaloejYkY+BmaN7ojJrnvzP7bTcpinjifOnxSAExpftRMXt2IrdVuzju7Se1HofXbp1Tp+ralTgVaXrW3tSyZxYzLPHFNdq93aoprjw8Ko497Hytt9Ltn6/TurcO993Y2Jp+vaxax8KzpmFkTkW8HDsd+qi3N3u09+uqu7drqmKYj30RHPHM7Oat7TXS/WusnQ7dW0Nva1c0DWtSxu5jZtu5Vb4qiqKu7VVT4xTVx3Z49kyrPiwm151ft2k9uaBuzoLv3StzV029Dv6Pk+6LsxzNuKbc1U1x/1qaoiY+WIeS7EnRX6RXZ02noOR3qtXyMajP1Gu5z3vX3KYnuTz9pT3KP8AUec6cdJt76v022T063Vp+Zgba0CjHnVs/VtSs5eXrVVmqK6LNMWqqopszXEd6a5iqaaYp7vjMxJqmmKaYiI4iPLhaI6szbirvtdyAFgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFavpaMm7tvqd0B3PqNu5XtfTNUu15dcUzNNFUXcevx+WaKKpj+DKUvXHtb9Oti9HtZ1zA3Tga3m5WlX72mYOk36cq/fn1VU01xRRMzFFPhNVdXEUx5z5Ns9Sulm1esG18jbu8dDxNf0a/MVVYuXRzEVR5VUz501R8dMxLXmzexb0Z2DtjWtA0bYem4+n61ZnG1Cqqa67+RamYmbc3pq78UcxHvYmIUt4k0/nVN/Gipo/0Re050bst163epn3RuDWcnMm5MeNdNMxaifx0VJvc8Q8D0p6FbI6I4GXg7I0OnQcHJmmbmNayb1y3zTzxNNNyuqKfGqee7xz7eeIR17RG+87YXaC909Ss/dui9G8nSLOPpms7YzsnFxcPUJuVetnNqx6qbkcx3Ypqq5oiOPDxnjJVVeqFIiYiZluXtHdbdW6K2Nl3NK0vD1m7uHX8XQYxci7Xbr71+riK6JpiYnuxFUzEtwUVTMRMoG9pnemndO9+9m/ScrUdV31haDb1DdFV61FWXmanOPjcY1UTHPemaq6p70zxEUzMykX2aseN4bYt9T724dQ1fI3jZt6jbw41HIuafp1qqmJpx7FiuuaKZp44qq7sTNXe8KY97Fad09/59pOkw3WAlYAAAAABXX6T/ACLe9+s/Z76bVV0za1HWZzMqiuqIjuestW45+eJufiTA7QfXjbfZ36aaluPXc21bvW7NVGn4EVR67OyOJ9Xat0+czNXEfJHMy7Hqv2f+nvW+zj0b22np2vXMaOMfKv2+7kWPHni3dp4rpjnx4ieHmNl9jnpFsPXcfW8DaFjM1bGn/i2Zq9+7n14/xTb9dVVFEx7JpiJhW09Xq9pPlRU056NfoLr/AE42JubqBvPFrwt37/zvonfxb1PduY9jmuq3TVE+VVU3K6pjzjmmJ8YTL5975lNMU08ISdT965W3O0JuvSur+vbx2dtHWfc+LszcGhalk4mlWKqqOKqb1ViumIvTcmZ5u8xxHsjztM3qiIREb5lvjrB1s1bpv1U6WbUwdLw9Ttb01K7g1zcvVUXsai1bm7duxERMVRFPHhPHjLcdM+HigF2kuruH0k7T+yM7UqNQ3TV092Nm6jRRZtVXLt/IvzRZm9dmInuU9y3NVVc+Uc+c8RMsehW050fatGu3ty6hunN3Hxqt3KyNQv38SiLsd+m3i2rldUWrNMVcUxHjx5yindfv/FEzq2cAlYAAAAAAAAAAAAAAABifLwaI7VfTfqf1j2JrOydm5e1dN0PW9Prw87M1qcmcq3NVXvvVU26Zp47vhzV48zLfArMdbemJtqjp2XulPVrob0ns7G1rM2fquNoum12NFy8KrKpruXuapojJiqmIijx8Zo8fkalr7LXX+vtSUdcZ1vp39G6cD6GxpP8Ax73N6nud367ud7n28pyi971dad6sRaLI7dpTpn1g6z9LcrZOi5Wy9Lxdb0mjF1jLzKsuu5byJnm7GPFNHE2/COJr998cOXZG6T9UOhmw9F2Ju3N2pqm29GwqrGJm6POTGZXX6yaoi5Tcpiju8VVRzHj4QkOKxpftTOsRHJEqvs8756NdqPdHVnp3habujRt4Y0W9Z2/nZ04N61kU8cXrV2aK6ZiZjmYmInxlu7pJsXVNuYm4dV3L7lr3JuXPq1HPtYlU3LFiPV0WrViiqYia4ot26ImqYjvT3p4jnhscIjS3m8xxuirtjs3bw7NXUbce4ujs6bq2z9yZHuzU9j6vkVYkWMnx/bcTIimuKeefGiqnjiI8fLj3mbtHffWbN06zvfS9O2ltDByrWbe0XDz5z8nU7tuqK7dN67FFFFuzFUU1TRTFU1TTETMRzE7uEk66oidtXs29W+1LoF3Zumars3RNoW82zm49/J91VZ1c0UeVyIomiI71VXl7OG19l6b1q0Lptf03U52Lk7mw7WPj6Zex7mZTiXaKYimuq/zT3qauI5iKOY5bkERFomCdbTyQe6Mdljrx0f64b76kW9b6f6nlb0v03NSwrsZtFFmIuTV+1TFHPhFUx775HvNodEOqHTTrt1T6kaNnaXqum7nzseqjauReqs05Fq3Ypp9dF+KavVXYq70RTNMxNPPMxzExKULWtbhoTrftR26i9Nt89o/6DaDu7Q9P2ZsjD1HH1LUcajUfd2Zqc2a4rosR3KKaLVuaoiaqu9VVMRxERzy+ztV9Mep3WLYOr7G2XlbU0zQNa0+cPNy9ZnJnKtzNXvvVU26Zp47sRHj48zLfoiaYnRMTabtBdkfpZ1K6JdPtL2NvHN2xqeiaLhxj6fmaL7ojJuT3pn9tpuUxTxxPnT48vJdUOznu/RO1Lo/XXp1Rp+r586fOl63t3UcmcX3XZ44prtXu7VFNUcU+Exx72PHxSqF5mZnrcVYi0Waw6X7P1+ndG4t7bux8TA1/WaMfEtabhZE5FvBw7Hfm3bm7NNPfrmu7drqqimI99ERzxzLtM7b0DdvQHf2l7mqi3ot7SMib92Y5m33aJqprpj7amqKZj5Yh+Paf6W631m6H7q2jtzW7mga1qONFONmW7lVuO9TVFXcqqp8Ypq47s8eyfa13056U731rp3snp5uvT8zT9s7fox6tVzdW1K1l5et12Ziu3aj1VVUU2ZrimaprmKpppinu+MyxzEVRNKb9WYmHo+xV0WnoV2dNp7eyO9Vq17GoztRrr573r7lNMzTP8CmKaI+SiG9nGimKKYiPKHJkmbzdWmLRYAQsAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAwxNMTHtcgGkdY7JW1twadnaLqWv7pzdpZubcz8jbN3U4nBu3K7s3qqZnuetmibkzV3PWd35Hr9A6J7c271L3VvnGjKu6xuPCxdPyrV6umce1Yx6JpootURTHdie9MzzM8z8T34i3Aa+6NdFNG6GaBmaFt3P1O7ol7Lu5ljAz7tu5bwpuV1V10WZiimqKOavCmqauOPD287BBIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAMTHejhkBpbX+yptvcuHrGlZu4t1VbW1jKu5eftujU4jCv13bk3LtMz3PWxRXVMzNFNyInmfB6bQehe2dudUMzfeFTk0avkaRj6HTYm5T7mx8SzMzRRbo7vNPjPjzMthsccosiYu150g6H6H0RxtZwdt5moxpGpZ93UY0vKu268fDu3apquRY4oiqmmZnnuzVVEezjx52ICUgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADE0xLIDHdhkAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAY4aG6g9D9/730HeW16uoGn07U3LdvxcoytFqvZmJj3fCuzauevijiI57szRPHPt4b6YmPkRYaK2n2Y8TafWDRd3WtUjK0bRNo0bV0/Sb1iZrt0xXE13arve4q70Rx3e7Hzu07O/RDUegmBuHb9nXbOqbTydVyNR0fA9y1W7umWr1ffnHm535iuimZnie7TPi3DwRHCfz7UWZAEgAAAAAMMgDhXEz5I5777Nu9up+yc7Yu5OoOFnbQzc6ci/VGjTGo1WPX+uizF6b00Rx4UxXFvmIiEj2JVsNJbe7NmHp/VnqLu7Vc+3q2nbq0fC0KxpM480+48Sxbrpromuap7/fmvnyjjj2u37OHSTWehvTrH2ZqO4rW5NP027XRpV+MWqzds4s1TNuzcma6ormiJimKo48I8m1hZWzIAsAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAxxyRTEMgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAxycgyMcnMAyAAAADHIMgAAAAxyDIAAxycgyAAAAAAAAAADHIMjHLIAAAAAAAAAAAMcgyAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAxMcssSDXXVnaW/dx2ce7snqBb2TXj27k3aLui2dQpyKvCaeZrqiaIjifLnnlCPsVdcu0D2qtx7/0zUeqeBtynat6zY9ZjbZxciciquq9Tz77u92I9V8vmsay/sa9/An8ytD0P/8Ayg9oD+UcT+9zE0RE1TE8irSi8c4Sp3TsXtHbX0q/qO2eqe394ahYomujSNf2zRiWciY/cetsXIqpmfZPk+fsd9s3Se1JgavpmXplW2d96DVNvVdDuV9+KOKu5NduqeJmnvRxMTHMT4T5xKQ+t6thaBpWVqOpZVnBwMW3VdvZORcii3boiOZqqqnwiFXXo1dmavv7tbdT+r2nY1/F2Pdu51nGy66JoozK72RFVNNPPnxTT3p+KeI9qtM3qmJ3WRVpTfitUEUOqXbqy+kfVnb2zdxdKtc0fT9c1OcDE3FqOdj28S5bprimq/T3JrnuxExVxV3Z4nxiHLfvbzw+nG9tg6drOxtTx9u71y4xdK1arIiMiuma6Kab1WL3OabdU10zHNcV8Tz3PYmNbdqZ0StGuesHXbbXRXS9Pva1XkZmp6rfjF0rRNOteuzdRvzx+12bfMczHMczMxEe2Yeb1TrN1E27oteu6r0gyp0e3R629Z0zWrOXqVm35zVON3KaapiPGaaLlU/FEouNwapjXszTsqxj5VWFkXbVVFvJopiqq1VMcRXET4TMT48Sgrsze/VbYfpDdF6Vbj6l5u8tr5eg3tUi1kYVjG5mbd3uxVFunxmmq3zzEx7Ex+mnU/bnWDZ+BufamqWdW0bMpn1d614TTVE8VUV0+dNVM8xNM+MSgt1g3vp/T70rm19W1GjJv0U7OmxZxcOzN2/kXq/dFNu1bojzqqqmIj2e2ZiOZI+kiO/8ETrTKxSPLhyaQ3R1v6gbL0G9uPVOkOZd2/j0TfyaNN1mzk6lYsxHNVdWNFEU1TTHjNNF2qfCeOXv+mHVXbfWTZen7q2lqlnVdHzaOaLtvwqoq/dUV0z4010z4TTPjBBd7Bhpi12hcneO6tf0Hpxt3G3le0C/7l1LMyNYt4ONZvxHjapnu3LlVUeUz3Ip5iY73MS/Dp52o9N3L1Qyume6tDyti9QbNn3TZ0rOvUXrWfZ4mZuYt+niLtMRE8xMU1RxPh4SmNUzpve06w7S3LvDak4u1t6ZOxtStVze934uHayZrpiiqPVzTcjiI5mJ5jx96jt6NTq3vfq7033nl773Bd3Hqmm7hvYFvJu26KO7booo8IimIjjnmfwpd5/jg5H8XV+aVb/oz+p97b20+oe3dA29mbq3Jf3VlZNWJj102LGLZ4piLmRfq97bpqmKopiIqqq7s8UzxKKd893tRV5MT2+yVlEOl3nrGbt/aes6npun16tn4WHeyMfAtzxVk3KaJqptx8tUxEfhac3B2prvSvcukab1X2jc2Pp2r3oxcLcWNqFOfpfrp+ttXbvct1Wap9neo7vh9c2F1X6h6r0+2jOs6Hs3Vd+ZHe8dP0W7ZoudzuzV6zm7XTE0+ERxTzPjHESidy0b7NQdh3tG9QO0dtDcmpb+2PGzcvTdQ9y4027F6zbyaOJmYim7M1d6iYiJmJ4mZ8o4mGne03vfrR0R7R/RnAp6o3NU2nvPdNjDu6Vb0qxjTYse6rMVWZrjvTXTNF3u97mJ8JSF7Inamxu1jsvXdw4u2sna9Gl6rXpc4uXk03rlVVNu3XNU8Ux3fr+OPHy82gvSK/CD7KH887X6TiLbsSiOdvwV+rV500d/6/qG19i67rGk6Xc1zU8HCu5ONptqffZNymiZptx88xENJdh3tD787RfTzWNa37sunZ+oYeoVYtj1Vi9YtZNHdieaaLszVE0zPdmeZiZ8uPGG0esHUXWOme1I1bRtj6xvy/TM+swNGuWaLtuiKZma59bXTzHhxxT3p5nyeJ7JXaixe1X021Pd+FtzI27awtTu6bGFfyab9yuaLduvvcxTTEc+s448fLzRG+pHCLtnb26g6XsKdCjU4v1VazqljSMamxTFU+vuzMUzVzMcUxxPMxzPyS9NTCtbtW9orqDn9qroboGT021vRtBw9cp1PD027kYlWbrV6iYo95EXvV0RT3piIrrjmauZ44hOHp51V3FvXU8nF1XpfufZdmzYm7Rl61dwa7d6qJiPV0+oyLlXe8efGIjw80xrT1lpi02bKES96ekGwen/AFB0fY+udI9/YW6dZrpo03T5sYVU5feq7tPq66cmaJ8fl8PbwkJru+tQ0XpzVuenaWsahn04lvKq25iepqz4mqImq1HNyLc108zzEVzE92eJnw5i+nWONnsBoTs5drPG7S3ey9C6f7u0XQaYuR9G9axrNnFquUTxNumYuzVVVzzHNNMxE0zEzEt9exYZH5Xr1Ni3Xcrqpoopiaqqqp4iIjzlpHQu0rldTtV1PH6W7Qu710rTb9WLkbhys+nT9NuXqfCq3YuzRcqvTTPnNNHd/wCtKt9bDeU+TXXaF6t2ehPRjdm+7+P7r+g2FVft48zxF27MxRbomfZE11UxPyS6Ha3aPwsrqHZ2BvLQ8nYm8sq1N/AxM6/RexdTtxPvpxcinim5Me2iYprjjnu8eLSfpON96vidm3fe3LeyNbzNLv4eLXc3NZrxvcOPPum3PdrpqvRe58Ij3tuY5qjx8+KVzpotTaarS8hrOwu0D1C7MW2eo20N16tqfVjcV7F1irFo1irCwMHBuxNymzYx+/TZq4ibfM3YqmYmrx8k6dpRq0bY0n6Pep+jfuW17u9zf5L1/cj1nd/6ve54R77InVvX9c6V9MNCvdLt0aXpUbewbVO5Mq7gzhVU0YtHduRTRkVXe7XxHH7Xz76OYjx4kxT5M1UdWZiGKmbxEy5Dp9363mbc21qGpafo2XuHMxrc12tLwKrdN/Jq+1om5VTRE/wqohE/Y3pGcfdPVjX+nep9Ltx6BurTbMeo0iu9bv5mZkTVTEWoopjuUR3aprm5Vc7kUxzM8eKsazZfhdMgR06g9qLdnRrSaNxb/wCk+dpezqa6Yy9X0bVrWpXMCmqYiK8ixFFE008zETNFVfHLd+zt56Nv/bOn7h29qWPq2jahapvY2ZjV96i5RP8A3+yY84nmJ8jtRd3g0tvjtM6fo3Uyz032louTvrfk2fdGVpuDeos2NOteHFzLv1cxaieY4iIqqnmPe+L4au09c2d1G0HZvUvateyMvcNU2tH1Wzn052m5d6P+Ym93LdVu7PPhTVRETzHEkapb3Ebe1T2vdU7MGn3tVv8ASzX9zbesU2/Wa7i5WPaw6K654iiZmqq5HjxHM0RHMx4y6Pql28bHTvpXHULE2Pl65tnHnFs52ZTn02aaMm9FM1WLPvKpvVW+9xVVMUU8xMd7nmIjhcSuGndV7S+h2tt7FzdI07O1zWd72qb2iaHZppt5F2mbfrKq7k1TFNuiimY71Uz4cxxEzMQ+PqH1z3r0m2Tq+7NydM4ytI03GrybtG3tapzciiKY59/brs2uKfjmia+I5niYgmbbyNdzYHVvdeq7G6abm3BoWjXNw6xpun3srE0u1z3sm5TRM00Rx4+Mx5R4/F4tT9ijr3vftDdKr+49+bQp2hqtvOuY1u3asXbNrJtxETFyii7M1RxMzTPMzEzTPHxPR74696ttrpBoO+9G6ea1vGjUsC3qN7TtIv2IuYdqqxF2Zrm5VT3ojnj3lNUzMeT8Oyf2kcbtTdLZ3rh6Fd29Y93XsKnEv5EX6/2vu++mqKaeOefLj2eaYi01KzOkS3UNR1dc83c289d23sLbUbqv6BejF1XUcrPjBwcbImmKvURc7lyuu5FM0zMU0TEd6OZ58HU5/aM1nbHVXY+wtzbCytL1HdV/It4+pYmfRlafTTas1XKuLncprmrwiO5VRR588zwhPNsvqR1A0zpbsfV91azTfq0zS7Pr71ONTFVyaeYjimJmImeZjzmHpKJiumJjymOVc/pSOvO+tL2NjbPw9jano+1dS1e1jZW4cu/Y7uf6u536bViii5VVFNXcirvVxT4Rxx4yl/sXrLujc+4MPTM/o/vDbGHeie/quqXtOqx7PETMd6LWVXX48ceFM+aKfGi5VpMQ24Ndda+u21ege041zdGXXRTeu042FgYtHrcrOv1TxTas248a6p/FHnMw8NuTtE752Ns6veO4+kObh7WsW/dGb7j1i1k6lhWPOq7cxYoinimPGqKLtUxET58Julv4ay1Lrbb1DpRgb72HoGd1JwtQoou4mJod2zRdu26ueaub1dFMd2Y4mOe9E+HHLT3Qrt643XHD3Baw9g6tgbl07U50rH27OTbuZV+5TTM3a7nMU02aLcxxVVVMxEzEeMzETPGyL8UrhHTdfazz+ku/dpbf6n7Inamn7pyfcWm69gatTqGLTkeHFu/+126rcz3o4mIqjz8eImUiKrkU0d6Z4jjnk4XTxs5iPuD2r56h7z1nbnSjaN/qF9BLnqNS1uc6jB0qzd/6KnIqprm5XHtiiiYj43fbM7R2HqvU+em26dKp2lvqvFqzcbTZ1CzmUZVmn66q3XRMTzEePdropmYiZjmInhGqJmzcg1B1Z7SWidM916Ls3C0/L3bv7WuasHbekzR671cc83r1dUxTZtRxPNdXxTxEvP7r7UOo9ItU0SOqeyatoaBq+RTh2dw4GqU6hh41+r62jJn1duq13vKKoiqnz8YRE3Tub/H52r1N63TcoqiuiqO9TVE8xMfG5pGQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAGJ8mWJB+GX9jXv4E/mVMejB6c4nUXqh1xs5mtbj0i3i5mPVTG39cytNm5NV7Kj3/qK6e/x3fDvc8czx5yss6rdcNmdIcezRurVq9PvZlq5VjWreJfyKrvdjxiIt0VePjHnwrO9Gd1X0Hov1J6uZ2941LbeFr92xewMjL0vJmi5FF2/VVE923PE8XafP5U0eVPcVX8HpzhYHqXY86f7kpot7mvbn3hh0TFXuHce58/OxpmPLm3cvTTPzTDb23tt6VtPSMbSdF03E0jTMajuWMPBs02bNqn4qaKYiIj5n0aVqeNrOnYudh3IvYmTapvWbkRMd6iqImmeJ8Y5iY831oRvV9+lM0WxuPePZ80vJp72Nm7n9z3aftqKqrUVR+GJmE7szbOk6nOBXm6Xh5leBVFzEryLFNyrHriOIqtzMe9n5Y4V0+kN6zbZ3Z1W6OWNCu52s3No7nqyNb9xadkV04dNFy3TVzPc4qnmmr63nyT56b9XNq9W9Nyc7ampzqmNjXItXpqx7tiaK5jmImLlNM+XxQimZ6nn9yavKju9soPaFue/1O9Lrn4GqzN7C2Xo121pdi5PNNmuqxbmuumPZMzeq8fkj4lh9fFVMxMeHHtQf67dKtY6E9sLQe0ZoekZmu7WzMarTt2Ymm2ar2Ti0Tbi3TlU26Y5roiItzVx4xFufj8JAbg7W/SjR9pVa3j710jWZqt842maVlUZOfk3Jj3tq3j0TNya5nw7s0xxPnwr/AFcRyv6Sda5mONkUewXubI2l20u0R00xKpjbVOoX9TxsaJ95j3aciaKu7HlHei5HP8Cl2G+bNF30wWw+/RTX3dpV1R3o54n1eX4vcdgvs97j2jr/AFA6w7706rR9279za8m1pN/wvYGLNyq5FFyPZXVM0zMeyKKfbzDw/V3A3DoPpMNL6g4e29Q1vbm2dp2qtWu4Fqbldm1eryLXeopiObk09/vzRTzPdpqmI8F6NKqL8I9iJ1iu353J/wBy3TctVUVRFVNUcTE+2Fcvo8NbyNodrPtF9NMOuqNs42r5WbiYsT7zHqoyq7fFMeUc01UxP8CPiS93l2qumm2Nm3Ncxd06duG9Xbn3FpWi5NOXnZt3j3tm1Yoma5rmeI448Pbw0J2NuzVvTZW1eqnUfcdmNG6mdRa8rMx8O7PFWm03JruW6bnxV+suczHs7sR58qxpVNXCybRNMU8bw6rY2pdF+zP2hN+4vTPG3X1M6mblvVXdT0HRe7kWdP5uTXVFV2Yot2o79Xj36qpjy8Gvu0Purdmtdu3sz6puDZF3YebXl3Me1bualYy71+1NymKormzMxTxFdUcczz3pd36MHWds9FNpb32p1AyMfZnUyNauXtQtbju04l/Jsdyn1dVFV2Y9ZTE9+eaZn67nymHz9rvXs/c/aQ6M9XNN0nN1LpZs7VqMTL17Axq79FdVdymq5eoimJmuxHFNPrI5pmqKojnw5tFoqo8yJ1ivzrFs2ecDI/i6vzIHeiPt0U7I6s3Iopi5Vu69E1RHjMRRHEc/hlKHovrerbq0beevZlWdOkaprF69olOfars1xgxYtUUzTbriKqKKq6LtURMRzFXPtRH9HPuG50L2vumN/wCDd2voO7tfyc/Rtez/ANrw7s0VzaqtXK54i1VM0RNHfmIriZ7s+BRvnu9sE60ef2SkN6QfbmFubsf9SLWZaouRi6f7sszVHM0XbddNVNUfFPMf1ut9Hpv/AFLqP2Ntkapq9yvI1CxjZGBXfuTM1XKbF65aomZnznuUUxPyxLyvbS6nR1o6eZfRvpPctb03duiq3jZV7SrkX8TSsTvxNy9k3qOaLfhHEUzPM97y8udm7Rx9ldirs9bW2zrere5NN07HnCpyaMa7dqycmqK7tyYpt01TzVVNc+KkeTXfj/NadZpiO1ov0SP/ACVdTvi/Zvmf3Vl+HpFJ/wDKD7J/887X6TiPN+iq6maHtvQ947O1evM0rceubpytQ07CzMC/b90WarNHFUVTR3Y/ydXhMx5Op7evWna27OvvQW/ol/O1axszdUZeu3cTTciqnDt0ZOP3uZ7nvpiLdf1vPkvPl4fm/BX7cd6yTOj/AMH3/i9XV+ZB70P/AMHPdP8AO7M/ucdI3Xe090307pzZ3Zc3DNWh5td3Fxr9vByKqrt6mmZqoiiLfeifD2xEfKiX6JnqNou2unWsbD1evL0rdWobiys/EwMzBvW5vWarNr30VTR3f3FXhMx5FPlVd3tRPkU9/sdn21fh8dln79u/31tP3mIhBLt/6Dn7U6/9n3q3dxL9/ae2tWqsazlWLc1xhUV3LU03a+I8KfCvxnw5iPjb5o3jovVvr5snJ2lq2HuHS9u6bnZmfqOl36MjGt15FNu1Zszcomae/VEV193nmKaeZjxhFPkRHbKatKr9kNS+k+6Y52sdI9H6nbdpqt7p6d6hb1ixft+FcWO9T63x8+Immiv5qZbSyu0DG8ey7oe99r1UVa3urDxsLSrXn3M/I4t92Y//AAdc1zV8luZbr3Ht7C3Vt7UtG1KzTkYGoY1zFv2qvKu3XTNNUfimUAvR/wDSXeO1ep28Nibj5u7O6Ya9mV6NXXE8XsnJoiLdUc+ExTYmquI9k5HzIpi8TRO7f7yrSIq5ae5O3pzsjT+m+x9E2zpVHdwdLxaMa3MxxNfdjxrq/wCtVPNUz7ZmXo58imOIJniFu0iEXfSUdRtU6a9kbd+bo96vGzdQ9Vpfr7UzFVFF6vu1zE+zmnvR+F67sPaDibc7JnS3FwrVFq3c0LHya+7HHeuXafWV1T8s1VzP4XoO070Txu0N0R3Psa/epxr2o4/OJkVeMWciie9aqn5O9Ec/JMtL9j7rNgdLOl2kdKuq2Tj7C3rtOz9Du5rt6nFx9Qx6JmLV/FvVzFF2nucRPdnmJjxhFOkVRx0KvqzDxHpeblzbXRvYe89NuVYe4ND3Xj14Wbanu3LXNm9VMRV5+duiePke07cm47m8PR2bm127RFq7qWj6dl10RHhFVd/HqmPxy8R2scS527t4bM6YbArnVNlaRqdOrbk3bjUzVp9qKaaqKbFm9Hvbt2aa654pmYjmJmfN6D0je/8Aau3uzFufpZgXb9zc2TgYdvA0fEw712qbVN+3MT3qaJpiIpt1ec8+DHV9HbnOnqXifHp7I1b+7J3wYek/81tM/RbbbEeSNnYr63bR3T0c6e7Lw8+/RunStt4lnM0zJwb9i5aqs2bdu5zNdEUzxVx5T48pJx5PRX5UsOH5MQT5K/OguNau+lf631126arlvb9uaKpiJmmZ9xRPHxeCwOfJWtsLf+P069Kb1l1LUcTJuaPc0ezYzc6xRNdOBRMYkxeuxHjFuKoiKqv3Pe5nwiZilH0nmn2L1eRPm/FYhvHbWDvLauraFqdmnI0/UcW5i37dccxVRXTNMx+KVe3okt+alp3Svqttm/ery9O2xqFeRgxVMzFuKqK+9RT8kzbiePjqn40me0N2rNt7Q6eZ+PsjU8bfO+tVsVY2iaHty9TnZF69XHFNyabU1d23Tz3pqq4jil0XYC7LGZ2ceieTg7l9Xc3XuPIqz9Wooq71NrvUxTRZ59vdjnmY9tUqxE+P3W86Ztanv9SNHou987k1j6be/p2Tq+9Nd3DrlHuvUMLMwrfq4imquLc+6Mi3V53JnwiY4iPHwbo7cOxOpnaR6RYehbZ6T63p25NO1fG1PBzc3VtKt02pt96KpiqnLmYniqfKPOIeS7Pmg3PR/wDW3fW1t22ruH0r3fm06hoO6vVzOFh3Y70Tj5NyI4tTNNVMRNXET6vnnxniTe/O0JpGo6TVovTPWdN3lvfUqPVafY0i/RmWsWavD3Tk1W5mm3Zo570zVMd7jiOZnhabTFMx2I3VVXan9Iz7v/4Bu5fopRFGp+owPdVMVRVEXfW2u/HMeE++58m1+zJsbRqOyt000TJ07F1DTru3cC9fx8uzTdt3rlyzRdrqqpqiYmZrqmfH2tDekt6maLT2cNw9Npz8jVd95drCqjBxMC9XVdiLtNU3OaaJopiYpqnjlt3sgdb9ob16VbF2ppmoX/2R6XtzDt5unZOFfsV2arVm3buRM10RTPFXh4TJGsVdswidOpHK/seI7aPRTqdmbj2H1T6L+5r27dl0XrH0Dv8AdptZeLciO9RTEzETPETHd5jmJ8J5iOdM5PpKtxbcs1bX7QfRPWNnaZqlqvAy9Tw6bnqpprpmmuabdynx8Jnwprqn4m8uuHVrV+l3bJ6eTRg6nqW2M7bWdb1inAs13qMOzF+3VGVXRTE8U0VRHNXHMU1S9h1/6tdK9z9F9yaZla1ou8o1bAuY+Homm5FvOys69VTxaos2bc1VVVd+aZ5iPe8czxwx38W++OS/GIbA0mrQ6+h1j9jGTTm7dp0CKdOyKa+/FePFji3PPt97EIyeiI4/4Jn/AO/c3/5Hr9garpfZK7H20dr9QtSrwdYnRb2PRjW7F3IrqvzRVXNmn1dNXjT34p8eI59rVPonOoui6J0ajp7qVzK07d9eqZmZb07Lwr1ua7MxTPeiuae75RPt58GXSKq+72qfUp7/AGOt3lo3aM7G3V/fW4Om+0rPVDpxu/VbuuX8COasjEybn+UiIomK6Z8IjvRTVTMRHhzD1XRLtx7M7R/VzbG0t/7O1Tpz1F0XMrzNJws+uqbVy/VZrt1Ud6aaaombdyrimqmIn2Tzw9N2U+0HTp2rdUNu77v3tDwcTfGsWtF13WavU4WXb90TVVj0X6+Ke/RVVPFPMcxMRTz3Z4/HtI6TtntEdZejeBsi7ha/uPbm4rOsalrek1U3qNMwLXv66Lt6jmKarlUURRbmeZmJniIiZVp+rE9n58yates8Z6YLx6PdP/50Wf7utPezVEWbfP2sIYelX6ca9vfs9aXqeg6df1W5tzWbGpZWLjUTXc9RFNVNVcUxEzPdmYmfijmfY2HubqztXr1R0v07ZGuYe4MrI1zB1vJs4F6m7cwcXH/bq6simmZm176KbfFXE96rgp3TEc/ZBVvju9qMHaN3fqW8/Sk9M9tXNHy9yabtnEnMxNExrtm3N6/OPdvzcj11dFvmJpomZmqPC34cz4Jqa1vzdmt6Nnade6NbluWMqxXYrpr1LR5pqpqpmmYmPdvlxKPvbE6Kbl2l1/2B2jdk6Nk7hyNtzGNr+jYFubmVfxJiqibtqiPr6oouVxMR48RE+yUg9M7V3SXVdtW9bx9+aJNqujve4qsuiM2Kpj/Je5ufW+s58O53e9M+UIiInDinvutM+PfshrL0enSLf/RDotqm1d+aTVo1dnWMm/pmJVmWcmaMWvu1R42q66Y993vDn4/jaZ9GZouLX117S2qzaic23ue9i03J86bc5F+qqI+Lmaaefmj4kq9G6xXdq7E1Le/Uu7VtfRtQ1CfoVg5GHcnIxcWaYps03qLdNVXra+7VXMTHve/FM+SFno7+sO29m9XutFOvXc7Rp3fuf3Tok5mm5FNOXRcv3u5xPc4pmfWU/Xcea1M3xJmeXuUq0o05th+lymbfTXpfdp8LlG8caaavbH7Xcbs7cHUPU+mnY+3vruk3rljUo063i2r9uZiq3N6ui1NUT7JiK5nlGP0qPVPQN4aLtHaWg3MzWNf0HdFvK1LEw9Pv1+5rdFFUVTNXc7s+NUeUylfq9eyu2T2fdy7Y0bVpy9N1DEnT72RONdtVY2R3Ka6Jmm5TTMzTM0T4fF5qWvhzbn7IZbxFdMzy9ryPo1NpYG1exzsOrEt003tStX9QyrsR767duXq/GqfbMUxTT81MPbVdk3Yk9pCjrb6rO/Zjbx5sRHun/i0TNqbU19zj67uTMefHt45aI7EPVSezxsz6SHWO9Z2XuHbl+9Tpmo6rcjHwNVxK7lVymqxkV8UVzE1THHPPHHhzExEg46t19ReoehaN08z8bVtDw79WRuLXcSKb+HRaiiqKMS3djmiq9XXNMzFMzNFNM88TMROSuetV1qWGNImJQd7HW/8AXt59trr1vm5tPU956rjXJ0rHpwsnEtThY8ZFVFNP/Gb1vwmmxTEd3nynnjlJXtZ6PvvtBdn7duxsHo9r1vU9SsW5w72Zqmkxbt3qLtFymqZjMmY+t45iPa1hibHzexH2w907/wAjTsrK6Q9QLfGbqeFZqvRo2ZNffirIimJmm13pue/8uLnj5eMoNydprY2Pove2tr2m743Bl0d3TNE29mW8zJy7s/Wx3bdU9yiJ8aq6uKaYiZmfBTSaKY/N15m1dUw7fs86NuXbvRHZOlbxtTZ3Pg6TYxc+3N6m9NNyiiKZ5rpmaap4iPGJn52xfJ0OxLGu420NHt7nyrGZuGMWic+9jW+5am9Mc19yPtYnmI+SHfrzN5urTFosAIWAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAY4j4jux8UMgMccMgDHdj4oO7HxMgMd2Pih1eNtXRcPOnNx9HwLGbMzM5NvGopuTz5++iOXagMcR8TjFqiK5riinvT4TVx4y5gOsxtsaNh59edj6Tg2M2uZmrJtY1FNyr56ojmXZd2PihkB1mqbZ0fW66K9R0rBz67f1lWVjUXJp+bvRPDsLdqizbpt26KaLdMcU00xxER8UQ5gMd2Pih8+Tp2JmYlWLkYtm/jVxxVZuW4qomPimmfB9ID4tM0TTtFsTZ07AxcCzM8zbxbNNumZ+PimIfZxHxMgMd2Pig4j4mQGO7HxQcR8TID8snFs5diuzftUXrVcTTVbuUxVTVHxTE+b4sXScHb+DctaXp2Nh2o5rixi2qbVNVXHxUxEcuycaqe8iY00EUugHbI1jfWzN9651D23ibOu6Hq93TNP0+xkTXk51dMzEWabUz36rve4p8I4qmfCG5ug+y9Q2lsmrJ12iKdza9l3da1eInn1eRfnveqifbFqjuWon4rcPVzsTbs7h+j86Dpc67Ed2NUnDt+6ojjjj1vHe8vDzd73RFiGQSljiJ9j4dU0HTNctU29R07F1C3TPNNGVZpuxE/JFUS+8B+GHg42n49GPi49rGsURxTas0RRTT80R4Q/buxPshkBjux8UMgDqt07n0nZm387W9d1HH0nSMK363Jzcq5FFqzR9tVVPlCs3on2hem+mekj6u7vz93aZi7U1jRqcTB1jIud3FybtM4vNNNcxxP8Ak6+PZPErRLtqm9bmiumK6Z86ao5iXzRpWJxx7ls/0cIjxaut2W9JOtMw+PRNB0PDopzdK07Ax4yaIr9fiY9FE3KZjmJ5piOefN2/EfEREUxERHEQykfjlYdjNsV2cizbv2a44qt3aYqpqj4pifN82lbf0vQqK6NN03E0+iueaqcWxTaiqfjnuxHL7wGOI+I4j4mQH5Ti2asj182bc3+56v1k0x3u7zzxz58c+x1+FtXRNOzq8zE0fAxcyuZmrIs4tFFyrnz5qiOXagMd2Pig7sfFDID4cjQ9Oy8K5h38DFv4lyqa67FyzTVbqqmeZmaZjiZmfFy0zRtP0XH9Rp2DjYFjnn1WNZpt08/NTEQ+wBxmimqJiYiYnziXw6Zt7S9Fru16fpuHgV3p5uVY1im3Nc/HPdiOfwuwAY7sfE6yna2i0al9EKdIwKc/nn3VGNR63n4+9xz/AFu0AY4j4oOI+JkBjiPiO7HxQyA+HU9D07WrMWdR0/Fz7NM8xbyrNNymJ+PiqJfthYGLpuNRj4mNaxcejwptWaIoop+aI8IfQA4XLVF2iqiuimuiqOKqao5iY+KXwaZtrR9Fu3Lun6VhYF259fXjY9Fuqr55piOXZAMcMgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAxFUVc8TE8TxPHsfjnZtjTsPIysm5TZx7Fuq7duVzxFFNMczM/NCCno4+1pf68dSutejahk1XPW61c17SLVyrmq3h1zTZ9XHj5UxbszxHtrqn2gnkAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADHPAIv+kh6w/Sf7J277+Pf9Tq2t0U6LhcTxV3r08XKo+a1Fyfn4VBej+6w/SX7VeytXv3/UabqGR9B86Znin1ORxRzV8kV+rq/wBVJz003WCdd6k7Q6dYl7nG0LEr1LNopnwqyL/EW4mPjpt0TMfxsq3LF2uxeouW6ppuUVRVTVHnExPMSD+qSPJlqPsm9W6euPZ22LvGbvrcvP0+m3mTzzMZNqZtXufl79FU/hbcAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAfPn5tnTsK/lZFyLVixbqu3K6p4immmOZmfwQ+hF/wBJH1h+k72Td2ZNm/6nUtdpjQcOYniqa79NUV8fNapuz+AFIPaR6q3utfXXe29Ltc3LeralduY/P7mxTPcs0/gt00R+BrWJ4PacT8QLbPQp9YPohtfe3TXLv/tun3qNYwLdU+dq57y9Efwaqbc/66zx/PF6P7q/PRftU7J1W/fmzpeoZX0Iz5meKfU3/eRVPyU1zRV/qv6HImJBkAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABrPrf2ctg9ovTdM0/f2jVa3haddqv41mMq7ZpouVU92ap9XVTzPHh4+XM/G2YAir9TB7N/H+YHj/ACnlf/UVm+jd6BbG69do/dW197aN9GNEwtGysqxje6LlruXKMmxRTPeoqifCmuqPP2r3FM3oe/hf73/m7m/puMCeVj0Y/Zzxr1F21sKbd23VFdNdOqZcTTMeMTH7alDi41OJYt2aOfV26Yop5nmeIjiPGfN+wAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAApm9D38L/AHv/ADdzf03GXMqZvQ9/C/3v/N3N/TcYFzIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACmb0Pfwv8Ae/8AN3N/TcZcypm9D38L/e/83c39NxgXMgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAKZvQ9/C/wB7/wA3c39NxlzKmb0Pfwv97/zdzf03GBcyAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAApm9D38L/AHv/ADdzf03GXMqZvQ9/C/3v/N3N/TcYFzIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACmb0Pfwv8Ae/8AN3N/TcZcypm9D38L/e/83c39NxgXMgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAKZvQ+fC/wB7/wA3c39NxlzKif0eu7tT2J1g6v6/o1y3a1TA2nnXseu7RFdMVRnYvnE+ftUrrjDpmud0MmHROLXThxOszEa9q9gRM7D3aJ3J1oyN1YO6s+3mahiTZyMebdqm3EW6ommqIiPimmPxpZsOXzFGawoxcPdLbbY2Tmdh52vIZu3Xptu1jWInT0gD0tKAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAxycsVTxHgjPvXtoXOnfXjafS7X+nOsYmo7nzKcbTM+3n4l6zctTc7k35pormuimPGeKoieIlG+bG6LpNDEeLKQAAUKdhmJq6j9Z445idpZvP/b8RfWob7B1HrOp3WeOOf8AxQz5/Fm4ssON9HV3PFnapoyuJXTvimfwSU7D+6p2Z2jsHArri3Y1S3ewKonymeO/T/XRC0+KuVLOn6zc2X1I0LX7UzR7kzLGVFXs95XHP9ULmdK1C3qmmYuZZq71nItU3aJj2xMRMfnc3sDEvhV4M/Vn8X1jpbj07YyGyukFH9owKet/FRpPu8z7Y8WWI8mXVPmgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA4zPDkjb2/O0Pl9nDs96rrWj3It7l1K5TpmlVTHPq71znm5x7ZppiqqI+OIVmbJiLzZ7rqP2pel/SrWfoNuDdmLb1qKe9VpeHRXl5VFPx1W7UVVU/60QhXpHUDbnae9KNs7Wdr6hGs7d2xoFd+m/FuuiKb0UXIqiaaoiYmKrtMeMecJTdi/s+4HRHpBpmVmWozN769Zp1TX9Yyff5ORk3aYrqoqrnme7Tz3YjnjmJnjmZR27Ctiz1B7cPaS3/AEW6Pc+Nk06VjVUUxEcTcmJ449vGNTz/AAl6YtiWnhEz7PapM3omY4rDmRjxQsyMRLICib0fVn1/VnrPTxz/AOJmpT+LLxpXsqNPRwWPdHWbrPRPl+wjVp/FkWJYsX6OrueLPR1srix/hn8Gyt1bV+iHR25r1uiPWaZrNOPcqj7S9a8OfmqtR/tSse7JO8Z3t0A2nl1XPWX8bFpwbs88z3rXvOZ+WYpifwog9KNrzvfs89YtJoom5kWLGPn2aYjme/b9ZX4fPFEx+Fsr0aW8vdW0d0bZu3Oa8PLoy7NMz+4uU8VcfJFVHP8ArOS2b8xmqOWJT64l9A6LV/K/wW4M76spi/8AjXM+1NaPJliPBl2TjAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABAf0we0NY1roXtncGmYtzMxNu63Rl59FFM1RRbqomiK6oj2RVxEz/1k+Hz5mBj6ji3sbKsW8nGvUzRcs3qYqorpnwmJifCYmPYib6THBMTZErTvSIdMtc6T2MzaN/L3Rur6EVZNW3MHHri9izbtd65ORXMRRat0cTzXM8cR4czMROufQ8W8LI6Obx1q5nY1/XtZ167k5WPTepqvUUxTTEVVURPNMTVVVxM+abG3elWzdo4mdiaJtXRtJxc6JpyrOHg27dF+J84riKffR4z4T4Ps0DYW2tp37t7Q9vaVo127T3LlzT8K1Yqrp84iZopjmPklaJi8zzUmNIjk7bUNSxNJw72Xm5NnDxLNM13L+RciiiimPOaqp8Ij53kMzqPtnc+z9wZu391adqVnBw7t2/laLn2b9WPxRVPe5pmqKZjiZjmPY8R2tOlmq9Z+l9O2dA1bA0/cFvPx9VxMXU472Nne5rlNc2LtMeM2597z4TxPd5aD3f1uwdS7NXX/AFPI2Pb2H1P0nTJ2zrmFjXKa6K71y3VRjVWq6eIqpn3RNVM8RVHPE88RLFVeYlkjSYu3H2U+sV3U+z3sbcXUjd2Da1zc3rb+JXquRZxa8iiq7V6miime7Fc+r7nhEc+KQ8TE+Xihb2TcjNjqXgbB6haNb0nWNobY07I2lp3r4uWqMOqz6q/e8IiKsjvx3aqvHuxV3aZ+umqaNMRHhDNPNiplyUi+jAxvdnaB6t2OOfW7M1Wjj58mxC7pSx6Ji1F/tS9RrUxzFe19QpmPny8Zjqi9Mwx48dbCrjslMfsFWbeoZG/tOvRFVvJxMeiqmfbT+3RP9prTsh5tzpT2tdY2pk1Tbt5FzM0ueY4iqq3XNVur8MUTx/ChsDsCZE2Ooe5cWrmJr06KpifjpuxH/wAzXXansVdHe1/p+57FM2rN+7i6r3ojz4q7lz+xV+Nx1fzeXwMx9ir1TLsfgSq+PbHzuxKv67Drt/FRN4WX0+TL8MO/TlYtq9RVFVFdMVRVE8xMTD93ZRq5aYtNpAEoAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAYZAHit/9KdJ6h5ulZ2Zlarpuo6XNycTO0fUbuHetxXERXTM0TEVUzxHMVRMeEPJ5XZU2Bm7H1Ta2Rg5mRg6tqNrVdSyr+dduZefk266aqa716qZqr47tMcTPHEccNwsceSB4Pc3Rjbm6eoO2d7X6MvE3Jt61dx8LMwsibPNm7x37VyI8LlE9362rynxjiXu4ifazwyQCmH0Q1HrO1rv2j7bbedH/AMZjLnlMnofvhe74/m7m/puMlWqLxMJT9j69Gk9ofXsGPexXZyrPH8G7E/8Ac7T0l+zpydC2nui3b+xr9zAu1x58Vx3qf66JdP0UiNC7Y+o4c+EV5mdZiPn71X/ckZ2xdnfsz7Pe6cemnvXsOzGda48+9aqiqf6omPwuXjC8Ns/Fw+MTPpjVj+CDaPyXtLAxZm0U400z3VTafVLtuy7vKN89CNo6lVc9ZejDjHu1c8z37czbq5/DS2qhr6NjeP0R6f7h25cr5r03MjIt0zPjFF2Pzd6mr8cpkw3ORxvD5ajE5w7HpXs/5L25m8pEaU1zbunWPVLkA97lAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABTL6H34Xu+P5u5v6bjLmlM3ofPhfb4/m7m/puMCUGREbW7c8R5RXq9E/09mP8AvuJ1axp1nWNJzMLItxdsZNmq1XRVHhVTVExMf1oLdorjbXa30rU+OIrv4GVM/H3aqaf/AJIT0pmJpjjymIajJR4+NRP2vxcP0YqnBzGdwo304kzHn3fgrb7EGpXumXaY1raOZXVbpyreRgVU1eHeuWq+9RPz8RV+NZNCtHtA2KujXbYwNw24m1iZGdian72POiqYpvR8vPFf41lWLfpybFq9RVFVFymKqZjymJh59kT4OnEy8/Uqn0S/SfwhxGcxcltmndmMKmZ/ipi0+x+wDfvkgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAApl9D58L/fH83c39NxlzSmX0Pnwvt8fzdzf03GBLLt34k6Z1M2zqtFHHrMP6746rdzn80wmrtvLjUdv6blRV3ovY1u53vj5piUVvSC6RNzRdpanEeFnJvY8/69NNUf3c/jb76B6vGtdGtn5MVd+foZYtVVT7aqKIoq/rplqMv4mbxaedpcLsz5nbucwvtRTUip6THaERZ2humzRxXTXcwL1cR8cd+j+zWlD2ct4fs66KbP1ia4rvXcC3bvfxlEdyv/AHqZeR7a+z/2Ydnvcfct+sv6dTTqNHyRbnmr/d7zXfo3d4xq/S7WdAuXOb2k5/eoomeZi1dp5j/eit5qPmNp1U8MSm/nh+l8f9qdBcLE31ZTFmn/AG16/jZL0B0D5EAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAKZvQ9/C/3x/N3N/TcZcypl9D58L7fH83c39NxgWK9t/Rvon0YuZVNHenBzLN7n7WJmaJn/efZ2L9Z+ivQ3T7M1c1YWRex5j4vfd6P6qoey7Q2ifsg6Lbuw4p79fuGu7RTHtqo9/T/XTDR/o/db9ZtrdOkTV42cu3lUx8ldHdn+7j8bUVeJn6Z+1FvQ4XG/o/SXDq4YmHMeeEod06Na3FtzVNKvxFVnNxrmPXE/FVTNM/nV69gzWruwu0Lr+z8qZt1Zdq/izRVP8AztiuZ/HxFf4ljs+MK0Ordurop248fWbXOPi5Go2c6JiOI7l6O5d/HM3Ofnl5tp/NYmBmPs1Wnul+l+gv9Pye09izvxcKaqY/xUawsxieYH52q4u2qa4nmJjmJfq6B8iAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFMvofPHtf74/m7m/puMuaUzeh7+F/vf+bub+m4wLi9a0+nU9IzcS540X7FdqqOPZVTMf96DvYpz6ttda9waBe/a6ruNdtTTVPHv7VyPDj4+Jq/EnfMeEoC8/S17bE11R6mxk6tVV4z4d3Jpnn+uufxNTnfExMLF5T+LhekUeAzeSzkcK+rPdUnxKBPpMNnTb1DaO6bdH11F3T71UR8U9+jx/DX+NPaJ5iJR87dWzo3Z2e9av0Ud7J0q5az7fyRTXEV/7lVS208Lw2UxKY32v6NX3PoPtCNm9IcpjVT4s1dWe6rxfa2R0J3jG/ekW1db7/fuZOBa9bV/+Eppimv/AHol71E/0c+8vo30bzdEuV967o2fXTTEz4+ruR34/rmv+pLCPJ6Mni+Hy9GJziGq6SbPnZW2M1k7aUV1RHde8epkB7HNgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACmb0Pfwv97/zdzf03GXMqZvQ9/C/3v8Azdzf03GBcxKCfbj0i7trqxt7cmLHq68jGoriuI/52zc55/FNH4k7UYu3htj6JdNNN1mijvV6bnUxXPxW7kTTP+93PxtbtGia8vVbfGrkulOBONsvEqp30WqjzSkXtvVrOv6Bp+pY882MuxRfo+aqmJj87596aBa3TtLWNHv0961nYtzHq/1qZjn+trXslbp/ZP0N0GqquKr+DFeFcjnmYmiqYp5+enuz+FuOryl68OqMXCiecOj2bm5xcDBzVE6zET51cvo9dwXdodady7Rzp9VVl4tdHq6p/wCfsXOJj5+Jr/2VjUeUKzt5xPQ/t22M2P2rCyNVs5Ez5R6rJ4iufmiaq/xSswtz3rdMx7YafY8zRh14E76Kph9j+EWiMxncttajyczhUVf7oi0+xyAb98mAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFM3oe/hf73/m7m/puMuZUzeh7+F/vf+bub+m4wLmXhOt+1P2a9Kty6TTb9Zeu4ddVqmI5mblPvqePl5iHu353KIroqpnymOFK6evTNPN58xhRj4VWFVuqiY9KHfYB3ZFVvc23Llzxpm3nWqOfOJ95XxH4KPxwmLPjCAfTOuejHa7v6PX+0YeTm3MCKfKO5e4qteHxczRwn5Hk1uzqvmvBzvpmYcl0UxapyM5avysKqaZ9Oiv/ANJRtOdO3TtLdePR3ar1qvDuXIj93RV36OZ+aavxSmh0c3bTvnpdtbXe/wB+rO0+zdrn/r92O9E/Lzy1D2+Nm/so6AZ2XRbiq9o+Vaz6Z48YiOaKv92uXVejz3jGv9EJ0iuvvXtFzbljifOKK/2yn+1U8mF8xtOujhXET540fpLP/tToRlczvqyuJVRP8NWseuyUsTyyxHtZdA+RAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACmb0Pfwv97/zdzf03GXMqZvQ9/C/3v8Azdzf03GBcy4zHLkwCDfbh21e2v1J29u/Dp9XVlW6aZuU+HF6zVE0z4e3iY/2fkTE2JuWzvDZ2i61Yq5tZ+JayI+TvUxMx+CfBq7th7IneHRvUb9q3NzK0iqNQt8RzMRTExX/ALs1T+B5vsM73+j/AE1y9CvXO9kaNkTTRTM+PqrnNVP+934/A1GH8znaqOFcX8/FwWV/Z+38XAnycaOtHfG9vHqNtq1vLYe4NDvR3refg3sefj99RMfj8UEvRy7lu7c6n7q2llVdyrMx4udyZ8rtiqaZ4/BXP4oWH1U8xxPtVoZsT0S7ekXJ/wCL4ORq8V+fETZyqfH8EVVz/svNtL5nHwMxwibT3S/TXQr9o7K2rsad9eH4Sn+Kib+5ZhDk4W6orpiY8Ynx5c3QPkQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAApm9D38L/e/wDN3N/TcZcypm9D38L/AHv/ADdzf03GBcyAD49V0+zqun5WFkURcsZNqq1conxiqmqJiY/rQO7P2pXuinaXz9q5tc2sTKv3dNq73lM896zX+Hw/20+6kIO3Ds2/tnfGh7206mbM5MRbuXaY+sv2571FX4Y/sNTn4mmKcenfRPqcP0nw6sGjB2lhx42DVEz/AAzvTepnnxV6+kh2td0PqBtPdmLE26svHqsVXKY+tuWaoqpnn45iv/dTh6X71sdQth6Nr9iY4zMemq5TE89y5EcV0/gqiYaN9ILs2NxdCb2qUW+/kaLl2smJiOZiiqfV1f24n8Cu06Ix8lVNPK8ebV9z+DzadGW29lMe/iYk9WeUxXFvxmG9el+6be9enu3tctfW52DZvzHxTNMcx+CeYepRo9H7vH9k3QXHwblyKr+jZl3Cmn2xR4V0/g4r4/Aku92VxfDYFGJziGg27kJ2XtTM5OfqV1R5r6eoAepowAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABTN6Hv4X+9/wCbub+m4y5lTN6Hv4X+9/5u5v6bjAuZABjhrbtCdOo6mdK9Z0q3bi5nUW/dGJPti7RPeiI+fiafmqbKca45pmPNjxKIxKZoq3S82ZwKM1g14GJuqiY9KHvYP6jT6vWNkZdzu12pnOxKa59nMU3KY+aeJ4+WUluq+1I3x033JoU0RXOfg3bNMT9tNM8f18IVdXtMyezr2ksTcWnUTTpmVfjPt00R4VUVTxft/wBdX44Tz0jVcbcGj4moYd2m9i5dmm7auU+VVNUcxP8AW1mTm+HVlsTfTp5nMdEs7i5W+Trm2Jl6tO6JvTKA3o2t1zpW992bUv1TRVk41OVRbn7e3X3K/wCqqPxLB4lWdoVU9EO3hcx/8jh5OrV2uJniJtZXjT+DvVx+KFmFPlDBseqYwasGd9EzD9D/AAj4VNe1MLaeH5OZw6K/Pa0/g5gN8+UAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACmb0Pfwv97/AM3c39NxlzKmb0Pfwv8Ae/8AN3N/TcYFzIADExzHDLEg0b2t+lf0xOmGRk4ln1mr6PzmWO7HNVdERPfoj548ePjph43sPdVPo/tPJ2fm3uc3Sff4vfnxrx6pnwj+DPh81UJQXbcXaKqKoiqmYmmYnyV+9SdJzuy/2hsbXdNoqp0fJu1ZVi3T9bXZqni7Z/1eZ4+L3stNmo+LY1OZjdulwG2aZ2Vn8La+HHiT4tfdO6fM+D0ie3Lu2erm193YdM2asrFppm7R4ft1i5NUVfPxVH+zCeuwdyWt37L0PWrNUTbz8O1kRx4/XUxMoy9vLR8TqH2etK3bpldOTawcmzl27tHjzZu0zTPzeNVMz/Bev7B+8f2U9n3ScSuqasjR713BrmfPuxVNVH+7VTH4Hny8+B2ji4fCuIqj2v01tSqNrdCchn6dZwK6sOZ7J8an2JGAOhfJAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABTN6Hv4X+9/wCbub+m4y5lTN6Hv4X+9/5u5v6bjAuZAAYZAY4aj7S3SOjqx06y8exbirWcHnJwa+PHvx50fNVHh8/HxNuuFURMTHDHiYdOLRNFW6XkzeWw85gV5fFi9NUWQH6G7une3S7efSDWpmMq/g5Felxe8JpuREzNr54qjvRH8Jw9Glu6rE13eG1b9Xc9bbtZ1q3V4TFVMzRc/PR+J2vaz6XZ3S/fmF1D23TVi4uTk03LtVqOIsZUTM8+H7mvj8fPxtH9m3fNvbPav0zP7sYmHq2bdx7lqJ8KfXxM0x83fmmHG14lWVzeDTib6ZtfnEu0+DHHxc1sPbPRPNa4mFTGLR2xTO+PNaFrIxE8wy7ZywAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAApm9D38L/AHv/ADdzf03GXMqZvQ9/C/3v/N3N/TcYFzIAAAAAOi3ttLT987Zz9D1SzF7DzLU2649sfFVHxTE8THywqY6zbE1foT1atY+VTVF/CvW8nGyIjim/RTVFVNdM/NHj8UxMLgqo5RG9I5sW1rHSzTNx27EVZekZsU13oj30Wbkd2Ymfi73cc/tjKxi4E4tPlU6+h3XQCrCy3SnLY9enXirDntiuLWnz2Sg2dr1ndO1dH1jHrprsZ+JayaKqZ5iYrpiqPzu6iOIQO7DHaPnTMHD2NuHJ/wCJ11za03Ku1eFmv/oZ+Kmf3PxT4e2OJ4U1cxy2WTzNObwacSnz97j8/RRltoZnJR5WFXVTMcYtOnqchiJZe55QAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABTN6Hv4X+9/5u5v6bjLmVM3oe/hf73/m7m/puMC5kAAAAAGJa87QWzo330a3bovd71y/gXKrXhzxcpjv0T+CqmGxH5X7VN+1ct1RzTVTNMwpXTFdM0zxerK5irKZjDzFE60TEx5puqA6MbCzt86PuanSu/c1jSKKM33FTHvrtnmabk0fHVTPdnj4ufbxzOPso9pGnemFY2nuTJ7mv49Pdx8i7Vx7roj2eP7uPb8fn8aN/ROuei/bdzdDqn1WFk5+VpsUz5TauTNdr81v+tuDtQ9m/J27qFzf2x7ddj1VfujMxMT3tViqPH11vj5fGYjy8/m43Z1GJl8KcTD16szFUd3F7/hc2djbM6Rx0k2bF6MxRRXXTziY1mO2LJnwyjv2Ze03i9TMCzoGvXaMbdFiju01VeFOZTEfXU/8AW+OPwx8khqZ5dfg41GPRFdE6OVyOfwNo4FOYy83ifTHZLmMR5MszYgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACmb0Pfwv97/zdzf03GXMqZvQ9/C/3v/N3N/TcYFzIAAAAADE+TLEgrc7dmk3+nnaM0Hd2HT3Iy7NjMpqieOb1m5xVH4oo/HKxDQ9Sxdx6Bg51ji/iZmPRdomY5iqmqmJj+qUT/SSbP+ifTTQ9xUUTNzS871NyqPZbuxMc/wC1FP420OxhvH9mXZ62zdrr7+RgUV4F3x5mJt1TFPPz092fwufyvzGfxsGd1Vqo9r65t6I2p0Q2bn99WDNWFV3b6b+aGou0l2X8vbefe3xsK3ctRar90ZODi8xcs1c8+ss8ez2zTHl7PDwe07Nnasx98W8fbe679GHuGmPV2Mqrim3l+yI+Sv5Pb7PiSZqpiqJpnxiUVO0b2R7WvXL+5tkWqcXVuZu39No97RfmPHvW/H3tfyeU/I9GLgV5arw2X3cY59z8y5zZuZ2Tjzn9lRemda8PhPbHalZFUTx7WaZ5Qr6EdrbN2rm0bU6ixfppsVeoo1K/TMXbEx4d29HHMx5e+8/j580y9O1LG1XDtZeHft5ONdpiu3dtVRVTVE+UxMeb3ZfM0Zim9O/lydJsza2W2ph9fBm1Ub6Z3xPbD6xjnll6m6AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFM3oe/hf73/m7m/puMuZUzeh7+F/vf+bub+m4wLmQAAAAAGJZAav7Smzf2ddEN26TTa9bfqwq71mmI5n1lHv6ePl5pRo9GdvGbum7u2xcuf5G5azrNEz7Kommvj8NNP44ThybNN/HuW6o5prpmmY+eFanZtuz0a7Zedtq7+04+Rk5WlxHHEd2Z79r+zS5/O/M53Ax+E3pnz7n13ox+0ujW1dlT5VEU41P+3yvVZZdz7CaYmfjZjzcm/fIWmOuXZp0DrBjV5dFNOk7hop/a9Qs0R+2fFTdj91H9cfH7EWtu776j9krckaRq+NXl6JXXMxi3apqx7tPPjXYr/cz8n44WF1Ry6TdmzdH3xo17S9b0+zqGDdjxt3qeeJ+OJ84n5Y8Wux8nFdXhMKerX+Pe5LaWwacfE+N5KrwWNHGN098cXlulXXDbHVzTovaNmxRmUUxN7Av8U3rXz0+2PljmGxOY+NB3qj2QNx9P9TncPTrMycu1Yqm5Ri265py7H8CqPr4+Tz+d9/Srtq6loGTTovUTBvXKrU+rq1C3a7l63Mf9Jb4jn5ZjifkY6M7VhT1M1HVnnwl48v0hxMpXGW2xR4OrhV9We2/BNPll0G1N76FvjTKNQ0LVMfUsWv8Ad2LkTx8kx5xPyS72JbSJiqLw7bDxKMWmK6JvE8nIBZkAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFM3oe/hf73/m7m/puMuZUzeh7+F/vf+bub+m4wLmQAAAAAAAcZ4iJVsds3T7nTDtU6Pu7Fp9VGTOJqXe9k3LVUU1f1UU/jWUceMoY+ks2dOdsfbW47dvmvT8yrGu1R7KLtPhz/rUR+Npdr4c1ZWaqd9Np9D6b8HObpy/SDDwMXyMaKsOf90aeuyYOj6hRq2l4ebaqiq1kWaL1Mx7YqpiY/O+1pnshbxjefZ/2lk1XPW5GJje4b088z3rXvPH5ZiIn8Lc7aYOJGLh04kbpi7gto5SrIZzGyle+iqafRNhiY5ZGZr3GaY8WtuqXQLZ/VixNWq6dTZ1GI4o1HEiLd+n55499HyTy2W4zCldFOJHVqi8PNmMtg5rDnCx6YqpnhKBG6ezX1L6H6pVrWytQydSw7c971un1dy9FMey5a8q4+bn5oep6c9urN0y7Tpu+9IqrqtT6uvOwqO7cpmPCe/an28+fEx8yZ008vAdROhOzep9uqdb0e1XlTHFOZYn1d+n/AFo8Z/DzDVzk68Getlardk6w4yvo/mchVOLsfHmn/BVrT/J2OxurO1eo+L67QNaxs6eOarMVd27THy0VcVR+GHroq5jzQk3z2G9wbeyvojsfXIyvVVd+3ZyK5sZFH8G5T4TP+y89gdfOs/RHJowt0YGTm4dHvaadXsVcTEfaXqfP8dX4EfHcTB0zGHMdsawU9IczkZ6m1cvNP+KnWlP2OZ9ojNsnt07P1r1dnXsHM0DInwm53fXWfx0++j8NLee1upO196WKbuia9galEx9ZYyKaq4+SaeeYn5Jh78PM4WL5FUS6bKbVyWei+BixPZx9D044xcifKeWeYeltmRjk5BkYInkGQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAYBkaw7QPaE2l2cNjV7l3VkXZoruRj4en4lMV5Wbfn621aomY5n5fCI9rVM9T+03qu0L+8MLp3snRtOpx6su1t3WdXyvopVaiJq4rqoteqouTEeFMz88wi8CUo1v2e+qeX1q6O7Y3tm6T9A8jWcX3TOBF2bnq470xHFXEcxMRz5e1seEzoiJuyPyyb9OLjXb1fPct0zXVx58RHMtefT623EzE2s/8Fmn9YS2Qpm9D38L/e/83c39NxlqE9ett/8ARZ/9DT+sqS9FLvDB2j2q95Z+bTeqsXdBy7dMWaYmrmcvHn2zHsgF2w1t9Pvbf/RZ/wDQ0/rM/T623/0Wof0NP6wNkDW/0+tt/wDRah/Q0/rH0+tt/wDRah/Q0/rA2QNb/T623/0Wof0NP6x9Prbf/Rah/Q0/rA2QNb/T623/ANFqH9DT+sfT623/ANFqH9DT+sDZDUfas2d+zjoLu/Aoo79+1h1ZdmI85rte/iI+fu8fhdp9Prbf/Rah/Q0/rPl1HrZtfUsLIxb1jOqs37dVuumbNPjExxP7r5WLFojEw6qJ4w92QzVWRzeFmqN9FUT6Jujv6M/eXurbO6dsXa+a8TJozbUTP7i5T3aoj5po/wB5NpVt2Y+oeldB+0frFrWs6NO0C5OVg3b9yme7TFNU1WpmI5nx7sR/rJxU9sPo/Mf58YMf6lz9VotlZrDpy0YeJXETTMxrPJ9V6fbBzmLtyvOZLArrw8ammuJppmY8aNd0c4bnGnKe150hq443zp/j8cVx/wDK/WntadI6uZjfOm/hmqP+5ufjWB9uPTD5x8hbW45TE+5V7m3hqWntW9Jq+ON86X4/HcmP+5+tPal6U1eW+tI/De4PjOB9uPTCvyJtT+64n3Kvc2qxLV1Pae6V1cT+zrRvH/8AWYfpT2l+l1U+G+tF/wC10/4nxnB+3HphSdj7Sjflq/uVe5syfF82dpmJqePVYy8a1lWao4qt3qIrpn8Etfx2kel9XHG+9C8f/wBdoj/vc47RXTKqfDfegx/7/b/xT4bBn60eliq2Tnpi1WXr+7Puea3t2ROnW75ruW9KnRMqrx9bplXqo5+PufW/1NH7n7CG4NHvzlbT3LayppnmijJpmxdj5O/TMxPz8QkxT2humcx4b72/+UbX6z9I6/8ATWr/APTvbv4dTs/rPHiZfKYus2vzibOXzfQvBzU9avKVU1c4pmJ9SIXrO0T0eniqNXysO35d6ac+1MR8vvqqY+Twdzofbv3Xol73LuLbOLl3KPCubdVeNdj54mKo/qhKenrt04uR4b529VH8p2f1nWa1vrpFue1NrU9c2nqdH2uRlY9zj5Y5nwef4vOH9Dj27JtLT/ojtfK/9DmMSI5VUzVH4Ncbf7d+yNQ7tOp6fqWk1T4TVNuLtMfL72ef6mxtD7TPTPcHdjF3ZhUVVeEU5XesVc/NXFLXOu9K+zvuLvVxqOh4Vyf3eDq1Frifmivj+p4DWey10nypmdI6m2MSZ8qcjMx70f1TTKfC5ujfNNXnsfFel2W34NOLHdMSmDpm6tG1mjvYGqYWZTxzzj36a/zS7KmumrymJ+ZXtqPZXt48zVo3U3a+RxPhF/M9R/XTNT56envVba9URpe+MPJt0fWxhblp7n4Ka66fzHyhiUfSYfolHyjtzB/6jZmJ/t19ixSGVd9vqN132xM1fRjJyqafb67Hyon8Uy+iz2uusGh/Ztqxf4/9c02af7PdPlbAjyomFo2/VRpjZPGp76JWECA2D2+95488Zmk6LkTHnFEXLc/25d/h+kKz4n/jW1MSr+JzKo/PSyxtXKz9Zmp6Q5SfKprjvoq9ybQiBi+kK06ZiMjad+mPbNvMpq/qmmHdYnpAdm1x/wAZ0HWrU/8A4KmzX+e5DLG0MrP14eunbOTq+tMd9NXuSlEccTt29Ocjj1lvV8Xn/pcameP9muXdYXbO6XZkxE6zfsT8d3EuRH5mWM5l53Vx6Xro2hlq/Jr9U+5vQaqw+1B0wz5pijd+FbmfZd71H54ek03rBsfVpinD3do1+uryopzrfe/F3uWWMfCndVHph7aMSnE8ibvYj4bOtafkUxVazse7TPjE0XaZif631UXKblMVUVRXTPjE0zzDNExO6WWaZjfD9BiPJlKAAAAAAAAAAAAAAAAAAAAAAAAAAAcKuYiZQ52bmdobrZ1e6lX9G6mYeyunOh67e0jTbcaDi5mTeqtREXOJrp+tifbMzMzMx4cIibzY4XTJFfPbl6j9euyV020jdWmdZP2Q1Zmo04FePl7YwLMUxNFVXeiaaJ+144+VuLplsvrlv7phtvclzr3dw87VtNsZ1Vijaen1W7dVy3Ffd5mnmYjnjlO+Lk6TETxSkEUOg24Otun9beofTbqdvHD12qzotjUtv6zg6XZx4iiuuu3NybdNMRNVNURzTPMe98/FrbZ+9+rexfSGaH0u3P1NzN57ay9Cu6rFu5g2cSmZmi5FMVUW445pqtzMcT7YKfGmIjiiZtEzyT4HGJchIAAAAAADy3UnqHpnS/al7cGrU37mFav4+PNGLTTVcqrvXqLNERFVVMfXXI58fKJ8/JFx6kcaJ70RLkkAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAHGavCXJxmOQVzdV71XW70rOx9m6tPrtvbN0z6IWsOvxoqyIt1X+/MfH3ptR81ELFa7Fu/Yrs3KYuW66ZpqpqjwqifCYQi7TPZq6mbf7T23+0F0d0/C3DrONjRh6tt3NyYsTk0RTVbmqiqeI8bcxExzzE0xMc+Ta+z96dofqXm4lvN2LonSjRqblNWXm6nqEannXKInmqixZt8UUzPEx3rkzxz4Uz7Ip8iKeJV5V2+9B0DT9saPh6VpWHZ0/TcO1TYx8XHoii3aopjiKaaY8IiIfZfyKMa1XcuVRRbopmqqqqeIiI85l47rF1X0boh021nee4PXV6Zpdumu5RjURVduVVVRRRRTEzEc1VVUx4zEePm6TbXVDcudqOdjbl2Fk7ZxrOl16nbz/AKIWsyxXFMxE2qpoiO7c4nnjxjiJ4mUTNomeQ9rt/deg770/Ju6LquFrOHTXVjXrmDkU3aaa4j31EzTPhMc+Xm6f6Tu0vbpX/wDHufrIudkLf2Zs/oft3J0nQ6dy7q6ga/qWt06bTle56qMe5k197Jrq7lUU26aaaeZnjnmIp5mYiZqW6qpppmuO7VMeMRPMRK1kRN3jvpO7S/0V/wDx7n6yob0TW2dN3N2sd6Yeo43r8e3oGZXTR36qeJjMx4ifCY9kyutUzeh7+F/vf+bub+m4wlbL9J3aX+iv/iLv6x9J3aX+iv8A4i5+s9oA8X9J3aX+iv8A4i5+sfSd2l/or/4i5+s9oA8X9J3aX+iv/iLn6x9J3aX+iv8A4i5+s9oA8X9J3aX+iv8A4i5+sfSd2l/or/4i5+s9oA8X9J3aX+iv/iLn6x9J3aX+iv8A4i5+s9oxxyCC++eyftTf3W7UcerKztNoy8ruTTj1xMUxFHs70TM+Xtl6Gv0aOzavLc2sx+C3+q2Zj/8AL3V9+1f2Jb78Gtq2blK6pqqw4mZdvg9NukOWwqcHBzldNNMRERfdEIaVejN2lMTxuvWY+L3lrw/3X5T6Mra/s3frEfPatT/3JocnKnyVkv3UM8dPek0f22v0x7kLKvRk7b8eN46r+Gxb/wAHCfRkbf8AZvPU4/8Adraa3Jyj5KyX7uF46f8ASeP7bV6vchNPox9D9m9dR/DiW/8AF+dXoxtIny3vnR/7nR/im7yco+Scl+7j1skfCH0oj+2Vein3IPVejF0zx43zlx8+DT+s/Or0YmD+535kR8+n0z/86coj5IyP7v1z714+EXpRH9sn7tH/AKoLVejDx5me7v8Aux8+mRP/AOUfnV6MGnj3vUKqJ+XSef8A8qnaf/z5I+R8j+79c+9b9ZHSmP7X/wCNH/qgbV6MCuZnjqLTEfLo8z/+XcJ9F/kxHh1Gtz8+iz/9dPX/APnyEfI2R/d+ufet+snpT/e//Cj/ANUBavRg5sT73qHZn59ImP8A8u4T6MPUojmN/wCPM/yVV/8AWT94+RjhHyNkfseufevHwl9KY/tX/hR/6q/6vRjat7N+Ysx8umVf/VflV6MjW4+t3zhz8+nVR/8AlFg3DHCPkXJfY9c+9ePhM6T/AN4j7lH/AKq9qvRlbgifDeuBVHy4Vcf/ADvyq9Gbufx43hptU/Li1x/8yw7j5GePkV+RclP1PXJ+szpNxx4+5R7lddfoz92RPvd2aVMfLYuR/wB78qvRo7ziPe7o0eZ+W3chYyTH4UfImR+x65P1l9JP31P3KPcriq9GpvmPrdyaJPz+tj/5X5z6Njf1PluHQ5/1rv6iyDj5GT5DyX2Z9Mo/WV0i/eU/8dHuVtz6N3qD7Ne0Of8A2l39Rwn0cHUWPLWtEn/2tz9VZNEHHij5DyX2Z9Mp/WTt/jVRP/50e5WtV6OTqRHlrGiz/wC2ufquE+jo6mRzxqmjT/7xX+qss8ThHyFk44T6Vo+EnbkcMP8A46VaVPo/urenzE4ep6bEzPjNrOro4/3U7OguytW6d9KNA29rmRTl6rhWqqL92i5NyKpmuqrwqnxnwlsHjwYimeHuyuz8HJ1TVhzOvObuf250u2j0gwacvnIo6tM3jq0xTN93ByjyZYjyZbNxYAAAAAAAAAAAAAAAAAAAAAAAAADjVTNUTHLx3Srp1HTLbOTpfu6NSu5Gp52p3cn1Pqu9VkZNy93e73qvrYrijnnx7vPEc8R7NifIRKv70z/wcNt/zhtf3N1Lrs3/APID06/m/g/3FCIvpn/g4bb/AJxWv7m6l12b/wDkB6dfzfwf7ihNPkVd/sK/Ko7p/F2mT07pvdW8DfFGdFquxo97SLuH6nn11Nd23dpr7/e8O7NFUcd2ee/5xx4wl6ubs03ZHpWds6zqt2q1iWNlVR3bdE13LlczkU0W6KY8aq6qpimmmPGZmIWGeavLqlo+JrPpeenVOXapvUY+2IybdNUcxFyj3VNM/gnxUpv4SmI7SfIqmfzuSK6odo/fPSXZGXvjWektdW0cGKb2bNnX7dWpY1iaoiblWNFnuTxzzNMXp4jn4m3tkdQtK6j7C0vd23Lk6lpWp4dOZiTR72q5TVTzFPj5Vc+ExPlLwHbEopq7K/VaJiJj9jub5/xVTxfo3blV7sZ9OprmauMa9Ecz7IvVpjWKuy3tTOlnmY9IFlaD1tx+nm9+lGsbGu3cC7qHurP1KxkXK6KaZmim3bsRXTcqrqjuREXOe9MR5+D0Wldta5Z7SmhdHd0bCytu6prmD7uwsqjUIypoiYrqpov0Rbpiiri3PPcrriJ8JnzaX7QWhY24PSndEbGXRFyzZ0mvK7k+U12ov10c/NVTTP4E9bui6fc1C3qVeBjV6hZtzbt5dVmmbtFM+dNNfHMRPxRJeIpiqe1FXlTTHKGrerHaW0jp1vTRti6TpeVvHqFrFM3MTb2nXKaKrdqPO9kXave2bUfbTzPhPES6Hd3ai1To9quhx1U2Rb2nt3V8mnCtbi0zV41LExr9X1tGTzZtVW4nyiqIqp8J5mEPuxPv/Xt49sPr/vmraOpby1ii/GnWvcmXi2qsKx6+ummn/jF6jwmmxREd3n62efNJLta6Bv3tD9Ad1bEwOkes42palbtVYl/M1XS4tW7tu7RcpqqmMqZj63jwj2msUxPO0rW8aaeTenV7rRtzors2ncW4MmKce9ft4eHZorpprysi54W7VE1TFMTPEz3qpimIiZmYiHgd49ft/wCwNqXt26z0noydrY1r3Tl3NF3FRmZ1ix5zc9R6iiiuIjxmKLtXhE8ctZdaulGyda7GWydH7SGtZO2be37GJdysrBzaPX+7LVmq36uiru3Iu1VUzVHERVM+ceXLttp9dNb3r0rp0/pv0Y3BnbIs6XOHh6tubNsabRfx6bXcprpt1zVcrpmmPCe7HPyclWnWtwVjW3akN006nbd6v7J03dm1dQo1TRNRt+ssX6OYn4ppqifGmqJ5iYnymEB/SM9d+o9nXOnu1Y6f6joe1Mrc2PcjNyM7Fru6zds3aKqLVqii5Pq6OZiebk08zMeXEvceh9ybt7sya7au1T3LG6sy3bomeYoj1ViqaY+TmZn8Mut9Kd/+fuz18f7LY/PZTVHjU+Ypm8Vdl/VdKnp/1W3juvcNnTtZ6Rbi2fg1W6qp1XUtQ069ZomI5imabGRXXzPlHFPHxtqPxpqpopo5mI54iOZ85fsIp3AAsAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA1Z2g9W2fTsy1oW/tGu6ttDcF/6HajXFi7XZxqJt1103Ls24mqinv0U0xVzHE1RPMcIp7e13c/TvpL2iNL25quv7u6YaVoHqtn6hqtm5XfjKu2K6K8ezcqpiu9bt11W+KvGI8onzT97sHq45U6u9N7TEoF9G9i6h2QeoPSLMys3Uc/a28Ns2NB1rIzJmujTc+zbm7jz5cWrVXfrt8RxHPjMzMzKelExVHMeJ3IZiIjyZJm6kRZlTN6Hv4X+9/wCbub+m4y5lTN6Hv4X+9/5u5v6bjIWXMgAAAAAAAAA0Jj/8vdX37V/Ylvr42hcf/l7q+/av7Et9fGDIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAD8sjJtYlqbl65RatxMR3q6opjmZ4jxl+qNPpH79zG7GXUa7auVWrlGNZmmuieJifX2/GJBJTvQz5v53+j3b7649FosWNI3xnappdniKdM12uc2xFMfuae/M1UR8lNUJx9H/AE1mk50WMTqZsm9pt3wivUtvXPXWufj9TcmKoj5IrqBZ8NQdIu1r0l66U2qdm740zUcy79bp92ucfL5+L1NyKa5n5obeieYgGQAAAHVbo3Jp+z9Bzda1a/Vjabg2pv5F6m1XdmiiPOe7RE1T80RMu1YmmKvMFYnpQ+s+3eu/R7QNubBs61uTUrOr0Zt6MfQ8y3Rbt0266eZquWqeZ5qjwjlJvs19qPp7HS7p5tfKz9U07cNOn4Wl1YGZoebRNORFFFvuzX6nuRHe9ve49szCT/dj4juQmJtEwidbdj5dS1LH0nT8rOyq5t4uNaqvXa4pmru00xMzPEczPhHlHirL3h1u21qPpJ9p9S8a3rN7YuBoH0OyNajRMyLdF6ab/wC5m13+I9ZTHPdWfTRE+w7kccKxFqoq5ExemYlF7tjdctoVdm3c2mY+XnZupbt23kTo2Li6VlXK8qLlE00TPFvi341R4V92Y+J5b0bvVXb+L2eNq7DzK8/Tt2aPh5F/M07N0zJszRbpuzVNUV1W4oq8K6fCKpn5PBMruR8R3I+IjS/b+famdYiOSszql1z2xrnpC+mfULTretZuy9G0q7h5ur2tDzPV2rldF6I97NqKpiJrp5mKZ81ieyN96L1G27Z1zb+VczdMvzVTbu3Me7YmZpnieaLlNNUeMT5w9B3I+Ii3ETymN1kTrN0CMDY2f2I+15uzfl3TcvM6Qb/pj3dqODYqvfQXL7/fiq/TTE1Ra71Vz3/HERc8fGPGS24e09smrR5p2ZrWBv3cmVRNOm6LoGTRlXsi5Me97/cmfV0R51V18RTET8zb9dmi5RVRVTFVNUcTTVHMTD5MHQtO0y5XXh4GNiV1/XVWLNNE1fPxHijhEck8Znmrv9IJ083vkZnQDcu8bGTu7aO3s6xXu/6F4szbprm5aqu3ZtUR4W5oiumJ48vDwmpLTcXaB2Xq+w7uNsfXdN3ZrepYtWPpOk6Nfpv3btyqninvUUczbop55qqqiIpiJ5bnrs0XKJpqpiqmY4mJ8eYfJhaDpum3a7uJp+Li3K/rq7FmmiavnmI8S16ZpOMVclb/AGK8Pd3S3pzrvRrK0vXNG6iW992c+5FnDvU49Wn+sx5vX4yIp7nqpos3I8avfd+mIieW0fSgbE1zWNn9Nt56Vp2TquHs3cVvUNSs4lublyjGmae9c7seMxTNEc/Fzym53IYqtUV0zTVTFVM+ExPjEpm82njFvUiItM9t/WjzrHUnbPXneXSzD2RrWJuK3g6pG4dQv6fdi7RhY9vFvUU03Zp+srquXqKYoq4q8KvD3spEPkwdIwdL78YeHYxIrnvVRYtU0d6fjniPF9iLERYASkAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABiqeKZn5H87/Zd7UuZ2R+tO5N3Yeg2dw3czEydMnFv35s00xVft3O/zET/0XHHyv6H7n1lXzSjF0S6a7Rzt56lGTtfRr8Tj11cXcC1V4+sp8fGkEMvq32vR5dLtO/Kdz9Q+rf6/+9bp35UufqLPvpQ7F+4zQPyZZ/VPpQ7F+4zb/wCTLP6oKwfq3+v/AL1unflS5+ofVv8AX/3rdO/Klz9RZ99KHYv3Gbf/ACZZ/VPpQ7F+4zb/AOTLP6oKwfq3+v8A71unflS5+ofVv9f/AHrdO/Klz9RZ99KHYv3Gbf8AyZZ/VPpQ7F+4zb/5Ms/qgrB+rf6/+9bp35UufqH1b/X/AN63Tvypc/UWffSh2L9xm3/yZZ/VPpQ7F+4zb/5Ms/qgrB+rf6/+9bp35UufqH1b/X/3rdO/Klz9RZ99KHYv3Gbf/Jln9U+lDsX7jNv/AJMs/qgqIt+lt1m3vmdyfS9wZuTem96j6IV8eXHHPde6+rfa/H/9rtOn/wDedz9RMrH6ZbQnrnVYna2izY92VR6r6H2u7x3J8OO63n9KHYv3GaB+TLP6oKwfq3+v/vW6d+VLn6h9W/1/963Tvypc/UWffSh2L9xm3/yZZ/VPpQ7F+4zb/wCTLP6oKwfq3+v/AL1unflS5+ofVv8AX/3rdO/Klz9RZ99KHYv3Gbf/ACZZ/VPpQ7F+4zb/AOTLP6oKwfq3+v8A71unflS5+ofVv9f/AHrdO/Klz9RZ99KHYv3Gbf8AyZZ/VPpQ7F+4zb/5Ms/qgrB+rf6/+9bp35UufqH1b/X/AN63Tvypc/UWffSh2L9xm3/yZZ/VPpQ7F+4zb/5Ms/qgrB+rf6/+9bp35UufqH1b/X/3rdO/Klz9RZ99KHYv3Gbf/Jln9U+lDsX7jNv/AJMs/qgrB+rf6/8AvW6d+VLn6h9W/wBf/et078qXP1Fn30odi/cZt/8AJln9U+lDsX7jNv8A5Ms/qgrB+rf6/wDvW6d+VLn6h9W/1/8Aet078qXP1Fn30odi/cZt/wDJln9U+lDsX7jNv/kyz+qCsH6t/r/71unflS5+ofVv9f8A3rdO/Klz9RZ99KHYv3Gbf/Jln9U+lDsX7jNv/kyz+qCsH6t/r/71unflS5+ofVv9f/et078qXP1Fn30odi/cZt/8mWf1T6UOxfuM2/8Akyz+qCsH6t/r/wC9bp35UufqH1b/AF/963Tvypc/UWffSh2L9xm3/wAmWf1T6UOxfuM2/wDkyz+qCsH6t/r/AO9bp35UufqH1b/X/wB63Tvypc/UWffSh2L9xm3/AMmWf1T6UOxfuM2/+TLP6oKwfq3+v/vW6d+VLn6h9W/1/wDet078qXP1Fn30odi/cZt/8mWf1T6UOxfuM2/+TLP6oKwfq3+v/vW6d+VLn6h9W/1/963Tvypc/UWffSh2L9xm3/yZZ/VPpQ7F+4zb/wCTLP6oKwfq3+v/AL1unflS5+ofVv8AX/3rdO/Klz9RZ99KHYv3Gbf/ACZZ/VPpQ7F+4zb/AOTLP6oKwfq3+v8A71unflS5+ofVv9f/AHrdO/Klz9RZ99KHYv3Gbf8AyZZ/VPpQ7F+4zb/5Ms/qgrB+rf6/+9bp35UufqH1b/X/AN63Tvypc/UWffSh2L9xm3/yZZ/VPpQ7F+4zb/5Ms/qgrB+rf6/+9bp35UufqH1b/X/3rdO/Klz9RZ99KHYv3Gbf/Jln9U+lDsX7jNv/AJMs/qgrB+rf6/8AvW6d+VLn6h9W/wBf/et078qXP1Fn30odi/cZt/8AJln9U+lDsX7jNv8A5Ms/qgrB+rf6/wDvW6d+VLn6h9W/1/8Aet078qXP1Fn30odi/cZt/wDJln9U+lDsX7jNv/kyz+qCsH6t/r/71unflS5+ofVv9f8A3rdO/Klz9RZ99KHYv3Gbf/Jln9U+lDsX7jNv/kyz+qCsH6t/r/71unflS5+ofVv9f/et078qXP1Fn30odi/cZt/8mWf1T6UOxfuM2/8Akyz+qCsH6t/r/wC9bp35UufqH1b/AF/963Tvypc/UWffSh2L9xm3/wAmWf1T6UOxfuM2/wDkyz+qCsH6t/r/AO9bp35UufqH1b/X/wB63Tvypc/UWffSh2L9xm3/AMmWf1T6UOxfuM2/+TLP6oKwfq3+v/vW6d+VLn6jXPaH9K1rHaB6P7h2Fk7AwtHs6xaot1ZtrPruVW+7XTXzFM0xE/W8ea4T6UOxfuM2/wDkyz+qjj6RDpvtPQ+x51EzdO2xo+BmWsa1NvIxsC1buUft1uPCqKYmAUKVebDPHebD6XdnnqP1qyqbGydm6tuDmru+vxrHFimf+tdq4op/DVANe26qqKoqpqmmqmeYmJ4mJSG6P9vrrj0UixY0Xe2XqOmWoiPobrcRm2Jp+1jv++pj+DVSkt0d9C9vncHqMrqJunA2njTxNeBptMZuVx7aZq5i3TPyxNUfOnH0f9Gl0I6RxYv/ALFad2apa44ztyVRl+PxxamItx/s+HsBqrsn+kk3l1zzMXTNX6Kbhzaqqooua5texVdwrfM8d6563uxRHt/ykz8USnzaq79umruzTzHPdq84fhp+mYmkYdvEwcWzh4tuOKLGPbiiimPkpjwh9IMgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA43PrKvmloboR/npqX3rX/eUt9T4xMPiwtDwNOu1XcXCsY12qO7Ndq3FMzHxTMA+4YjwZAAAAAB+OXl2sHGu5GRcptWLVE13Llc8RTTEczMg/Ya72X2iOmfUbcVWg7X31oOv61Rbqu1afp+fbu36aKeIqqmiJ5iI5jn52w4nmAaFx/8Al7q+/av7Et9fG1ta6ZZ1vqRO45ysf3NN+bvqffd/iaeOPLhsmAZAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAa67QfRvF6/9I9e2Fm6jd0rE1eii3dy7FEV10U03Ka54ifDme7x+FsUBFfo/6NLoT0hmzkUbW/ZVqlvifd247nuqZn44tcRbj/Z/GlBg6fi6XiWsXDxrOJjWqYpt2bFuKKKIjyiKY8Ih9AAAAAAADHsl+NzMx7F23auX7du7c+soqqiJq+aPa/WYRV7SnYp1Dr1106f9QcXqBmbcsbartzd061YqrmuKLnf71qqK4iiqr62ZmJ8OPPjhHGIOEpV8+TL86Pe0RHjLPrPERDmxM8Md75HX7g13E25oeoarn3qMbBwce5k371yqKaaKKKZqqmZ9kRESTNoul2PPLLUPZP6kah1c6B7Y3hqeVVm5WqzlXovVUU0TNuMq7TbjimIjwoppjy9nj4tud75EzpNkXchxis73PsEuQ4zXwd75Achx7x3wZ9k+L8bmZj2Ltuzcv26Ltz6yiqqIqq+aPa/Tvcordo7sVah126+bA6i4vUDM27j7aqtzd021ZqrmuKLnf5tVxXEUVVfW1TMT4cefkjjEHCZSr58uPE5flVcpx7FVVdUU00RzNUzxxENM9lbq9e617W3buCdQjUdOt7p1DB027TTTFMYtqqmm3ETTEcx5zzPMzz5l9bI3Q3YMc8MRV4pS5DHLIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADEzwT5NHdtLrPk9BOzjvDdun19zVbWPGLgVzHPcyLsxRRVx7e7NXe4/6qtU9WLpiLzZw392u9q7U33e2Pt7Stb6ib1sU9/J0bauLTkVYkfHkXaq6bdr5pq5+R5LSu3notzqzoHTLXen28tq731m/box8DVcaxFubNXe/b/W0XaomiO5VzxHPMfO+b0cfSbG6e9mzQdeyKJyNz7wo+jmrahdnvXb9V2ZqtxVVPjPdoqj8M1T7WltBmOrPpetYypn12Hsjb02qPbFFcURTx8/fya5/Ava1cUype9E1wsTpnmI582WKfImeI5QlkYieYZEgADjXETTPPExx4xLM+Lp94a5a2xtXWdXvVRTawMO9k1TPlxRRNU/mVqm0TKY1mIQB7F1NnqB6QntD7yt0UzjaXXXo9iuiIimIi/Fvw+f3Pz+FYpbuUVRzTXTVHySqp9HH0J3V1r6eb+16/vLP2jtPcevXJzfoHxa1LUaqI73d90TE+qtRN2rnuR3qp55mIjifuwtD3D2GO3xsPZe39261ruwt8VWbVzTtXypv1Uesrm1zMz4TVTXxVFURE8TMSyRHk0dis76q4WleDLjHm5KpAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAYnyV39qzC3p0d7V3QidL6qbzz9D3huiijN0XO1CmMa3TTk2P2qim1RRzbmm7NPdr73hHjM8rEPagX6Qn4TfZM/nXP8Af4asTbEo7yfJq7kqeuPTPUOpuz68TTd77k2Nk41Fy9Rl7cv2rVV2ruTxTd79uqZoifHimaZ+VDr0b+49+dojo5nYm6d3bgr0jTNVv+7NSpz6/d2o3a4pmmxF+Zmq3Zop8ZijuzNVccTERPNgWqz/AOBsz+Ir/soOehxiP+DPrvh/+kuT/dWVqI1qjs9qJ8ime32Pp6vbr1/sp9rHo7p+hbk1vU9k77vXtN1LQ9c1K9n0WrtNVumm9ZrvVVV0T+3UzxFXHvZ8PF770hXSqve3Z63trV3eO5tJxdJ0e7kxoul5VmzhZddETVHr4m1NyuJ54mmK4ieI8Gq/SJ/Cb7K/8v3/AO9xEkO2tHPZM6qfyBlf2JYJm+FflMskRbEiI5Q0H2EehWp7n7K/TvWLPVrqDoVm/jXa40rSs3Cow7XGRcju0U14tdURPHM81TPMz4/Fvftd9pLE7LHRjL3Tcs06nrF25RgaVhXZ490ZVcT3e9xxPdiKZqq4+Lj2w8f2Cdds7a7BuwtWv0V3bOBpOXk3KLfHeqpov36piOfDniEcvS45OTvLoz0c3jiWcizt/Iz6Mi9FUR3rPr7FNy33uOYieIrj2xy9OLrXMdrFh6xeUoOlvQbXd5dO8DW+pO+N15m9NYxqcvJq0jWL+nY2n1Vx3qbWPYs1U0RFETEc1xVMzE8+Hg8x2YOsW6dxb76pdCN9a3kZe5tqV1U6duSxTTbysvAuRxavVeE0+uoiqmZq7vEzMcx4eO3NE6TZupaRh5eL1V3vVjX7NFy1VRfwe7NExExMf8U8uJdRsHs4bL6cdctS33TuHV9Z3/rWnTj369XzbNVd7HoqtxNVNq3boj3sxbjvceHMfGi0daY4Iib0xPHREKrUepnSP0g2H0z0nqRuneOFrGiesxKty5kX7eFVdie/fuW6Iot1zbpt11Ux3Y5maYn2y332qelOpdO+ge6t7bX35vHD3nt/EnU7WpXtcv3LeRVbmKq6bmPM+pmmqnvR3YoiI5jjjhrbcvE+mA25z7NoT/YupI9tP4KPVT+QMn+wx1zbCiY3/wA2aIviW7nx9IOv2dvXshaf1XzsKm9qdO3r2qZOLYp4pu3rNuua4pj2d6q3Ph8rx3Zc+g/aR6R6LvrXN7avr24tWtzfz8XTNdv4VjTb0zPONRYsXKO5FHhHv4mqrjmZnl83Yj3Hp20PR97X13V7dV3SdM0LLzcu3TR3pqs26rtdcRTPn72J8Gr9x+i82RvnIo330i39rnTavWbNGfj28CqbuNEXIiunuxFdFcU+++t78xHPh8TJV5U6MVOtMJAdJ9pbx2X2kd9YGp7j13cOzruh4F/R51S5Vct4tU3b9NyzFfERXXHdiZqnmuaaqeZnhHHtSYW9Ojna26DU6b1T3nqOhbw3Jxm6Nn6hTGPbpoyLH7XRTaooibcxemnu1xV4R4zPL13ZB3z1g6VdfNW6B9X9Yjd1VGjzrmhbhiqa6ruPTci3NE1TEVTHMz4V8zTNMxzMTDrfSA/Co7Jc/wD7TXf7/DVjSui3GSd1UdnsSS7THSmrql0y1rGr3hubbGHj6dk3Ltjb2VZx4y4i3NUU3aq7VdXd97xxTNPMTPKHPox+i+ob67MlrUsbqhvraVv6MZdr6H7fy8S3jcxNPvuLuNcq708+PvvZ5QsE6i+PTjc/8lZX9zUiP6ImuKOyHRM+zXM6Zj/YKbRNXcTrRT3+xt/tD9Kd/al03yc7YHUvdOjbp0bSPV4li3VjV2NSu24572RTNnvTdr4471FVMczHvWvfRr9QNc6u9F7u79y7913dm4ruTcwdQ0/UpsxYwLluuZp9VRRbpqjvUVUTM1VTz7IjiUmOnG+cPqZsnTdyYOPexcTPprqos5PHrKYprqo8eJmP3PPmgl0t1fG7Gnb03/szU70afsLfmFXuDTblc921av0RVcriOfLyvU8fJQUzaZieMLTrTeODbG8unvU7e3ar1DRttdaNy6HsnH023qesYeLRjVXMK9drrps4+PVVamKYqpt1V+/iqYiPbzCWun4tWDgY2PVkXcuqzaptzkX5iblyYiI71UxER3p854iI5nyhq3s6aRlX9o5u8tTtVWtZ3lmVa1ft3I4qs2aoinGsz/AsU24n5e98bbMeRGkRCN83ZASkAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABiUcu390Y1vrr2Yty7b25Z9063bqtZ+LixPE36rNXem3HPtmOYj5eEjmJVqi8WTE9Wbq/eyR2vt3z0n230vtdHt2ZfUPQsSjS5rycT3JplNNuO7Rdv36/G3HdiOY7szPE8c8w856Oexr1ntIdYtyb+0TV9L3RuTKqjFu3tFy7OLeopuXK7k27tdHdpp4iiKYqq5mOPNZLMMd1e96utO9S3i9V5DqD1V230uxMC9uHPqxq9QyIxcLFx8e5kZGVemJnuWrVumquueImZ4ieIiZaY7R3XPbuvdlXqtrmk3M6m5o2Jdw66MzDyMDIx8yaKJt+9uU0VxMest1RMeHjDtO0j0707q5uXQLGh73jZXU7ZkfR3SM2qii7boouxVaqi7ar8K7dXq5ir2xHz+MaOrfV3cXaA7KWh6FnabpeHu3cu/8fa2TfwoqnB1GrGv815VEx76q1V6mnx5nw8InyYtZi353rbpieCWfSfemndO9s9NenGr5Wp527snQrF2f+K38qZ7tFMXLl69FNUUR36uO9XVHPLc6LHZX13Vdv8AWPq1sDfGVZ1TfeLl2tWta36iLNWpaZdpiLPcp5niizV3qO7HhTM+2ZmZlPDLMxOsKU33SyAhdiWgu3jvL9g3ZH6majFz1d65pVeFamJ4nv35izHHzes5/A37LxXV/o/tjrpsbP2hvDAq1HQ83u1XLNF6uzVFVM801U1UTExMTHPxfHEqVxeLLUzaYlpr0dGzo2P2O+n9qbfqrufi16nc58OfXV1VxP8AszS0DpeP/wALv0ktrdej8Zmwul1iixOqUeNnIzI70xTRPlP7ZVPl7LXPthvvA7CunYO3LO1fpp9Rq9lWrcWKNvxrNNFqLMRxFn1lNuK+5xxHETHg3j006WbW6P7TxdtbP0TG0LRcbn1eLjRPjM+dVVUzNVVU+2qqZmWSZvX12KItT1eb1cPC9cepN3pB0p3LvS3h2dQo0PDuZ1zGvXptRcoojmaYqimr30+UeHnLUPbD6gbo6f6hsPMoua/gdM68y9G7dU2xZmvNxbfq/wBomaqaZrt2puT7+ujieI458fHVnaj3DpeJ2OMyNL6hZG9tt723Dg4Wm6rnZMZFVnFu3bXftTd+urin1V2qe976OZifGGPWYvDJG+0pmdPdz3967D29uDJwp02/qmBYza8Oa+/NmblEVTR3uI54545ehRy7P+5LHXXcF/eOla1qmmbX23dubfwtt0ZN7Hm5csz3ar+ZYmYiKvLuW5j62YmrmeIpkZE8sk79FKdzICFgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAGKvKePNDLr72T+snXfqdsrduTvfZ2k/sK1KrUNExsbScqYqn1tFdPuiar09+f2qiJ7vdjz4TOEW1iThZqbcmk9ZdR6e4GDputbJxN1XIuW9Rzb2mZdeH3JiYpmxb9f3qao8Oe/VVHyNO9jfsr9UOyhps7Zjd21te2flZ9efmUV6bkUZ0VVURTMWrkXYojxpp+upq9vxpdsJ3TMwcLIW9f+yR1k69dTdm7vzN8bN0mrZubcy9GxsTSMqYq71yiqPXzVenvTxboie73Y8+IhJCNka3v/pLq+1OpV7SM3M1fFyMHNuaBj3bGPNm5TNETRTdrrqiqKZ85qnxbDFbR1eqa3uiD0l7O/V3pb0gyejFGpbcz9mTVfxcXc/ui9RqGPhXq6qrlHub1c0VXIiuuKavWRETMTMTxxMgOovRLanVLpTkdPtwafGVt27iUYtNqmeK7MUUxFuuif3NVPETE/I98LVeNvREWm8I4dMdj9buhu3MbZ2Bkba6i7d06j1Gl6nrOdf0/ULViPrLd+KLV2i53Y4iKo7vhD3O0Om24tP1LW95a/qWn6l1A1DD9x4nq7Nf0O0yzHNVFi3Tz36qZrnvXK+YqrmI+tiIiNrBOupayEmf2R+uGodpPD63V772PRujFwvofRp9OjZfuGbPdqp4mmb/f599M89/zba7QXS3q11j6YXdmaduLaGjY2saT7j1zJu6blXLk3qv8pOL+3cUUT4xEVxVMfGkCImLx1eC0Tr1kSelXZm6qdPOztr/SDUNzbU1rb9zbmoaVpmRYwcjHy6b9+iqLc3bk3KqJtxNdXPFHe8vPiefVdG+m/Vjs+dNtv7L0/I0PqDgadh27NvJ1XNu4GRjVRT763E02rkXLcTzFEzFNUUxETzxykYwnjMq20s0x046Nazb6r6t1T3xlYGRu/L06nRsLB0uK5xNNwaa/WTbprriKrlddfjVXMUx4RERHDTHXnsndZeunVLZO8cre+zdKq2TqFedouNjaTlTTVM3Ldce6JqvT3p4tURPd7sefEeKZwi2sTyTz7Xm9rYOv5Wz7WHvO5pWZrF23XazKtHsXLWJXE8x7yi5XXVEd3z5qn2oydEOzh1V7MOk7p2PsfL23rOyNTzbuZpefq2Tes5mkzdiIqiq1RbqpvRTxExEVUczHnHPhMATxujhZ5np3s3E6dbG0HbOJdqu2NMxLeLTducd67NNMRVXPy1TzVPyyjd20ugWg9eupXRTTMjvRrOPrdzKvxaiOa9Lt0d/Jprn2UzVFmiPlufLLue0p2btxdQuuXTDqfoWVk51Oz67nrtAs58Yc5HM96muiuqJp8/e1xPHep4jnwbS6ebF1qreGpb63fRjWdw5uNTp+Jp2Hdm9a03Dirv8Aq4uTFPfrrr4qrqiIj3tMRzFPM1jW08pJ0vENj41i3j2KLVqim3bopimmimOIpiPKIh+rEMrEAAkAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAB5XdvSvZm/sqzk7l2pou4MizRNFq7qen2siuimfOImumZiPkfrV032pVZ0S1VtrSZtaHci9pdHuK3xgXOOO9Zju/tc8cxzTx4PSiLDoMrYO2dQ3Vi7nydA0zI3HiWpsY+r3MS3Vl2rczMzRTdmO9FPjPhE8eLvwSAAAADDIDWO89B6kxu7M1HbGrbfydEy8C3i1aRr1q/FNi7TVcmb1FVuZirvRXEVUzEcxRT4tL6F2JL+gbY6T7eo1/Ey9L2tuy/u7VbdeNNujLyK/WVUW7FuJmKKKK7k8RM+UR7UteI+I4j4kRFpuTq0nsbojrHTntA703fomoYUbO3hRZydS0e536btjPt01UzkWuImme/Hd70TxMzHPM8N2QcMiLACUgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAP/Z", null, "data:image/jpeg;base64,/9j/4AAQSkZJRgABAQAAAQABAAD/4gIoSUNDX1BST0ZJTEUAAQEAAAIYAAAAAAQwAABtbnRyUkdCIFhZWiAAAAAAAAAAAAAAAABhY3NwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAQAA9tYAAQAAAADTLQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAlkZXNjAAAA8AAAAHRyWFlaAAABZAAAABRnWFlaAAABeAAAABRiWFlaAAABjAAAABRyVFJDAAABoAAAAChnVFJDAAABoAAAAChiVFJDAAABoAAAACh3dHB0AAAByAAAABRjcHJ0AAAB3AAAADxtbHVjAAAAAAAAAAEAAAAMZW5VUwAAAFgAAAAcAHMAUgBHAEIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFhZWiAAAAAAAABvogAAOPUAAAOQWFlaIAAAAAAAAGKZAAC3hQAAGNpYWVogAAAAAAAAJKAAAA+EAAC2z3BhcmEAAAAAAAQAAAACZmYAAPKnAAANWQAAE9AAAApbAAAAAAAAAABYWVogAAAAAAAA9tYAAQAAAADTLW1sdWMAAAAAAAAAAQAAAAxlblVTAAAAIAAAABwARwBvAG8AZwBsAGUAIABJAG4AYwAuACAAMgAwADEANv/bAEMAAwICAwICAwMDAwQDAwQFCAUFBAQFCgcHBggMCgwMCwoLCw0OEhANDhEOCwsQFhARExQVFRUMDxcYFhQYEhQVFP/bAEMBAwQEBQQFCQUFCRQNCw0UFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFP/AABEIA38HkgMBIgACEQEDEQH/xAAeAAEAAQQDAQEAAAAAAAAAAAAACAEGBwkCBAUDCv/EAHEQAAEDAwIDAwMJEA0HCAcDDQABAgMEBQYHEQgSIRMxQQkiURQVMmFxgZW00hYYGTY4VVd0dXaRkpOUodEXIzc5QlJTVnKys8HTJDM0YnOCsSY1Q1RkotTiJSdER1hjZSgpRaPCRkiDhZakxOGE4/H/xAAbAQEAAgMBAQAAAAAAAAAAAAAAAQIDBAUGB//EAEYRAQABAgMFAwcICAUFAAMAAAABAhEDBCEFEjFBUQZhcRMVIjKBkaEUM0JSVLHB0RYXI1NVcpLwByQlQ/E0NWJj4YKTwv/aAAwDAQACEQMRAD8A2pgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAeRll6qMdx2uuVJZ62/1NNHzsttu7P1RUL/ABWdo5jN/wCk5E9siZsPXBDvKfKR2XCNR7bgN80i1Ft+XXJ0baO1yU1Ar6hXu5Wcjkq1au6ptvv4dTJc3EplUESyycP+pSRom7lY21yLt7TW1qqvuIijlc7meQYZ0d4scA1ov1bjluq6uyZfQovqrGcgpXUNxi2717J/skT0t326b95mVuy9UJRdUABIAAAIw8VPGRd+F1ktwrtKbzfcabNFTsv0Fwgip3SvbujeXznt6oqbq3bdPbQkVjN4TIsetd1bF2Da6liqUiV3Nyc7Edtv0323HHU4TZ6gAAAHwrZpKejnlihdUyRsc5sLFRHSKibo1FXpuvd1A+4Iq4jxtXG88Sll0cyDSq74dd7pTy1UdVcbjDKiRsifIjkbGjkci9mqeyTYlS1NkQcrncqDi4xDXcV2mdt1xp9JKjIGszadiKyk7F3Z8yt5kjWTblR6t68vuDnaDhF2YAYU4keIe48PeOzXyLTjIMztNLSvq62utMkDYaNje/tOd/P3dd2sVETqqlx8O+scHEBo9j2e01sks0F4jkkZQyzJK6JGyOZsrkREX2G/d4iNYmYJ0tdkgGIF4rtM/wBnNdIVyBqZwjOb1H2Luz5+Xn7PtNuXn5evLv8ApMuqqN6r0HK53OQPlT1MNXC2WCVk0TurXxuRzV9xUPp4gVAAAAAAAABxd0Qj9kfEncL/AKx3bTPTaz0l8vFhpUq79eLnO+O323f2MO0bXPlmX+KmyJ4r37RcSDBHng44rafirw69XRtmks1dZq91BUt85YZl23bJHzIipune1eqL6SQqLuhM6IuqAAkAAAAAAAAAOK9AOQMQUHFdpnctc6nSKnyBH5xTtVX0XYvRivRnO6NJNuVXo3qrd/BfQpl3v9wI7nIAoEqg+UNTDUK9IpWSKxysfyOReVyd6L6F9o+oAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADHuqOvuB6MS0keZXxbM6rY6SFVo6idHNbtzKqxRuRNt/HYXGQgR7tnH9oHenyMt2oMFe6PZXtpbbWSK33eWFdu49Wi419EaysipX6g2+3SSuRrHXaKahjVV7k552Mb+kDN4OtQ19LdKSKqo6iKqppWo+OaB6PY9q+KKnRUOwniEKgAJADp3e5wWW2VVfUq9KelidNJ2cavdytTddmtRVVdk7kTcDuAwPpvxqaXasanMwDHrjcZcmdDJUepau2TU3KxiczlVZGpt0M8Dlc7gAAACx9WdZMa0Vx5l7yiStit75exR9FQzVTkXlV27kja5Wps1eq7J7ZEzYXwDGmhPELhfEdjdbf8HraivtlHVOopJaimfAvaI1rlREd1VNnJ1MlkovcB8p5o6aF8sr2xxsbzOe9dmtRO9VXwQ8fFM5xzPLe+vxq/WzIaGOV0L6m1VkdTG2RO9iuYqojk8U7yLpe6CP9fx1aPUOpNtwRb/VyZLX3Flrhpm22oa1Z3SJGiczmIm3Mu3MnQzzPUw0kD555GQwxtV75JHI1rWom6qqr3Ig5XO59weJiebY9ndq9csavttyC3c7o/Vdrq46mLnTvbzsVU3TxQ9pF2QkVBRF3KgAAAAAAAAAdatq4LfRzVVVNHT00LFkkmlcjWMaibqqqvRERPEjZkXH3p/jmOOyyS232fAkuKWxmWMp4mUU8yqqL2LXyNlmamy7ujY5Nmr16KRcScB0rTdaS+W2kuFBUMqqKriZPBNGu7ZGOTdrkX0Kiop3SURNwABIAAAAAAAACh8a6up7bSTVVVPHTU0LFklmlejWMaibq5yr0RETxUD7g8bFcysGdWpl0xu927ILY9ysbW2uqZUwuVF2VEexVRVRe/qeyAAKK5E7wKgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAUXuKlF7gNYXGOu3lQtCE9ug+MvNnaN3ahqx47Ki5UvlJdFZbPHSS3VrKD1Kyue5kCyLUvRvOrUVyN379kVSdU8vEFLC5sNFptTyKmySOrbhIjfb5exTf3N0Ip+aj2/eiqP2nshAnyplXUae8WGkGV4kq0eXPhY5ZaXpLMrJ0bGjtuq7o5zdl706GynJNWcU08tlDNmOS2jG5aiFJEZcqxkCuXZOblRyoqoirt0MHYRwVuuWtEermrmRszzOKbkS201LS+prXbEb7Hsolc5zlTfdFcvfuvVdlS7OM7TrGMy4e88rb5j9tutfb7FVyUdZV0rHzUzkjVyLG9U5mdWovRU7iJncw7dFrb1a+q/XzTu14rbslq8zs1PYrk1zqOvfVtSOoa3fmVi7+cibLuqdxd1iyC3ZPaKS62iup7lbKuNJaerpZEkjlYvc5rk6KhBjgI0Mt2rfBCyLK3zPflFuqLLHU0zkZNR0DJXxtjicqLy7va+Re9HK5N0VE2O3xRZJB5PPgytuGafV1a67VtQtstlwr3tkmiWRzpJpuiIiKjd0aiJsiuReu3W9cbs2Vp9LgljlOu2n+FXZ9rvmYWe23GNqOkpJqpvaxt9LmpurU93YujHcntOXWqC6WS5Ul2ts6bxVdFM2WJ6e05qqhYHD3o1ZtHdL7PZqClZJXSQMnudwlTnnrqpzUWWWV6+c5Vcq969E2Qi3r3l7ODXjD05vlg2t2GakyS0WQ2eFOWnWpY+NratjO5sn7exVVPZI1d+8jhVFKIm9O9Hiufyte3zoNeu3/wCM0H9opnSxa0YNp9g+LUORZXarRWpZ6WRaapqGpI1nZN2c5ve1PbXoYJ8rWvNweV6oq/8APFCqL/vqZ84cNPLJg+j2MRW6kR09dbqeqra2o/bKirmfE1XPlevVy9dk3XoiIibIgpjSrx/BNXGnwlf+N5XaMxtEF1sV0o7vbZ03jq6Gdssbvcc1VQ55Bk9qxO0z3S93KltNugTmlqqyZsUbE9tzlRCBOteRt4MuN7A7nji+t2EamKtNfbLF5tN6r7RsfqljO5j/ANsjVVTv2dv3mXeKHSbVzONddI8kwuvtDcNx+q7a7012e1WR7yN55eze1Uc7suZrVb5zVVdlTfciJvET1OEzDOOKa76fZxeUtFizGz3O6q3nbRQ1Te2e3v3axdlcnubl9d6EIPKL5rpbkmgF/WkzTHW6g486Kvsq2+6QrcaaoZKzmRiMdzpzN5kVPf8AAkXwt55cdTeHrAMnvEnbXW5WmGWpkRNu0k22c73VVN/fJjWJnoTy70X9T3Ni8rPpW5yo1rcYqlVVXoidjVErm8RumK3Vlt+bywJVvl7BjVrmI1z99uVHb8qr7SKQr4kMQoc88qTpRYroszrZV2CX1TDDIrO3Y2OpesblTqrHcqI5PFqqncpPPJNOMZy3C6nFLpY6Kpx+enWldb1gakSR7bIjWomzdvDbu2TYrTP7OmfH701evMeH3LikqI2QrK6RjYmt51ertkRO/ff0Ec6TH+G/NOI+3ZfQ3DGrvqsrHMplo7kksr1ZGu7+ya5Wq9rEXztt0RPaMQeT91Tu1q1J1U4e8jrpbxT4ZVSpZaisXtJFoklVjoXqvskbzR7b+DlTuRC3cqwLHMB8rNpdT43ZKCw01ZjFRUzU9up2QRvl7Otar1a1ETdUa3r7RaNaqe9E3imq/GEteLlqJwtas+1i9y+LSFheTmnjpeCnTiWWRsUTKOoe9712a1EqJd1VV7kL+4uvqWtWfvWuXxZ5YPk5qeKq4J9OYZo2yxSUdQx8b0RWuatRKioqL3opWn6fs/Eq+j7fwdqxY5w45ZxIQ5nZrhjV31Vlid2b6G4pNK7lZs6RImuVvMjE25tt9i8eJXiNxPh202vV+vt3pILjFSv9QW1ZU9UVUyptGxrE6qiu23XbZE3VSJ0uC49gPlasUo8bstBYaOoxOSpkpbdTtgiWRWztV3I1ERFVGt7k8DN3lEMDxq4cLGpWQVePWqqv1NampBdJqKJ9VEiSs25ZVbzN717l8VImf2cTC1Pzlp7nZ4MdYcObwzacU9xzCw012ktrO1pJ7pAyZsjnOXlViu3Rd17ttzPV41AxjHK5KK7ZHaLXV8iSep62uihk5V32Xlc5F26L1I7cEmjeA3Xhc0xu1dg+N1l0ktUUz66otNO+dz91VHK9Wcyr7e+5enFlw0YzxC6UZPb6ixW+TKZaB6Wy7upmeqoZmIrokSXbm5ebord9tlUyYno3sph+la7LlgzKxZW2dbJerbeW06o2ZbfVxz9mq9yO5FXbu8TzqjVbC6SqmpZ8vsMNTC9Y5IZLnC17HIuytciu3Rd/BSLXkrslsN44dHWqkstDZcox6tktN8bT07Yp55GKqxySqiczlVrlTd3i1yHt4jw06aao8Ted6k1eIWutpLW+KzUqSUzVp6muYnPVVKx7cr3I57YuZUXrG/x6kTFqrciJ0m6WUUrZo2va5HNcm6Oau6KnpQ5L0Q4wxthjaxjUYxqIjWomyInoKvVEYqquyJ4kTwWeZkeUWnELTPdL3cqS0W2BN5autmbFGz0bucqIWxi2uun+bXVtrsWX2i5XJ7edlJDVN7V7fS1q9XJ7m5ETh+y6PjI4vtSMgyBEuOH6cSx0GO2ebzqds73yNdVuZ3OkXsXKir7FHJt3EoeIrR2z6waWXq01tM2K4wU76m13GLzKihq2NVYponp1aqORO5eqboRM2p3p8SI13WQb/kdqxi3Orrzc6O00KORi1NdUMhjRV7k5nKibqQJ4BtR8TtOsvE1X3jKLNRer8xldS1FbcIo0qIkln5Vjc5yczdlTqm6dxk7gK1lh4ueG9kGf26hyO8WOqW3XJtypY546l7E5oplY5FTmVqpuu3eir4mIuADSzC8k1s4mqW74jYbpS2/LpIaOCttkEzKaPt6lOSNrmqjG7InRuydE9BaItXPh+SJm9HtbBbBRWmmomy2aCjho6lfVCPoWMSOXm68+7ejt+/fxPU7j40VDT26lhpaSCOlpoGJHFDCxGMjaibI1rU6IiJ4IfZUB4sfZFxB6a4lePWm751j9vunbJTrRTXCNJkkVdkYrN90XdUTY45bxDaa4Hd32vIM4sVouMe3aU1VWsa+Pfu50383f29iEPlaNNcatto0zvtsslBZ7/cMrjgqbtb6ZkNTKjmK5Vc9qIrlRzUVFdv1Qnfg+luM4NhsOO2u0U7basapUJNGkj6pzk8+SZzt1ke5VVXOduq7kR6t0zpNlyWe+UGQ26nuFrrae4UFQ1HxVNLK2SORq+LXNVUVDtVFRHSwvlle2KNiK5z3rs1qJ3qq+Brmwe+1HBv5QpdKbXPJHpnn8DbhRWhXKsVBUy86IsSL7FO0ie3ZOnK5voQ93jl1Wmz/iT0x4e/XhLLil1lZcMomWdIUqKdFV6QOfumzVbE/dPFXN9Aj0rW5o4TMTyS3peJHS+tusVtgz2wS1ks3qeNja5nK+Tfbka7flVfaRS8sly+y4ba3XK/Xais1vYqNdVV87YYkVe5OZyom/tGNM2sukuY6U1+A1VwxlmOzUK0UdHFV07WQNRuzFjRF81WrsqKncqGCvJ35Q3XnhnrcU1ApKLMHYrdZrOr7rAyqZPGzrE5UeioqtRVaju/ZqEdbck9JSatGvend/x+63225rY62zWuVsNbXw1rHQwSLsrWudvsirumyeO57OEakYzqTbZbhi18ob9RQyLDJNQzJIkb072u27l9pTXv5NXTmkrdZNbYX00SY3iuU1HrZbeXeKKoe+WNsnL3KscUXK30c7jNd94TG8N2gWuM2k1Ze67KsnpKisY2pnSSWN3K5VZBytReflc/ZerlXl67k1TFMX7rkRebd9kgrlr5p7aLhU0NVl9pjqqZ6x1DG1CPSFyd7Xq3dGqnjuqbHuWbUTGMkZcn2rILbcY7a1rq2SmqmSMp2uZztV7kXZqK3zuvgQ74WPKA6CwaY41ilyukWn94ttHHRVVtu1M6GNszW8r1SREVq7uRV3cqL16oimc9B9IsbxjI9S8hxuay3PC85q6e4U0dtkbPBIvYck+6InIrXOVV2RVRd139BMxxRd4mIYzw5ZDxGTZrjVdjd11VqYXvdJb7ik0qojEY+VI2uVqO5dkV22+y+2pn69X+3Y1a57jda6mttvp2881TVypHHGnpVztkQgDi2E4/gflaVoMcs1DYqGXEXVDqS3wNhiR6tRFcjGoiJvsnchffH9qLVaSZ/o1mN/stZftLrTc55b1TUkXatZULHy08r2qqNXkVXObzL3p6diIn0aJjmfSq7vySTpOIHTmukVkWZ2hPMdIjpalI2ua1Fc5Wq7ZF2RFXp4IdvLdZ8KwfBWZhe8lt1BjstKlZDXSTpyzxK1HNWNO9+6Kiojd1XdDB8/Etw98W2BXbB6TM7JVzXyjkpIrZdv8lm7RzVRnI2RE89HbKnLuu6dC+k0XstBw42PHMssllyK441i7KFs9VSR1LI5Y6VrHOidIzdEVWIu+yKuyFa7xTMppmJqiGI+BTiUxPNtO8yya9ZJZ7DU3rMLjXRUVyuMMEzYXJEkaq1zkX2KJ+BSYFHcILjSQ1VJPFVUszEfHNC9Hse1eqORydFRU8TX95KHSrCcx4W5K/IMOsF8r0v1XH6quVsgqJeVGxbN5ntVdk3Xp7ZILjW1sXhf4Zr5f8eggo7lGyK2WeGKJrYoZZFRjVRqdERjEc5E7vNRDJXO6imJqmzJ2Xa44FgVz9bcgy202q4oztXUk9S1JWs/jOYnVqe2qbFx45ldnzCz092sd0o7xbJ03iq6KZssT09pzV2I0cENtwnTzQawXK5ZHZqnLsmp23m+XKtr4nVVTUTJz7SOc7m81HI1Gr3bL6TGmA5XQaQ+UauGHYlcKSownUO0rc5bdQTNkpqevja9XSMRqqjFckblVE7+b3CLTFW6i96d5Lel4gdN6/KaXHKTOrBV32qlWGC309fHJNI9N92o1qr16L09o4ZBxEaa4nd5bZeM4sdvropEhlinrGN7ORe5j132avtKqKQQ40tMLTi/GzoDDg9toMQuN8fNT1NXaaVlOqo6RGuk2YiJ2iNe/Z22++y+BOnONM8bpdDsjxGGzUsVgW0VMC0aRorVasbt1X0uVevMvXfrvuVmbUb89/wXt6W6yJR1kNfSxVNNNHUU8rUfHLE5HNe1U3RyKnRUVF33OpfMituM2youV3r6a12+nbzy1VXK2KONPSrnKiIRG8lFlFwyDhLt9PX1MlUlqudVQ07pHbqyJrkc1vuJzKiGOrFkK8Z/H7kOPXxVrNNtMYnS01lf1p6uva9saSzN7n+csioi9NmIm3VS0x6UUx4qxOkzPJM3FuITTbN7rDbbFnFjulwm37GmgrWK+X+gm/ne9uZAV+zd16IRw44NEM71n0WjxvTSa0227troZXrWo2JUhYu/7VJyOWNyLyrumy7IqIvgYP4+dYcv08050m0chyFtJluZOpbdfL9DJ2f7SiRxTOa5dlaj5H7q7p5qL6SO7neyYS5uPEhphaLrLbazPLDT1kMqQSsfXM2jkX+C52+zV9pVMh09VHV08c8MjJYZGo9kkbuZrmr1RUVO9FMT4paNIcQ0zpsCoa/GUxqKj9RuoX1kCtmYqbOV6c3nK7dVVV6qqke/JyZtVW3JNYNIluS3ex4XfH+sVSs3a8lFI93JEj9+rW8qKn9J3tExxmFeUSnEAAsAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAdC8xMmtNcx7Uex0L0c1yboqcqnfOldv+bav/Yv/wCClauEpji1reRvgjjyHXblY1vLcaJrdk22Tmq+ie0bE86wHHtSMcrrHktppLzbKuJ0UtPWQtkaqKm26bp0X0KnVF7jV55LLUOuwnJ9a4qDCMjzF9RcaVz/AFgbSL6nRH1SJz9vPF7LdduXf2K77dN5zZhrLqvfLRUUOC6L3yivU7FjirstrqGlo6Zyoqdo5IZ5Xv27+VETf0l8TWmLdIVjSurxQ78mDqnfsQ1+1F0Qmr6m64pbZKqW2NqHq/1GsM/IqNVe5r2uTdO7du/iu+0Hn23ItcFnBTFwyw33IsgukeR6iZE5X3O5QtVIYkV6vWOHdEXZXLurlRFVUTomxGvj406j0S170cy3Dam81N8vmQPdJQXK8VNTSy1KyMWNUZI93Zt55PYt2RE6IibDnTTz4FvWqjg2co/f0FVdt7ZETUPghvl81H0wzHGc8ns13x+sSpv9xqEfJV3fdzHP89F2Rq8rmpGvmNa7onTZerrRrNe9WOKiw8PGI3iqx+3R0brpll5t8nZ1aQtbzNpoZE6xq7dnM5NlTn6Kmy7114RxO/kmJz/hKr5yGFLzwj6d1Nilgstrlxi9NjVabILTVSxXCGXbzZFm5ldIu/VUfzI7xRdyxOCDiSvOq7M0wDNpo58/wK4PttdVxtRiV8SPexk/L4O3YqO22TfZfERrMwcIuxhcI2x+WBtata1FfhTnOVE25l5ZU3X3kT8BPRX9EXdDXHq1Yrjk/lYrFaLdeqiwpWYkjKqso9kn9TokyyMjd/Ac5E5edOrUVVTrsSrzDhCwG9Y7Uw2WgmxfI0jVaTJrZVSx3GGZPYyOm5uaTr3o9VRU3RRE2w6Zn+9Uz68xHd9zOSLuOYibwG8TN91htGXYPnEkcuoGC3B9srqmNqNStjY50bZlT+NzMcjtk27l8di2tA7JluuusOqsOuOmdTJbLbXqyxVd4bL6jWDnc1scELl7N3mNa5ZWoqqrl3Xu2nnb2o8U10fudO7xtfa6xHIio6F6Ki9y+apB65ZLcOE7jdwPA8dr6ibTXUGnejseqah08dsqmq5qOp1cqrGxVRnmIu3V3TohOO6/811f+xf/AFVKVerdMetZB/ySCNj0dz5GojWpl9WiInRETkjJ086+0a0/Ji6WwalYVn7sir6isxmjyipbFj8UjoqeadzWq+Wo5VRZURORGsXzU2cqoqqm2X+LbTifhlwGTV3Rty4rcMeljmutip3uS2XWjV6NkbJT78qPTdqo9qIuyKm/dteqbWv3IiLzVEdZS1zLFqTN8TvGP17pWUV0pJaOd0D+SRGSNVrlavguymHeEnhEx3hGxm+Wew3m43tbtWJVzT3DlareVvKxrWtTbom+696/gRPvBDinGfw9Y/fZ5rrR2i8UiV8aWq5zUU0MqNcxzHPic3m5Xcycrt2qreqGCPJCyTv0KzqOoqp62SLMquJJqmRZHqjaemRN1X3BETE1R/fFE60xPe6flCaWFvE7wnzpGxJnZWjHSI1OZUSopFRN/R1X8JNbPMModRMIvWMXJ80dBd6OWinfTv5ZGse1WqrV8F6kLvKGfVLcJn32f/1FGSv1s0esms2GSWi+VN2pYIkdNHLaLnPRSNfyKiKqxOTnRN9+V27faKR8zr1lafnI8IWdwmcKFg4ScLuePWO8XC9+uFYtZPVXDlau/KjWta1vRERETf0r7yJ5nEprXHh+p+i2D0F2kpL3kmTwOnpqaZWvfRRtfzo9EXqxzlYmy9F2X0GH/JETT3PhivvqupnqpXZLWMdNLI50i/tMKey33MPcVHD1iOM8d+hFuonXtrcmqHuuVXLfKySrerXo1vJO6VZI9kVduRybGSdcSmJ5/krHq1T0u2kNXoV37zG2negeNaYXGsrrPWZHPNVwLTSNu2R11wYjVVF3ayeZ7Wu6eyREX2+pBTja01reHnU7S/JKTN88g0ru90bb8hoGZRXOWBeZFRzZXSK5rXNV/wDC6cnTbcrfWI6rdZbNFX3Bv3GNdQ7DjkehlzoLhd7pQYzRWnmdcqK6TR1jIYo0c16VCO7RX7NReZXKrl79913xjwZcPN200wmz5Ll2XZXk2X3Gj7SeK93ieanpGSbObE2BzuXma3lRXKirvvtsnQnnMdEX0iUmTiqr6DkY64gNYbboJpFk2c3RqzQ2mldJFTouyzzL0jjRf9ZytT2k3UrM2i6Yi82hkLnKou6eBE3hm0qbr5pladTtXt8vv2UReuNPbKx7lt1rpnqqwxQU+/Ii8nKqvVFcqr39C1uIPKajgNzXCcux6oqv2LMguTbNfMZnnfNDRSOar2VNKjlVYlRrH7sReVdu5FXctMTExTPFETeJmGSvKL3usx/gz1LqqCd9PUPo4adZGLsqMkqYo3pv7bXOT3zs6WaB4Fqtwi6W4plmO015sMdjttayklVzEbP6na5ZEcxUVFVXv369eZd+8xf5THTWwX7hizXPWVl3fcYqOiSBsF5qm0L2LUxIirStkSF68r1XdWKu+y96IX9we6DY3ZNKNMMyp63JJbvLj1FO6OqySunpOaSlbzIlM+ZYkTzl2RG7N6bbbIRTGlV+sFU+rbvSRtdqpLJbqWgoYGUtFSxNhggjTZsbGps1qJ4IiJsdpV2HgeNmOK0WcY1X2O4vqmUNbGsUrqGqkpZkb/qyxua9i+21UUTPNMRyevzlVf7hq00E0cqKbyhGrOnNoyy+0GIUNsZLVMdcJZa2op1dTv8AU7ahyq9jVfIm7kXn5U2Ryb7kqtb+DvH4sBud30sjqMB1CtkDqu23ez1Mkb55WJzdlOnMqSteiK1edF6ruJmIpirlJ9KaeiUKO3QK7YjJwH8VM3E3oo+731kdLlFjndQXhsTeVj3tajmzNTwRzV6p4KjvDYxbohmVXx66259dL1V1LdIsOqm2604/TzOihuk683NPVcqp2qIjEVGKvKnO3ouyqs2ne3UX0vP9ynYryvMQb4uLcnBc/EdWtNYXWOyx3aG2ZJjlI9yUNdSy837Z2O/KyVqt2R7URfOTffY6XlO9LrFfeHi86pUVzvdPe6eKj9TuprtUMpJIXyNbstPz9n1a/fdGoq9OpW+l+9aIvNk8Ofp4FeZdiCS8Ll94puEfGblLf/WPOLrQ2+stddUrJJFbKJjWLFBE1qpyOcxGufI3zlcq9dtkTv8AELqO7R7MNBdONSMsrI8HraWVmQZB2j6dtyqYo2sjjnkau7YlcvM9N+qKnMu25aYtNpUibxeE3VeuxbGpmA2/VXT7IMSuss8FuvVFLQzy0r+SRjXtVFVq+lPb6ekwnqFoNprqRo/kjNMvWy23mqtkyUF3w+rZFK9/IvK1ZIXftjXL5qo5VRUVfdPUy7Quh1G4Z8dsWVy3q23Cz4/Ev/o26T0csVSykRq8/ZORJOVU9i/mbuncY6uE35LU+tEQ9PhQ4W7Fwnaf1WLWO7V96ZVVjq2eqr+VHK9Wo1Ea1vRqIjU91TNvN12IVeSUq56zhR7WpnkqZlvtZvLM9XOd7DvVep5ul+ren+rmvurFg1jutAzILNfpLbYcdyKoSKibb2IiMfFE9Ujkle7nc5VRXbK3boZar71u5WNIme9Obn9zcj1x1a0xaMcP15rILtJar/c3xW61OpplinWaSRqK6NW9U5WczlVO7b2zzsp4fqW2606RZXgMc9Fj9uuVWl0tdtqVS3NY+klaydIUdyNcj9m7tTrz9SL/AJWnRTGrJj2KZpB65zZBcchbTSzVd1qZ444no57mRRverIk3RF8xE22KcZiO9aNbtm0K/tTN+/Y5KuxiTBeGrEsDv9FfLbX5XLW06KrGXHK7lWQLu1U86GWdzHdF8U6GD+MHXrJK/WjT7h8wG6y2O+5ZIkt3vVL/AKRQ0KbuckS9eV7mRyLzbboiJt3lp9a0K06xdMrmHMR2zzg8wn9ji4QYtR1GOZfSUr5bdlFJVy+uLKprVVkkk/Mr5EVyJzI5VRUVS0OF7M4+N3hZp6bPZa+O826sfbbtJaa+agklnhXo/nhc1yczXNVW77Ku/TbZCt+Pct0nqlur9lCP3NYnk88MuOSZ/rZgFTdrm/C7LkciVUi1snqqv7N8kUMD5UXmSPla5z9lRXLyp3bot8cc2O2/hSuuleo2mNMmI3F2RRWy5Utuc6OnuNM9quVk8aLyv9gqbqm/nL19E86e+3xOcx0bBSiuRCzNT9T7ZpRpdfM3vCu9brVQOrZGMVEc/Zu7WJv4uVURPdIqcJGDVvFzh8usOsj5chjvdTMljxiSV7bZbqSN6sRUgRUa97nNd57912RPSojjMdEconqm9zFFftuQ1xG06k6a8b0GMYnhNVZtE57a91ZVMmllonS9k5zJGc71bE9JERnIxE3RVVUXoqeLPqbc+L3jAyDS2julXbNLMFgWW8x26d0Et4rEejEhkkYqOSFHK7dqKm/Zu37+iNbW5k6XvyTkR2/ickIZcX+lVNw9aU1OrGkVO3DsjxOSGrqKa3OcyludKsjWSxVEW/LJ0dzI5U3TZdl6koNJNQKXVXTLGMvo2LHT3q3wVzY1741exHK1fcVVT3iY1iThMLuAASAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFHdylTycpxyny3H66z1c9ZS09XH2b5rfVSUs7E9LJY1RzF9tqooGszjacieU20LVXImz7bv+duNozXb7dCM968nVovkt/jvt4t2QXa9xq1WXOuySumqWq32O0jpVcm3h16GadN9L7Xpdb6qhtdfe6+GolSZzr5d6m4yNVGo3Zj53uVrdk7kXbfqKdKIpRVrVvLyMUcVjkThu1L36J8z9Z1/wD2LjKxjPWTh9xbXWCGlyma9voGQugfQ2681VFT1DHKiqkscT2tk7v4SLsUqjeiy1M2m7FXk03p85Tpxt1TsqpP/wCbmMaeV10pu+e8P9rySz08lW7FLilbVQxJzO9TvbyOft4o1Vaq+1uvchIHSrhDwDROtoZ8OdkVqpqJ73xWz5oaySh3cio5XU7pFjd3qvVvf1Myz0sNbTyQVETJoZGqx8UjUc1zV70VF70Mlc7070dbq0ejotfSrNLdqHpvjWSWmoZU2+5UENTE+N26bOYiqi+2i7oqelCDHH9j0uvnFvoLprYEWquNqmmut1dF1SjpnSQO53+jzYHL7e7fShKW38J1gxOatbhGVZbp7bauR00tox2viSiR7l3c6OKeGVIt/wD5fKntF2aVaC4hpBPc62y0c9TfLo9JLjfbpO6quFa5O7tJn9VRPBqbNTwRCONUVe1EejTu91kcfK0sSLg5rWp3Nu9An/fUkvobdqS9aN4RWUFRHVUslmpOSWJ27V2iai/gVFT3UO1qfpRjmr9io7NlFEtwtlLX09ybT82zXywv52cyfwm797V6KWxU8PNvpK+vnxjKsowemr5HTVNvx+qhbSukd1c9kU0MiROVd1VY+XdVVe/qInSYnmnp3Igcb2PScQfG5olp1YUWsnx9FvF6ki85tHAszH+evgqth6J/rt9J9OIG+37iM49bToDcrxW2LTi10TLjcKGimdA67r2KTK1zmqiq1eZGbb9OVy9/dNLSnQrENHWXGWwUEj7rdJe3uN4uEzqmurZP40sz/Od7SdETwRDw9WeF/CtXsps+VV7LhY8xtCp6hySw1XqWuhRP4Ku2c17eq+a9rk6r06kR6No8fimdbz3Whhfjc05wDR3gnz2gx7GLTYIX0MdHSx0VIxsj5HSsRERUTmcu26qqqq7Iqr4ns8HWoC2HQDh6x6CkZVtyC1zMfOkuy07YInSc3LsvNuuzV6ptuhl23aBWh1W2qya8XrPp44ZKeH5ppYZYoWSMVknLFFFHHzOYrmq5Wq7Zypvsq7/LSLhnwDQ6okmxK1VFIvLJHAyqrpqllJG9yOfHA2Rzkia5yIqozbdUTcmmbXiedkTra3JErW+60dm8rJo7UV1THSwOscsKSSrs3nfFVMY3f0q5zWp7aohsBqqqKkp5Zpntihjar3yPXZGoibqqr6DH2VcPWC5xmVxye/WSO63SutTbPI+oVVaynbIsicifwHcyovOiovmt222Ldu/C7QZJZ1sd6zzOrvjTk5X2WpusbYZY/wCSfKyJs72eCo6Vd/HcrF9yKfEnWre8EV/J/YvU6icVmuetsEbm4tX109utVSqbNq1Wbmc5i+KNbGzr6X+0p7mq7k+i3aRecn0pVHT/AHa4mxYcIsuKYlDjVjt0VlstPAtNBSW9OwSJioqeYrdlavXfdOu/XfcwbWeT+0muGUQ5LVNyqpyWBOWK8y5VcHVkSdejZlm52p1Xoi+KkxpVT0p/In0oqvxlefF1Ii8LerXh/wAlrl8WkLF8nA5E4LtNev8A7LP8ZlL81H4YsP1YsVvsmSVWSVdpo6P1CtJFkNZDHVRdP9IRkiJM5dvZScyqdXSzhNwTRenqKXEZMittvmpZaRLeuQVklLE2T2To4nSK1j9+qPaiORd+ojTe7ydYjuRvzJzfou+F9U+kx6bfnJnTj5pZa7g71TigjdJJ60q/lanXZsjHOX3kRV948+o8n7pNU5QzJ5kyqXJo2oxl7flVwWta3bbZJu250TZVTbcz18y9BLjPrBVROuNsWl9RyR1z1nWaPl5VSRzt1eqp3qu6r4lZp/ZxStE2xN7wRs4bMzkw/wAndjmR26aFKu1YlNUwPkTmYk0bHq1FTx85ETYktjdTVV2O2yorm8lbNSxyTtRvLtIrEVybeHXcwth3BniGDUiWa137KUwttZ6uZh89xY+1tk5+fl5Vj7VWcyIvZrIrfSil65DxB4HiurNh00uV8ZTZle4lmobd2T17Rqb970Tlaq8rtkVU32MlU70z3scRux4INZjkldwPcdGVyW63zVmOap2ySst1FA1eV93VzuRmyd28y7L6EnRe5CfmkGCJprp1ZMffN6rqqaFX1dVtstRUyOWSeVfbdI57vfMaZ/itq1Y4mcHo6ighrG4HSy32oq1busVROixU0O/uNklVP9Ri+Jn3lT0EU+rH96LTrVf+7ieJwnYkkL2r3OTZT6FFTciYvFkxo11+T7x6bQbis160zv6epbjcZ4bra1l6JWUzZJ152enzZmKu3ds5PBScerubW7TzTDKMju07KWgttunqJHvXbfZi7NT21XZETxVUPL1V0ExDV6e2V15o56W+2tyvt19tU7qW4Uar39nM3qiL4tXdq+KKWrcOE6wZXPRJm+VZZqHbqSVs0NpyOviWi52ru1z4YIYkl2/+ZzJ7RExNVMUz4F7VTV7WBfJIaU3fAuHq5ZDeKeSjfldxdX00MqbO7BreRj9vQ5Ucqe1svidXycz0/Z24qdl3/wCWci9P9vVEys406tedYr8z9TPcrXb0cxWrY7hNb5mo3ua2SFzXI32kXZTDGMeT/wBJsLr6yvx+PKLFX1ruarqrdlFfBLUrvvvI5kqK/qqr52/eXv6V+6yPo253ukgilThFH2bGtRVVGpt1XdTkvcVSgF5XqoipMB0mnmekcMWYQve93c1qRPVV/ATxtddBX22lqqaVlRTzRNkjljdzNe1U3RUVO9FQgf5XVjJsG0jjka17HZjCjmuTdFTs3bopJmXhzo/W2W3WPNsyxWxTou9ns1wiZTxIvVWxOkhfJE30Nje1E8NhT6s+P4Qir1o8PxQ8y62v4lPKq2GfH0WqsWnNBE26V8XWJk0bpH9nzfxueZrNv9V3ginPi+wyn0z8oNpBqlkdHFU4PeVZaKyoq4kkp4JuR8SJIi7oibStcm/8VfQTr0k0Vw7RDG1suHWWK1UkkizTybq+eplXvklkcque5fS5VPWz7T3HdT8Xrcdyi0Ut7s1Y3lmpKpnM1fQqeKKneipsqCPRim3L8eKeMzfm6kWmGEyRtc3EbArVTdHJbYFRU/FPO00yHGrxJktLi1phoLdarg6gkqaSmZDT1U7WNWRY+Xbm5HL2art7Jqp4Fn2jhapLHbGWeh1G1Bgxxjezjs3r0xYo4+5I2zLD6oa1E6JtLuidEUvK86LY3dsBpMMpm3DH7DSq3sosfuM9ukaibrt2sLmvVFVVVevnKu67kVcJsiOV0R/JkvauoPExsqLvmki9/wD8yoJT8SWqNVorolk+bUUMNRPZ4WTpFOiqxzVlY12+3X2LlMe4rwB6TYFXVNZjceT2Crq3pJUz23KK+B9Q5FVd5FbKnP1VV87fvUzFqrpjZ9YtPrvhuQeqFs11ibDUpSyIyRzEc12yOVF235URenduTVrEW7kxbemZYsybhc0K4lbBS5NdcGst09eqZlXHd6OP1PUSNkajkf2sStVV6+KqYd4JdNKzh64kdYNKLLd6u7af26lorpRsqncy0c86KqxKvdzcvfttujWqpISh4b7bjVM2hw/LcpwWzNbs20WOqp/UjPTyMnglWPfvVI1am6qu26nv4bopjWC4xerNam1zHXl0klyuslZI64Vcr2crpX1G/PzonsVRU5dk5dtib2mZjgraZi08USJHt+i8R9U3+Yzu95SQ2qOsFssuu+DaX5FR0FTYc0tlcqJXRo9JKmFYlZEqO81Uc10nRU70aW47yfuky5T80/LlfzT8vL69/NVcPVu2223b9tz7bdNt+7oX1nvDHg2puS4zfMloqq6VmOUM1Fbu1qnbRdpybzc3s+2byJyv5t0VVXv2VKxFqaaeiZ9aZhhLiG8nBolmuFXu5WfHKfBMgpaaWqp7rZVWCOORjVciviReRW7p12RF9tC8eEy+ZLnPBHjdVkMktfe6ixzwMqJVVZKljUeyF6qvermI3r49/iXndeG6nyOgfar/AJ9mt/x6ROSazVlwgZBPH/JyPigZK9ip0VHSLunRd91MrWm1UdltdNbqCmio6ClibBBTwtRrI42oiNa1E7kRERNiJiZpqjlKecShJ5IWrii4Ta6NXoklPkNb2rV72LyRL19B8uMDFMo4mfJ/JeY4UrchppEvbaeli5e3hjmkb5jf9ivOnp26d5nCm4NsRsmQ5FccZvuUYdQZFKs13sdir2Q0FY9d0cqsdG58auRVRVicxepm2y2KisFnpLVQU0dLb6SFlPBTxps1kbU5WtRPQiIiFqvS18Pgimd2fej5wb0uAao8NOn95pscsNbMy1QUdW91vhc9tRCxI5Eeqt35uZqr19JkmplwnCdQsasFBjNvhyC7tqJYX26hhY+mgiZu+V7kRFazdzWe2r0T0ltrwnYxZsmuV8wu+ZHpvVXORZq6DFayOKlqZF73up5YpYkcvi5rWqXrgGkdm0+qa+up5rheL5cEaysvd4qVqKydrd+Vqv2RGsTdVRjEa1FVV23LTN53kRFoshxxquROPLhf6p/pM3j/APNaTd1AcnzCZGv/ANOqP7NxhLI+AHSbL8ip7/fI8nut7pnc1LcKvJ6+Sem87mTsnrLvGiKu6I1U28C9sh4acWyvBrZiVyumWTWeg7ZEVMmrmz1LZVVXtqJUl55m9VRGvVUROidDHMXw93x+LJf0t7wR38kOqfOsVSb773+s/wCDDHvDJa38O/lI9VMTyH/JIM2p5LhZKqXoyrVZu2RrV8V2dKm3pZt6CWOkfBppxoVd4K7Cor9ZmRSOlWgbfqx1FK9zFYrpKdZFjeuy97mrtsnoQuzWDQPDNcrdRU+U2t0tVb5UqLfc6SV1PW0Mqdz4ZmbOYu6Ivft0TdFLzpVFUdLKWvE09Zuva936ixyz111uVQykt9FC+onnkXZsbGpu5y+4iKa4PKKWybIarQTX31kqkxm2V1M66UVZEivp6d8zJmLKzqiI5rXIu/TdyIveTOo+GygnbSwZLmmYZva6dzXstWQV8L6V6tVFb2rYYY1mRFRF2kVybp1RTJ97xy15LY6uz3W309xtdXEsE9HUxo+KRipsrXNXoqbFbaxV0THSea2bPgen9+tdJcaDGMeq6GribPBPFboFa9jkRWuReXqioqHwwu7YmzO8jxnGrHS0NRaIKd1xrKCkjihSWTmVsCuaibyNajXqngkjfSWXYOE61YXSOtuJZ1nOKY8qqrLFbrrG+khRV3VsXbQySRN9pj0RN+mxlHBMAsmnNibabHSLT06yOmlkke6Saolcu75ZZHKrpHuXvc5VVS3NXlZcYACwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAB07r/zbV/7J/8AwU7hjvVXBMzzVsMOMahTYRTdi+KpZBaKesdMru5yOl6sVE37vSVq4JjigL5HH6d9eft2i/tKs2er3EL9DfJ53zhyul8uGCa0Xa3VN65PV3qqx0tSyZWq5WqrXquyor3d3pJkW+GenoKaKqqPVdSyNrZajkRnauROruVOibr12Tu3MkzeI7lPpVT1l2SBnlHE31v4Y0VN/wDlU3+0hJ5O7iJmtnBFkuvGbWTI7/rHc4H49XvrrJTUdkpo20Llej2pui7yK3lam7u/l9spHrRPSVuU+CWKewNcWnNqqcC8r7mKXhViTJbNLPbJJOiTN7KJ2zV8duxkT/dUnfptjOU4vbKinynMn5pUvk5oquS2Q0Sxs2RORWxdHdeu5aeu3Ddj+t8lluslXWY3mNgl9UWbJrVypVUT/FvnIqPjXuVjuioq93eTHo1xV/eqONM0ssvVEYrl6Jtua4/J+2ypyjjX4kM3oEV2OLcqijZUt9hLI+qc9ERfHZrFX2t09JKi9aca25dYZceumo+PWm21EawVN2sNiliuckaps7kWSd8cT1T+EjV2XqiIX5oxoti2g2D0mK4lQLR22Dd75ZXc89TKvspZX973u8V/BshFOlW93WKtad1DnI3Nb5YXGt1RN8Pcibr3ryTk/plRsblVdkRN1Uj/AJ3wd2LPNcblqjU3m4UGS+tdNQWipoVRj7ZJFI96ztVd0eruZGq1ybK3mT+EejlOmmr+f47NjN11BstltNUxYKy6Y9Z5YrlNEvRyRukmfHC5yborka7bfoiEf7cU84TOtU1eCH3AVVth4heKPVtUk+Y6nra7apjTds3LUSzqrfSqRtRf99PSXhwz1+e+UAlvmfZpll3xbTOnrn0VrxDHKt1IlRyIiudUTs2keiI5qbbpuqrttsTD020Nw/SjTSPA8etEdPjqQvhmhk899Tzt2kfK7+G53iq/oTYw5o1wqZhwxSXi0aX5jbZ8JuNU6tjsuU2+SeShkciI7spopGbtXZOjm+Cdd91W0WvbpFoRMzN5jnN0cOIPS3ENKOPjhrtmK0C0HbTumqWyVc1TI9e02a5zpXud4OTv8FNgtpzm35hBldNQtma+yVktrqe1bsiypCyRVb16ptK3r6dzB+o3BJS6oXKz5fc8xr6HVK13BlwpspoaZnJT8vsaeOnduiQN67NVyruqqrl3UzTp9ptBgON1tuS4VV2uFxqJq24XSsRiS1VRIiI+RzWIjW9Ea1GomyNaieBGs0WnvJ9aJjuQ+8kW5F0w1MRFRVTL6lVT0ftbDM3lDr7SWHg91JfVyNYlRQJSxI5fZSPka1qJ7Z09KODmbh7s0M2m+ULQZHNJLJdn3SmdPQXdXyOeiywte1zHRo5UY9jkXbo7mQ9TLeGe864ZDZ6zV7I6S9Y/Z6htXSYnYqR9Lb5qhvsZal0j3vm23XZu7W9e5eu6uN+IjwTTO7VNXfd5Xk9MLuWCcGGDUF2jfBWTUlRW9hImyxsmmkkjTb+g9q++Yu8kP00S1C+/et/sKclrqXhuSZRj0FsxLL3YLK13LJVU9shrFdFyq3s2tk6M70XdPQYX4YODa88LdTUU1l1Rr7vjVbWvuFfZqyzwJ6oncxGK5JUVXM9ixdm9/KW3r1VVTzVtamI72LPKGJ/9pbhN++z/APqKMnTX/wDNlR/snf8AAirrLwQZNrfnuO5VfdZblFWYxXOr7FDS2KmYyiesjXt7nftip2bE3dvvy+2ZbvGmWpF0wKkskerUtHemySeq77Hj9Kr6iJyKjWJEq8kat39knVTHb9lu98/Fb6cT3I3+R66cMt8++is/soDyuMzdvlBOF1y9GrPMiL4KvaN/WZj4WODu78KzFtdl1Nrrxic1TJWVNlrLTA3tZnMRvMkyKr2+xauydF2Lm4meF+l1/kxS90N6lxjNcSrUr7LeI4UlZG/dquZJH05mKrG9EVF6GSZtVTV0/Kytr70dbsiZBqB6x6h4liyUPqj1+irJVqu25fU6U7GO9hyrzc3Oib7pt7ZZXF5orFr9w+ZdiPZNfcJqVai3vVOrKqPz4lT3VTlX2nKeng2nGUszOPMM9vVru17paB9toYLLRyU1JTRPex8sm0kkjnSPWNiKu6IjWoiJ1VVv2zZTZsngqZLPdqC7RU8roJ30NSyZIpG+yY5Wquzk8UXqhjqj0bLUzaboH8LOtE3EvoZpzpbWyukv1urlospjkXd7aC38jk508e1c6ni9v9s9CmwVnRPaIxcH+jeN45lurGpFjpOxhy/IqhaN6omy00TuVzmdPYyT9s9PBW8hJ5EMkze0qxFpm3BUiR5UbEbplvB9lTbXG+Z9vmp7hPHGm6rBHIivX3EReZfcJbnWr7fTXShqaOsgjqqWojdFLDK1HMkY5NnNVF70VF22KVReNGSmbTdhrgpvVLfeFHSqppJGyRNx6kgcrV7nxxpG9PdRzHJ7xHDyxkyXTQzB8bpUWe83XLKdKSljTd8m0E7V2Tx86Rif7yGcsM4bMp0IqbhTaRZZQ2/E66d9V8y+UUMlZTUMjl3d6lkjkjexir15Hcyeg7+P8MEt81SoNSdT7+3NMqtbFjtFFTUnqW1WpFXdXwwq57nSKv8A0j3qvdsibIper06t7vupT6EWY145rJVY15OTIrTWuV9ZQ2e100yqu/ntqKdrv0opnHhT+pn0s+9i2/FYy1eJvhoyDiSsdfjM2pNXjeG18cTamz0lpgldI9j0ejlmcqPRFVGryp0809fQXRHLtFbba7HWal1WWYva6BtDR2yrtFPA+JGo1I17ZnnO5WtVNl79/aIpm+9fnKJi0U25MzqE9iVKL0T0ESs1/wDD45E8qxruiqm62GLZN/tInVld/osVxm53m4zNp6GgppKmeV67I1jGq5y/gQ116f4XUZj5UbWp9tvVTYL1bbTDV0NdA1JGNkRKRqsljXZJInNcqOZui+KK1URUlFqfoJqHr7ZExXOs6t1qwuZWrcaLEbfLT1Vxai79m+aWWTs2KqJujW7r1TfqRMb2FTT3F7YlU96MHkk8JulfpLq3kKRPpaDIq99NQOVNkerY38zm+0iyIm/pRfQeP5KrSuyXOzap4rk7btS5LYL62Opp6K91tArWqxWIrmQTMR3nRSJuqKv6DZBgmCWPTbE7bjWN22G02W3xJDTUsDdmsan/ABVe9VXqqqqmIc64WWv1Vdqjpzf3YNns0XYXBy0yVFuu8fTZtVBu1VVNk2e1zV93wve1Xda3uV1mnvvd99SeGDR+54dcHZvR3SvxqjYtZVsuuT3SaBjY0V3O5rqlU83ZV7jG/lIo6GLgTyZlsajba2GgSmam+yRJNHyJ16923f1Mr1Okub6jvpaTUrJbRV47BKyeSx43bpaWKve1d2pUySyyOdGioi9m3lRdk5lVOh4PE3wvX7iWs9ZjdVqVWY5hlWkPa2WjtEEiuexebmWdyo/ZVRF5e7oUlembTEyv7hvTbh50yRE2/wCTFs6J9qxln6423TfWfPLbotqBj0d3S7Wqe9UU8r+RY3xSNjckTm7Oa9Efzbovci77nr6GaN5fo9brdZbjqVVZfjdst7KCit9XZ6enfE1iNbGqzR+c7la3bZfSeLq9wvrqrrXiWojMpr8dr8Yt88Fv9b2t5vVL3orXyc27Xxom6OjVPO370LV61X5KURMU2RY1W8l3HpBZ7jnOhuoGQYrkVnifXRUNRPzxzoxOZWJI3lVq7Ivskci9yom+5K/QrVG46z8JtlzG8QthutysUj6pGJs10jWOa5yJ4I5W77e2fXKtOdVtQ7BV4zfcysFqsddGtPXVmP2qaOvlhXo5sbpZnsiVyboruV+yKu2y7Kenl+il0m05tGE4Blz9O7NQ0jqBzaW2Q1jpKfk5Eaiyr5iom68ydVVSk33Zp6rR60Sj95ItduEtFX6+1v8AxYe1k/Dfolx4rfshu1gntuSWW8VuPVdxt1T2VSslLKrP2zZOV6KnK5OZFVEcibl28LPCNeOFmjbZLXqXXXzEFllqJLLWWmBnNM9ETnSZFV7eqIu3cpTTbhZyPRa+5rkeG5ox14yq/Vl3rrfeKR01tcyWRXRtaxj2vZIxF27RHKjt13b0Ta9WtV+5EaRPijNDoVmnk8datOq7D84uWUaZZZfYLBX2C5L58Dpl2Y5EReVyp5yo5qNVNtl3Rdy8vLAp/wCpvAX9eVMoh3XwT9reSTj0Sv8AnGeY9lOpV8t91TG53Vdnsllo309HFUq1W+qJVke90r2oq8vsWt3VdlXqenxL8O9g4nNLazC79NPRMfIyppa+lRFlpZ2b8kjUXoveqKniir3d5F5tEzykj1pt0XFqHqB+x9QY7KlB64LdrzRWdG9r2fZ9vIjO09ivNyou/L03270NfvEDhUNu8q3p1X5OtVFjmSUHYUtTT1c1I7tEppokY2aJzXtXtFZuiOTo9N+ikx8O0gz2trcVTUfLbTkNDjEjaiijtNtkpZKypbGsbJqlz5Xoqta5yo1iNTmXm8EQ9/X3h3xTiHxentORR1FLV0UyVVtvFvekVZb50VFSSJ+y7L0TdFTZdvcHCqK0R6u73Krw54VIxUcuSqip1Rcuu3X/APmjhodp1ptpZQ5Hj2m1DDbaemuLlutPFUTzq2sdGxy8z5XOVXcjmKuy7dfTueFacI1xobYyyVOo2N1dGxvYpfHY/KlzVndzKnb9j2m38Lk5d+9qlwt0frsZ04jxnBcoqcWuC1C1NRfqmjiuFTVSOcrpZJUk2a571XdXeHciIiIiRVwmITHJE7yZ37sHE5998v8Ab1B3PK79NKtNvvwpv7OQv7QzgcyLQDMr3f8AHtYrjOuQV7a+90tZY6Z7a53aK96bqu8au5nJu3u5vaO9xL8Ft94nq2CK/wCq9woMfoa/1wttpo7NTolLIjdm7y780m26+y9Jafod1vgmONU9b/F6fHhiVyzbgvzm2WmN81alshqkijTdz2RPjleienzWOOn5NfJKHIuDXT/1HIxzqGGaiqGNXqyVkz0VF9Cqio73HIZo0xwzJcTx6a2ZXmD85mVyJDVz2yGjWOJGo3s3Nj6P6oq8y9euxiHGeFC9aG5hebxovlFHjtlvcvqiuxK/UL6u2sm8ZKfs3xvhVfRuqe1siIiNJmOqONMdzPl+yq1Y5Paqe5VjKWe6VSUNFG5FV08ytc5GNREX+Cxyqq9ERF3NaXBZpdb4uNXiCw7MfXKC7LUPuNK2jutXQPmhWpc7nVYJWK9OWaJeu/eT2xbSq81OY0eYZ5fKe/36gjkittJbaRaW329HpyyPjY573vlcnmq9zujd0RE3XfwNZOF22aj5tZtQMfvFVhOpFmbyUmQUEbZEni67wVMTuk0S7r03RU8F26ERO7VfxJ1ps9HI+FvTfIbHW2690l8uNpqI1ZU0tbld1khkZ3qj2uqtlTp4l4aRW/E7Vptj9JgrI2YhDStZbGwue5iQJ7HZXqrlT21XqWHWaaapZ7blsmbZpZKfH5U5K1mKWuakq62PxjWWWaTsmu7ncjeZUVURzd9zMFotVJY7ZS26gp46ShpImwQQRN5WRxtREa1E8ERERCYHcAASAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAU8SoAAAAAAAAAAACibgqAKeIKgAAAAAAAAAAAKKYi1J4b7LnmpFi1Coq2THs3s8D6Smu8FLDUr2Lu9qsmY5qKm7tnt2cnMqbqi7GXgR3i1NP9O6HT63VcVPUVFwuFfOtXcbpWuR1RWzqiIsj1REROiIiNaiNaiIiIiIXWASAAAAAAAABRSoAjlrFwL4RrvefXDMskzO5sjqnVdLQre1SlopF/kY+TZm3gZd0y04ZplY5bXHkN/wAjjdJ2jajIq9ayaNNkTka9UTZqbd3pVS8AI0ixOs3kAAAAACm3QqAAAAAAAUKgAAAAAAAAAAAAAAopUAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACnXcqAAKe4VAFF7h4FQBRCoAAAAUCIVAApsVAFApUAAAAAAAp1KgD5VEDamCWF/sJGq1dvQqbET9G+DbINCLVl2KYlfrdR45k1wkq6u9vWZ90jhduiQxxr+1NcjVVqS83jzcqqS1BFtbnc8zGcct+IY/brLaqdtJbbfTspqeBncyNjUa1Pb6J3npgEosAAJAAAAAFDycsorzccerqfH7lTWe8yR7U1dV0i1UUL/wCM6JHs509rmT3T1wRMXEM8P4ItT8J10yPVmg1ptUmVZBB6mr2z4fzUz4t49mtYlWit27Jmy7+HXfcmLSRTRU0TZ5GyzIxEe9jeVHO26qibrsir4bn3BPKI6ItrdREX0lQAkAAAoVAFCoAFNghUAAABRCoAFFTcqAAAAFAvcVAFApUAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAKKuwGFNVuJS0aYa76XadVax+qMxfUte9ztlhRjP2lf8Afk80zXvuaEePriFrsv427pklnrHNZhtbBbrZIx3SN1JIrnKnuzLIpvG0uzyi1Q06xvLrcrVo71QQ10aNXdG87EVW+8qqnvAXSAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABRxUtTVXPqLSzTbJsuuColHZbfNXPRy9HcjFVG++uye+B4+m2tNh1PyrPLDaZUfW4hdG2usTnReZywsfzp7XM57PdjUyGaVvJV8QlbQ8XN9ob7WOkZqDHUOmfI72Vej1nY730WVv+8noN1IAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAxvxHapw6J6HZpm0r0Y60W6SWDdfZTu8yFvurI5ie+ZHXohrd8tJrD6w6ZYlpzSTbVN/q3XGsY1eqU8GyMRyeh0j90/wBmvoA1A19bNca6oq6iR0s88jpZHuXdXOcu6qvuqpus8jzrB82/DtX4bUz9pXYhXOija5fOSlnV0sfvI/tU97bwNJi96k0PJPaw/sa8U9BY6mbsrZl1M+1SI52ze3Tz4F93marE/wBp7YG9gFE7ioAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFF7iA3liNYfmK4eLfhVPNyVuX1zWSMRfOWlp3Nlf7yv7FPfJ8r3GiTyrusH7JnFTcrNTT9rbcRp2WiNEXdqTeznX3ed3Kv9D2gIr6cZtW6b5/juVW2RY66zV8FdEvgro3o7ZfaXbZfaU/TThOWUOd4hZcjtsnaW+60cVbA5FRd2SMRyf8AE/LkbzvJJ6wfsjcL8GO1M/a3LD6t9ucjl3d6neqyQKvtIiuYntR7eAE2gAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAUXuPz9eUl1h/Zf4scslp5+2tVielko1Rd0VIekjk9pZVkVPSmxvxyuO5zYvd47IsLby+jmbRLUuVsSTqxUjV6oiqjebbdURehp4uHkatZrrXVFZVZZik1TUSOmlkfPPu97l3VV/avFVVQNeZ6+IZLW4ZlNov9ukWKvtdXFWU70XbaSN6Ob+lDKPErwr5NwvalWnCsluFtr7lcqGK4RS2573RIySaSJEVXNRd94nL3dyoScTyLer/APOjE/y8/wDhAbe9Lc7otT9NsYy23vR9He7bT18e38HtI0crV9tFVUVPSil0mAeCbRvNOH/QmgwXNrhb7pWWuqmSiqLdI97EpXKj2tXma1UVHOkTb0bGfgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAALT1Xz6j0s00ynL7g9G0lkttRXv3/hdnGrkantuVERE8VVD8zGV5JWZhk12vtxkWWvudXLWTvVd1dJI9XOX8Kqb5/KQ4TqXqhw+vwvTLHZ8guF5r4mXBIamGBIqRm713WV7UXme2NNk36bmqBfJn8Syd+mFSn/70oP8cCMROzyQWsPzA8SVRidTP2dBmFEtKjXL5q1MKOli9/l7Vqf0iKemmgeeaw51XYbh+PvvWS0UcstRQMqIYlY2J6MkXmke1q7Oc1Oi+PQkBpxwC8Uemuf47ldu0yq2V1mr4a6FW3WgReaN6O2/z/jtt74G+dF3KnWts81Vb6aaogdSzyRtfJA9UVY3KiKrV2VU6L06KdkAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFNioA0y+WI6cYGDfezQ/Hqs3M7dTTN5Yj6sDBvvZofj1WbmfEBsi+BUAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACmyKNioA00+S76+UAzxP/p14+Owm5VURTTV5Lr98Bz37nXj47CblgKImxUAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADTL5Yj6sDBvvZofj1WbmfE0zeWI+rAwb72aH49Vm5nxAqAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA00+S6/fAc9+514+Owm5Y00+S6/fAc9+514+Owm5YAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAANMvliPqwMG+9mh+PVZuZ8TTN5Yj6sDBvvZofj1WbmfECoAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADTT5Lr98Bz37nXj47CbljTT5Lr98Bz37nXj47CblgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA0y+WI+rAwb72aH49Vm5nxNM3liPqwMG+9mh+PVZuZ8QKgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAANNPkuv3wHPfudePjsJuWNNPkuv3wHPfudePjsJuWAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADTL5Yj6sDBvvZofj1WbmfE0zeWI+rAwb72aH49Vm5nxAqAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA00+S6/fAc9+514+Owm5Y00+S6/fAc9+514+Owm5YAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAU5k9IXuUjjxq64Z3w46Y1ee4wzGa210PZRT0F6gqHTzSPkRqdm+ORrUTZd1RU8F6+BEzEcUxF0jt9ypY+iOY3fUHSDDcnvtLT0V3vVpprjU01IjkiidLG1/K1HKq7IjkTqql8Fpi02VibxcABCQAAAABTcqYu104ldPeHPHXXbN7/BbeZqrTULN5Kqqcn8GOJOq+jddkTxVD1dDNXLfrtpXYc6tVHUW+33iJ00NPVq3tWNR7medyqqfwd/fEa8EcOK/AAEtMvliPqwMG+9mh+PVZuZ8TTN5Yj6sDBvvZofj1WbmfECoAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADTT5Lr98Bz37nXj47CbljTT5Lr98Bz37nXj47CblgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAUUqeXk98gxnHrnd6pdqagppKqVf8AVY1XL+hCtUxTF5OM2Y11m4nMQ0WutssdclwyDLbr/wA34xj9N6quFSnXzkj3RGs6L5z1anRevRSDnlG9er7qbp9ienFz0zyvBavIL9TLDPeW07oKmNq7K1ropX+ejpGeaqd3iZC8mTbZ9ZL1qXr/AJNtW5HfLxLa6GSXr6kpGNY9Y4/Q3z2N9yP2zrcZb/2SOPzhwwNF7Wntk7rzUR96bI9JF3/3ab9JMU+lTFXP/kvpVMcrp54vZ47BjVqtkLUZFR0sVO1qdyIxiNRP0HqnBqbIhzJmbzdERaLBQo56N7yqrugSjbrtx76dcPGePxLJrbk9Xc2U8dSslptiVEPK/fbzle3r07tjHf0WzRn6yZ18Bt/xSTeWa46eaf3h1qyXNrDYbkjGyLSXG4RQy8q9zuVzkXZTx04qdHNv3UcS+GIPlFaeCZR8+i2aMr3WTOvgNv8Aikv8QyalzTFLNkFCyaOiutHDXQMqGckiRyMR7Uc3ddl2cm6blhO4qNHFTpqjiXwxB8oyVarjSXi20tfQ1EVXRVUbZ4KiByOZLG5N2uaqdFRUVFRfbLqc0VeOXR/DbJw16xZZT49RuyeutjnzXioj7ap9mzzWyP3VjUTojWqibeBcnk6E/wDsY6ZfaMn9vId7j9+o61U+5K/2jDo+To+ox0y+0ZP7eQij6XsTV9H2pIgAJacfK62mru/GJhMdJA6d7MYonuRqdyJXVaqq+g3C0FbDcaWKpp5mT08rEfHJG5HNc1e5UXxNTPlTcx+Zfi/xmGWNH01ZiVJG5UTzmr6trNlT9Rnbgk4l6jGbm3TDNJX06MkWC2TVXR0MiKu9O/fu6+x37u70HKxM7ODmowcWm1NXCe/o9/lezFO0thV7TyGJv4uFP7TDtrFPKqOvf/8AE+QcWvRyIqd3pOR1XgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADy75lFnxiKOS8XWitUcqq1j62pZCjlTwRXKm6geoDoWe/W3IaT1Xa6+luVLzK3t6OZsrN0705mqqbnfAAAAAAABTfr3AVBxVyIOci45AFNyRUHHn9pQr0QDkCidQBpq8l1++A579zrx8dhNyxpq8l0n/3gGefc68fHYTcoBUFABUFABUFABUFABUFABUFABUFABUFABUFABUFABUFABUFABUFABUFABUAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAt/PsaTM8Jv1hWTskuVDPR9p/F541bv725cAK1RvRZMTZq34KNYs14P6DI9Fss0kzG+3hl2mqrVNY6DtIp+dGtVHSuVrUjVWcySIqps5d06Hr6cLnV38phV5lqZiV0tENNbm222y261VdTQQyviYjY/VKRqxVb2kiOk3RnMju5NjZhsVL3tMVTxhWYvEx1deeojpIJJpntiijar3veuzWonVVVV7kMZYpxLYPmt1tFFZ6m51Md4lfDbrg60VTKKrc1rnL2dQ6NI3Jsxyou+yoi7bl26k3Sw2nCbvJk9QylsM0K0tXK9ytRGSqkWyr4b8+2/huRf0OkyPh/1sxnQ+W/0WoWC1NrqK+w1jomJcLHHCqIkczmdHsVHq1r12Xrt3JsVj1rE6Rdc/FBqHqLgmo2lMVsvlBbcYvmWUlrno6alV9VURORXO7SVy7NTzduVrd+vsvAk+32Ke4RU43ZGMy3h+5ntTbPaRV3Xw5HkqmruiEU60+0n1vZ+bFeo/CppLq7kjr/mOC2vILy6JsK1lW1yvVjd+VvRydE3Utb5wTh6X/3U2H8ST5RIAExolH/5wTh6+xTYfxJPlGcbHZaHGrLQWm2UzKO20NOympqeP2MUTGo1jE9pERE9474JQiBxzaw2zIdDNRdPbRYsuvGT1tG6jgioMXuE0D5Odq9J2wrGqdO/m2OnwFavW7ENBNPdPL5YMus+T0kLqWaKtxe4RQMe6V7k3nWHs0TZydVdsTLAp9G/eTrbuU37ioAS0zeWH+q/wf72aH49VkvuOHhgfco59SMSp3R3OmTtLnTU6bOla3umaidedu3X0p18OsQPLEfVgYN97ND8eqzcrPE2aNzHtR7HJs5ru5U9BqZrLUZvCnDr/wCJeh2DtvNdn89RncrOsaTHKqmeMT3SizwW8T7dUrEzFMhqUTKrdFsyV6/6ZCiIiO9t6fwvw+naVRrg4sdA7poFnVPqPgva0VpfUpO5adN/UFQq7938m7fu7uqp3KhL3hq4gLbrzhEdc1WU19pESO4UKO6xv/jJ/qu70/B4HOyGZrpqnJ5j16eHfHV7LtXsPLYuBT2i2LH+WxZ9Knnh186Z7un/AAzGDi3qcjuPlgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFFKnFegFV7jAXHSlkpOFrUK6Xm02+6OobVM6lWvpmTdlM9ORjmcyLyu3cmyp17jHmtfEFmOpHELT6BaQ3FlkudPClZlGWJC2d1rp1RqrHC1yK3tVRzU3XuVydyoqpgTyk+jTdHeHyCqpdRs6vlyvNyp7dU0d4vTqmnrkXeRznxKiIio5jVTl22XYx1elT4rU6VJOeTXw5MM4OcCiczklr4prjJ02VVlme5FX/AHeVPeJPloaQYk3BNK8Sx1rUb62WqmpFRP4zImo5fwopd6Gev1psw0erEqgAoyAMGcRui+p+qtfZZtPtYqvS6CjjkbVw01rbWeq3OVqtcqrI3l5URU8e8w2vB5xKbfVdXX/+Go/8ciJuJrnB3TchX855xKf/ABd3X/8AhqP/AByT2j+HZLgWnNtsmW5bLnV/pUk9UX6amSnfU7vc5u8aOdtytVG9/wDBE6RdHci3lGpeVcUXFvfNH8ayq54dgeF0vbZDcbBN2FfXVK7IkLJ9lWNqOXZeVEXzX9e7bxNZskyrgG1JwW/0+aZHmOk2SV6Wm723Kq51wnoJXdUmhmf56Jyo5eVVX2DvSm1r+S3qH3vX3iWvFSvPVzXmPme7v86erVf0tQvnyw1KyfhOp51T9spcio5Y19DlZM3/AIOUj1Ionrb4pj06qqU4aedtTEyWN6PjeiOa5q7oqL3Khb+pGe2rS7Br5ll7m7C1Wikkq53J3q1qb7J6VVeiJ6VQ8XQK5S3nRLA62dVdNPZKN71XvVVhbuR48rHfJ7Nwc36KBzmer7hR0kit/iLJzqnv8iJ74xPRvEGF6drrf4fca1A418bm1RzzPMpwrGLnPK3HsXw65OtrYqdj1Z2s8rE55HOVq7dUTx7lREy9oJpBnWkGr2XUFwzHJcy09qLdTTWioya4NrJ4KlXvSaPm2Ry7IjVRVTuVOqruYv0G1E1osugGA2rT7RWnqbXRWSmay4ZDf4aT1V+1oqujhjR67KqqqK5yKu/chkDhm4zYtbM4yPTzKsVqMC1Jx9VWrss9Qk8crEVEc+J6Im6Jui7bdzkVFVFMkxardhS96d6UmE7kCrsgTuOneaeWrtdVDAvLNJE9rF326qmydSkzaLwy0xFVURM2ad/JfbxcfuePf5rfW679V6J/psJuQ9UxfyjfxkNI+hliumr+sV6xDBZ/UeV0cVVLUzdqtNzMjlayRO0Tqu7nNXbx7/Akn85jr99e1+G5Dg+ccx9mqfWP0M2PMRPnrBj3tkvqmL+Ub+Mg9UxfyjfxkNbXzmOv317X4bkHzmOv317X4bkJ845j7NUfoZsj+NYPxbJfVMX8o38ZB6pi/lG/jIa2vnMdfvr2vw3IPnMdfvr2vw3IPOOY+zVH6GbI/jWD8WyX1TF/KN/GQeqYv5Rv4yGtr5zHX769r8NyD5zHX769r8NyDzjmPs1R+hmyP41g/Fsl9UxfyjfxkHqmL+Ub+Mhra+cx1++va/Dcg+cx1++va/Dcg845j7NUfoZsj+NYPxbJfVMX8o38ZB6pi/lG/jIa2vnMdfvr2vw3IPnMdfvr2vw3IPOOY+zVH6GbI/jWD8WyX1TF/KN/GQeqYv5Rv4yGtr5zHX769r8NyD5zHX769r8NyDzjmPs1R+hmyP41g/Fsl9UxfyjfxkHqmL+Ub+Mhra+cx1++va/Dcg+cx1++va/Dcg845j7NUfoZsj+NYPxbJfVMX8o38ZB6pi/lG/jIa2vnMdfvr2vw3IPnMdfvr2vw3IPOOY+zVH6GbI/jWD8WyX1TF/KN/GQeqYv5Rv4yGtr5zHX769r8NyD5zHX769r8NyDzjmPs1R+hmyP41g/Fsl9UxfyjfxkHqmL+Ub+Mhra+cx1++va/Dcg+cx1++va/Dcg845j7NUfoZsj+NYPxbJfVMX8o38ZB6pi/lG/jIa2vnMdfvr2vw3IPnMdfvr2vw3IPOOY+zVH6GbI/jWD8WyX1TF/KN/GQeqYv5Rv4yGtr5zHX769r8NyD5zHX769r8NyDzjmPs1R+hmyP41g/Fsl9UxfyjfxkHqmL+Ub+Mhra+cx1++va/Dcg+cx1++va/Dcg845j7NUfoZsj+NYPxbJfVMX8o38ZB6pi/lG/jIa2vnMdfvr2vw3IPnMdfvr2vw3IPOOY+zVH6GbI/jWD8WyVaiPwkb+FDkx6P6oqOT0oau824ZdbsAx2qvVzvUy0dM1XPSG7yPeqIir0Tfr3EgvJ16qVuV4nfcZudZJWVVqmbUQyTvV8jopObfdVXddnIvuboZMDaU4mPGBi4c0TPC7T2r2Lw8nsvE2pkc7RmKKJiKty+l+aYoAO0+YgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAKA8/Ib3T45Z6u51aPWmpY1kk7JvM5U9pPFS2U1VpFT/mW9/mf/mLRTVOsQpNcRpK9txuWT+ypSfWS9fmf/mH7KlJ9ZL1+Z/8AmJ8nV0V8pT1XtuNyyf2VKT6yXr8z/wDMP2VKT6yXr8z/APMPJ1dDylPVe243LJ/ZUpPrJevzP/zD9lSk+sl6/M//ADDydXQ8pT1XtuCyf2VKT6yXr8z/APMd6w59R5BdvW2Ojr6KqWB9Q1tZB2aPY1zGuVF3XuV7fwjcqiOCYrpnS66QUTuQqUZHSu9moL/bqi33Oip7jQVDeSalq4myxSt9DmORUVPaVDxcT0ww/A5Z5Maxay49JOiNlfarfDSrIidyO7Nqb++XOALHyPQ3TnMbo653/AsYvdyc9JFrLjZ6aomVyJsjud7FXdERE33LpslgtuNW2G3Wi30trt8KKkVJRQthijTffzWNRETr6EO+AAAAAAAAAAAA0y+WI+rAwb72aH49Vm5lU3U0zeWI+rAwb72aH49Vm5nxA8zJMat2W2SttN1pY6231caxTQSt3a5qp6DWfm2LZTwPa3Ut3s75anH6l6rTvc5eSqg3RXwSbfwk/UptELG1g0os2seEV2O3mJFZM1XQTp7OCVE82Rvtov4eqHKz+T+U0xVhzaunWJ/B7vsp2jjYmPVgZunfyuN6OJR3fWjvh2tLtSrPqvhdvyOyTpLS1TEVzF9nE/8AhMcngqL0LtRV3NYOlefZLwWazVuN5JHK/H6iVG1cbEVWSR9zKmL3u9PaVO9ENmNmvNFf7XSXG31MdXRVMbZYZ4XI5j2qm6KioTkc58qomKotXTpMKdq+zk7CzNOJl6t/LYsb2HXymOk98c3fBTmQqdR4cAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA+cqq1rlT0H0OLk3IngNcvkwqyPIde+I+93J6SZHLeGsf2nWRsXb1HT07boif7qHa8o9c6fUXiF4e9LIKiOokqL02vrqVjkVWM7SNrOZPDdqSd/ghkvOfJ1UlfrdctScB1GyDTO4XhyuukFlRNpldtz8iqqcvMqbqioqb9U27j61/k47HS6sYxqFjOb3ixZBYoUa2pqqeK4S1k6q/nqKh826ve7nVPQiI3l22Qmn6EzHC3wJ+lMc0v4moyNqJ3Imxy3PmxHRwtRzud6N2V2226kQdLNZs01fzrKrHPqLDhGbWa/vhjwOtttOxslujmTz0dJGs0qviRzueN3KiqnREIvrZHCEkdQ9Wsb0vW2Mv1TVMnucroaOmoaGesnne1vM5Gxwse5dk6qu2x19O9asS1SrrrQY/c3TXO1KxK+21lLLSVdNzpuxXwzNa9EciLsu2yl0Vdpoam4UdyqaeF9ZQtkSnqJERXQo9ER+y+G6Im/uEa9H7FNqLxhagar21FTEKaz0+MUVc3/N3SdkivnljXufHG5Oz5k6K5Hbdw52J4L14isy12xeusrNHsCsOZUs0ci3CS83BtMsD0VvIjUWVm6KnNv39xh1dW+N/7BmD/DzP/Ek0kQCNEoWpq3xv/YMwf4eZ/wCJJN6QXfN79p5bKvUWxUOOZfL2nq2226dJoIdnuRnK9HO33Zyr3r1Uvg4qm6dxM6xZDXdwGWt2lXGxxHYLWp2E9XUtudIx3TtYO2ke1yenzKhqnueV/uvq7Q/DMNpN5rxkOT08dPSs6vkayORF2Tx8+SNPfJAa08KtBqZnlm1Cx3IK/AtR7REsFPf7ZGyVJoV74p4XorZW9V7+7c8bEuD51TqvbNSdT81r9S8qtDFjtLamkio6G39d+eOCJNlf/rKvt96IqRximJ5fgnhVVVHNlrGG2vSPSux0t6uNJarfZrdT009XWTtihZyMazq9yoidTBflF8Ofq3waZa6yOZclpooLzTvpnJI2WOJ7Xuc1U6KnZ8yoqGReK3hvoOKXSaowm4XapsjXVMVXFWUzUerXsVdkcxVRHIqKvTdPAuTRjSC36M6RY/p/SVE10t9po/Uiz1iIrp0XdXK5O5EVXL07kToKr1XmeJT6FrLG4G8zpc84T9NrlSytk5LTHRy8q+xlhVYntX3FYpFa20j7h5ZKpltKbw0dke+5LF3J/kfL523+s6L39jP9k4M73pPc7yujmqFy07sF3ndUz4/Lbqe5UkErvZPgSZN49/Ruqd3oTa9eH3hWx/Qa5ZBkCXGvyrN8il7a75Ld3ItRULvvyta1OVjN+vKntehES29evf8AH3yra1E0QzcncHN5kCdxUhZpp8l353lAM8T/AOnXj47CbldkNNXkuv3wHPfudePjsJuWApsg2QqAiymyDZCoBZTZBshUAspsg2QqAWU2QbIVALKbINkKgFlNkGyFQCymyDZCoBZTZBshUAspsg2QqAWU2QbIVALKbINkKgFlNkGyFQCymyDZCoBZjnXiNsmBSMciK11RGiovinUgFwrX12kHFW2yyvWKkr5ZbY5FXoqO86JffVG/hJ/66p/yGd9sx/3mvPibx6owfLsMzihasbq1vaJI3p+308vTr6eXk/Aef2tTOHGHmqfoTF/Dg+v/AOHmLTm8TObDxZ9HM4dUR/NTF4bTkcqoVQt/AslgzLC7JfKZ6PguFHFUtVPQ9iO/vLhO/ExVETD5LiYdWFXVh1xaYmY9wACWMAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAWnqr+55fPtf+9DxG+xT3D29Vf3PL59r/3oeI32Ke4bmF6ntamJ66uw2LezzUHHNMcbqL/lN4pbJaINkfU1T+VFVe5rU73OXwRN1UxhY+M/Su9Xugtct4rrJLcXI2invlrqKCnqlXuSOWVjWu38OvUveL2Ru6XZw2GwRd03TqgLK6Gw2MXam8S+nmkl6gsl+vqvv86I6Oz22nkrKxUXuXsomucm/huib+Bw024m9PdVMhmsFnvMlNkMTVe6zXakloaxWom6qkUzWuXZPQnd1KxMTwlMxbiypsfOwfulW77k1v8AbUh9D52D90u3fcmt/tqQVepV4EetDJKdxUoncVNBugAAAAAAAAOvXV9NbadZ6uoipYEVGrJM9GNRVXZE3X0qqJ759I5mTMRzHte1eqOau6KEXi9n0BxRxUJVAAGmXyxH1YGDfezQ/Hqs3M+Jpm8sR9WBg33s0Px6rNzPiBU4L1OZTZEAwdxScOlBrvhj0gZHT5NQtV9vq1Tbde9YnL/Fdt7y7KRf4POImv0iyuTTHOVko7etQsFO6qXrQ1Cu27Nf9Ry+Pcir7ZsQVqKRE42+F5c/tcucYxSomR0Me9ZTxJ1rIWovVETve1O70p09Bwc/lq8OuM5lo9KnjHWH1bsrtrK5vLVdm9tT/l8SfQqnjh18pjunn/8AZS4je17Uc1d2r1RUPoncQ34IeKJcuoIcBymq5b7Rs5aCpmXZaqJqewXfve1E99PbRSY6L07zp5XM0ZrCjFw+fweH23sXNbAz1eRzUa08J5VRymO6XIFPEqbbggAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADo3uOtks9ey2yRxXF0EiUz5vYNl5V5Fd7W+25GbI9FM/1dzzS295TYsexq4YfcGXCsyG3V7qmrreRiosEadixWRyO6u5nLsnTZSU2245U9BEaTcnWLMC8UeOat5dbbJatOaSy1tnlkc6+010uUtC+qiRPNgbJGxzkY7defbZVRNt0RVO1olUaz0l2p7TmeEYRi+JUtKsdP8zVzmmfG5uyMYkbomtRm2/cvoM4bIETYRoiYuFQCUgAAAAAAAAAAAADTT5Lr98Bz37nXj47CbljTT5Lr98Bz37nXj47CblgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADHeuv0jO+2Y/7yN3ExgfzVcJtNdYo1fVWKrdVoqJ1SNZHMk97Z2/vEktdfpFd9sx/wB55mHY3BmGh1VZKlqOguFPVUz0VPByuT+81c1hRj4FeFPOHb2JtCrZO0svnqfoVRPsvr8GNvJ95981OiLbTNJzVViqn0nKq9UjXZ7F9zZyp/uknk7jXDwFZHPp9rxkGEV7lhWtZLTOjVdv8op3L093ZH/gNjydxpbKxZxcrTvcadJ9j1Hb3Z9Oz9v484XqYtsSnwri/wB91QAdd88AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFp6q/ueXz7X/AL0PEb7FPcPb1V/c8vn2v/eh4iewT3DcwvU9rUxPXQO17uy6zeUM0x0zr/8AKMZxyF12qaJ3WOafsnTIr29y+wiTrv0VfSpIXjN04t+pHDXm9BV0zJZaG3S3KjerfOhmhar2uavguzVT3FUjFbmOpvK6V/b9O2te8O/inqFvd+K4mtrbIyLRrO3y7Ixtirldv9rvKT8xfxlm/wB6I8GJvJ/aqVurPDFjVddKh1Vdba6W11M8i7ukWJ3mOVfT2as39vckTUSdjTyybc3I1XbJ47IQr8ktBLHw23GR6Kkcl9n5N/ajj3/STYXqnU2MSJqjTnDXpmIq15S17+S6Ymo2Vas6mX3auyqtuLIFqpvOfFG5HPc1qr3J7FOngxEPd8qHaH4ZZ9PtWbHtRZPj14ZTtrYk5Xvjc1Xo1yp3puxe/wAHO9J6GO8OerfCnq3lF/0ftlnzTCMmlSapx241yUc9K/mVyKx7tmbJzORF69F2VOm5jvyiWR6s3rh3p5M6x3GsStUl4p0jt9FXyV1c+VGyKiq9EbGxqJvuicyr06oa1VVqKLcYs2KY/aVX4S2E4jf4ssxSzXuFNoblRw1jE9CSMR6f8T0rB+6XbvuTW/21IWNoBSy0Whun8E6K2ZlhoUci96L2DC+bB+6XbvuTW/21IbOLFt5q0caWSUUb9TEXEzrBdtFMBpb7ZqGmuFVLcI6RYqtr1YjXRyOVfNVF33Yn4SL/ANEGzz+bFl/Jz/LJy+z8fNUb+HGniY2dwsCvcr4+CfwIA/RBs8/mxZfyc/yx9EGzz+bFl/Jz/LNnzPm+ke+GDznl+s+5P4EAfog2efzYsv5Of5Y+iDZ5/Niy/k5/ljzPm+ke+Dznl+s+5P4EAfog2efzYsv5Of5Y+iDZ5/Niy/k5/ljzPm+ke+Dznl+s+5JTjI+p3yr3Kf8At4zXxg+uueadOYljyWsp6du3+Syu7aFU/oP3RPe2MkapcYuW6o4PccaudhtdHRVqMR81OyVHt5Xtem3M9U72p4Eej1myshOFl6sPMUxN58eTz+fzcYmNFeDVMaJk4F5QytgWOny/HI6pvRHVtrk5HJ7axu3RfecnuEj8D4ndOdQUjjt2RU9LWP8A/Y7h/k8qL6E5tkd7yqapyvcpGPsHK4uuH6M93AwtrY+HpVr4t1LZmvYjmqjmqm6Ki9FOSO6mpDBddc805extiyOthp2r0pJZO1g/Eduie8TP0G4j9S9QPU8V205nrKR2yLdqHemjVP420q8rv91x5bN7IxspE1b0THud7L7Sw8ed20xKA/lh+vGBg33s0Px6rNzO5p98qzYFyjjVwSiWX1Mq4pSy8ypvty1dY7b9BLyw+UGZe75b7d8x7olq6iODtPViLy8zkTfbl8Nzn4OSx8xROJh03iG9iZnCwaoornWUxtxzGO9dNWU0ZwCbJVt63NI54ofU6Scm/Ou2++ymCcJ4+GZhmVisKYk6m9c66Ci7ZaxHdn2kjWc23L1233GFksfGw5xcOm9MIxM1hYVcUVTqlyvVTi9qParV6oveimM9ftZk0OwuC/uti3XtatlL2CS9ntzNcu++y/xTD+m3HSzUHO7JjiYo6jW5VLaf1R6rR3Jv47cvUYeSx8XDnGopvTCK81hYdcYdU6sTcZ3DhW6c5CmqGDtko6VJ0nrY6VNlo5t02mbt/BVe/wBC+70kbwocSFJrpiDYayRkGVW5iMrqZF/zidESZqfxXfoX3j1+JrWOk0gw2kmr7E3IKS6TuopaV8iMarVYqrvui792xropa++aRZFbdUcNo57Zj9TXSw08ckvaNarVRX00ioiboqL09r203PK5jK42zZ84YdP7GqbVR39Y/F9y2Rn8t24yMdn89XbO4Ufsa5+lH1Kp+7+77e0XdSpj/RPV+z614PR5DaZEar28lTSuXz6eVPZMd/xRfFFRTIB2qK6cSmK6JvEvkWZy2Nk8avL5imaa6ZtMTymAAF2sAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA00+S6/fAc9+514+Owm5Y00+S6/fAc9+514+Owm5YAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAx5rr9IrvtmP+87Gi/7ntB/Tl/rqdfXX6RXfbMf952dF/3PaD+nL/XUCA/ErSS6E8YFHlNO1YaWqqIbuisTbdrnK2ZP0O/G9s2VUNXHXUcFRC5JIpWI9jmrujkVN0VCHPlJcCW5YRYcrhj3ktdUtNM9E6pHL3KvtczWp/vGX+DvPFz/AECxupkl56uhjW3z7r1R0S8qb+63lX3zz+T/AMvncbLzwq9KPxfXu0f+r9mNm7XjWrCvg1+zWn4fezci7lSjeqFT0D5CAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAALT1V/c8vn2v/eh4jfYp7h7eqv7nl8+1/wC9DxG+xT3DcwvU9rVxPXQk4t8OuGkXE3pxxBUVBUV2P0C+t2R+pI1e+mhVro0mVE3Xl5ZXdfBWJ6S4uK/ipw3INELrjOnl/o82y/LKf1tt1rsUqVU/LL5r3vazdWIjVVPO2XdfdJcSxMnidHIxskbk2cx6boqehUU8e04Rjtgq5Kq12C122qk6vmpKOOJ7vdVrUVRuejNHJO/aqK+f5MV8MOlknDXw1WaxXGF09zt9JNcLjHTpzOfO5XSvY3bvVE2Ynp5UPD4Q+MGDirjyhYsVqsadZJ2RostR27JmP5uXd3K3lenL1b18OpIpURU2XqntnRtVitthZMy22+kt7ZpFllSlgbEkj173O5UTdV9KmSZmapq5dGPTdtzYJ064z8BvdZlFpzDJrDh9/sl5q7c6iuFc2n7WGN6pHKnaKm/M3v2VdlRfaMA6/wBxXj51dxDAcCSW5ac4/VLXX/J443JRvd3dnE9dkevKjkRU71funRNycd20+xa/T9vc8as9xm337SroIpXb+ndzVU9a3Wuis9K2moKOnoqZvsYaeJsbE9xEREKbt7b3Jfetfd5vpSUsVDSw00DEjhhY2NjGpsjWomyJ+ArYP3S7d9ya3+2pD6HzsH7pdu+5Nb/bUhaub01SpTFpiGRpIWTNRJGNenfs5Nz5+t9N/wBXi/EQ+6FTRiZht2iXW9b6f/q8X4iD1vp/+rxfiIdkC89Tdjo63rfT/wDV4vxEHrfT/wDV4vxEOyBeepux0db1vp/+rxfiIPW+n/6vF+Ih2QLz1N2OjB/GJSQxcPGVOZDGxyJBsrWon/TxmsFE3XoiqpuE1O09oNU8MrsZuc09PQ1qx9q+mVEkRGva/ZFVFRN1angW1gfDXp3p4kb7ZjlLNVs7qyualRNv6Uc/flX3Nj02zdq4eRwJoqiZmZcPO7PrzWLFVM2hrjwXh/z/AFFcxbNjVY+md/7XUs7CBPb537IvvbqSNwLyeM7+zqMvyNkadFdRWqPdfcWR39zffJtsibG1GtRGtRNkRE2RCqN2MWY27msXSj0Y7uPvXwtk4GHrXrLGOB8NmnenSRvtWN00lWz/ANsrd6iVV9O790T3kQycxqNTZE2RCuxU4OJi14s72JVMz3uvRh0YcWoizTZ5X2rmouMTB5YJXwyfMxRN52Lsuy11Wip+A2xwaS4ZTTsmixW0RyxuRzHso40Vqp3Ki7GpbyxC7cYGDfezQ/Hqs3MbERXXTFomyZopq1mHnXqwW7I6BaK6UNPcaRXI5YKmNHsVU7l2U8Wj0rw63VcNVS4vaaephekkUsdGxrmORd0ci7dFRS69hsRFddMWidCaKZm8w8y+Y5a8mo0pLtbqa5UzXI9IaqJJGI5O5dlTv6qeTb9MMQtNbDWUWM2qkq4Xc8c8NIxr2O9KKidC6dtgqdBFddMWidCaKZm8wxXxKX2iw/Se55FWWK35C62vhfFSXGNHx8z5WRqvtLs9SxdGvWLia0Eu1DdcYt1lt1RWzU3qO2t5GMcjGKkrfQ9Fd3+0hkniB08uGqek16xi1ywQV1asPZyVKqjE5JmPXfZFXuavgeJwwaR3bRfTqewXiopamrfXyVSPpHOViNc1iInVE6+apuzGBXkZoq1qvw7rMGFi5jL56jGwZtaLxMcYmOGvFBvHL1lXAzrjNb7gktVj1U5EmRqbMrabfzZWb/w27/hRU7lNlWJ5Vbczx6hvVoqmVlvrYmzQyxruioqf8U8U8CwOI3QS1a7YJNbahrILvTo6W312yc0MnoVf4rttlT9SEMuF/XS78N2odbp5nKSUtlfVLC/tlVUoZ99ke1f5N3jt067+k8VhVTsvG8jX81VwnpPR94zuFh9vdmztHLREZ/Aj9pTH+5TH04jnMc/+GycHxhqGVEbJI3tfG5N0c3qip6T6ou56Z8RnTSVQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAaafJdfvgOe/c68fHYTcsaafJdfvgOe/c68fHYTcsAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAY811+kV32zH/edjRj9z2g/py/11Ovrr9IrvtmP+87Oi/wC57Qf05f66gdfXrBU1I0jyawciPmqaN6wp/wDNb5zP+8iERvJq50sF1ynDqh6t52NuFPG5duqKjJERPfYT4e1HNVF6oqdxrMg34eOORI+sFtqLojFXub6nqttl9xqv/wC6p5/aH7DM4OZjruz7X13sh/quxdp7DnWZp8rR/NRxt4xZs1RNipwjcjkRU8U3OZ6B8iAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFp6qr/wCr2+fa6/8AFDxG+xT3C979ZabIrVVW6sa51LUxrHIjHK1dl9Cp1RS3E0ut31xvHwhIbOHiU002qa9dFU1Xh5gPU/Yutv1xvH5+8fsXW3643j8/eZPKYfVTcr6PLB6n7F1t+uN4/P3j9i62/XG8fn7x5TD6m5X0eWD1P2Lrb9cbx+fvH7F1t+uN4/P3jymH1Nyvo8s+dg6alW77k1v9tSHsfsXW7643j8/ed2x4Hb7BdPXCKasqKpIXQNfVVDpeVjnNc5ERe7dWN/AVqxKJpmITFFV4mVyJ3FSidxU1G0AAAAAAAAAAAAAAAA0y+WI+rAwb72aH49Vm5nxNM3liPqwMG+9mh+PVZuZ8QKgAAUXuKlFAxzxBahXDSzSa9ZPa4oZ66iWFI46hqqxeeZjF3RFRe5y+J4nC/q5dtZ9Op79eYKanq46+SlRlI1Ws5WtYqL1VevnKXFrrpxU6saYXfFqSrioZ67seWomarmt5JWPXdE69zdvfPG4btHq3RHAZsfrq+C4zSV0lWk0DVa1Ec1ibbL4+apvxOB8kmJ+cv8GjMYvymJj1LfFlcjFxl8MEeruPOyKw06Jl1uj81renqyJN1WNf9ZOqtX3vEk6idwc1F7+44+PgUZjDnCxI0l6XZO1c1sTO4eeylVq6Z9kxzie6eaDfA7xOSJJDppmE7oauBVitdTVLyuXZetO/frzJ/B38E28EJyMVNuhBHjd4ZprdVS6nYbA6CWFyT3OnpvNVit6pUM28U287b3fSZa4O+JyHWPGG2O9TNZl1tjRsqKuy1cadElT2/wCMnp905GSx68vifIsxOserPWPzfRe0+ysrtfJx2n2NTair52iP9uvnP8spK7lTgngcz0D5GAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAANNPkuv3wHPfudePjsJuWNNPkuv3wHPfudePjsJuWAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAMea6/SK77Zj/ALzs6L/ue0H9OX+up1tdfpFd9sx/3nZ0W/c+t/8ATl/rqBfJAPyk+EPt9+xXNKVisWVHUE0jU7nt8+P9HP8AgJ+mDeMvAkzzQPI42R9pV22P1xgRE67xec5E91vMhzNpYPl8rXRHG149j2/YvacbK29lseqfRmd2rwq9GfvuvPQjOGai6S4xf0ej5auhjWbrvtKicr095yKX9vuQ48m3ny3XAL7i88m8tqqknhaq/wDRSoq9Pcc134UJj79NzNksb5Rl6MTrDn9p9mzsfbOZyVtKapt4TrHwmFQAbrzAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAKbblQAAAAAAAAABTbcqAAAAAAAAAAAAAAAAAAAA0y+WI+rAwb72aH49Vm5nxNM3liPqwMG+9mh+PVZuZ8QKgAAUXuKlF7gMZ8Rme3XTLR6+5JZViS5Uawdks7OdnnTxsdum6b9HKeHwpaq33WDTSe+ZAtO6uZcZaVFpouzbyNZGqdN16+cvUu/WnTZ2rem11xVtwS1uruy/wAqWHteTklZJ7Hmbvvybd/ieVw+6Mu0NwebHnXZLyslbJV+qEp+x25msby8vM7+J37+J0IqwPkk0z85vfCzRmnF+UxVHqW+LJyd42CIVOe3nXqqWKrppYZY2yxSNVj2OTdHIqbKioa2uJXRS98MGpVHn+EufTWSWp7aF8aKqUcqqu8Tk/iORVRPdVPQbK1aqoeLmOIWvO8crrFeqWOst1bEsUsT06Knp91F6opzc7k6c3h2vaqNYnpL2PZftFidns3NdVO/g1xu4lE8KqZ46dY5LH4e9dLTrtg9Pd6NzYLjCiR19Crk54JfHp/FXvRf1GUebfuNXVyocr4GNco56dZa2wVK+a5ejK6l5t1Yvgkjf+PXuU2Rae53aNScSt+Q2SpbVUFZGj2uTvavi1yeCovRUMeQzk40ThY0WxKeMfjDo9rezuHsuujaGzp38nj60VdOtE98LlTuKlE7ip1nz0AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAGmnyXX74Dnv3OvHx2E3LGmnyXX74Dnv3OvHx2E3LAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAGPNdfpFd9sx/3nZ0W/c+t/9OX+up1tdfpFd9sx/wB52dFv3Prf/Tl/rqBfR1LpRRXO31VHM1HxTxOje1fFFTZUO2cF8SJ1TEzTMVRya0uGKvk0Q4vrhilW5YqWqqKm1O5uiL1V8Lvf2bt/TQ2WovTvNcHHfj1Rptr7Ys1t7ey9XRx1TXt6J28DkRfwpyfpNg+H5DTZZi1pvNI/tKaupo6hjvac1F/vOBsv9jXi5WfozePCX1vt5EbRy+z9vUf72HFNX89Gk/33PbAB6B8jAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABpl8sR9WBg33s0Px6rNzPiaZvLEfVgYN97ND8eqzcz4gVAAAopUooGLuJbN7vp1oxf7/YqhtLdKRYOyldG16N5p42O6KiovRyngcIupl/1V0uqLzklWysuDLlLTpIyJsacjWRqibNRE73KX5rBpxDq1p/c8VqK19viruzV1RGxHubySNk7l/o7e+eXoVo5TaH4bLj9NcpbpHJVvqu3ljRiormsby7Iq/xP0m/FeDGUmiY9Pe+DRmjF+UxVHqWZIRSpROnQqaDeDi45ADHOuWjNn1vwSrsNzYkc+yyUdWjUV9PMiLyuT2vBU8UVUIG6FarZBwh6tV2GZe2RlgmqEjq2dVbEv8Coi9LV6b+lPbQ2br3EfOLbhrptccRWtt0ccOWW1jnUcy9O3b3rC5fQu3RfBffOLn8pXVMZnL6YlPxjo+mdktv5fBor2Htf0spjcf8A11cq46d7PdtuFNdKCCrpJmT00zEkjljdu17VTdFRfHdDsmv3gr4kqrCr1+xhm0klLC2ZYLfNV+a6ml32Wnfv3Iq77b9y9PRtP9jkcm6LunpNzJ5ujN4UV08ecdJeb7RbAzHZ3PVZTG1pnWmqOFVM8Jj8XMAG88uAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA00+S6/fAc9+514+Owm5Y00+S6/fAc9+514+Owm5YAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAx5rr9IrvtmP+87Oi37n1v8A6cv9dTra6/SK77Zj/vOzot+59b/6cv8AXUC+jipyAEW/KEYF80+ifr3DH2lVYqplRuideyevI/8ABzIvuNU7vAJnnzXaF01ulk56ux1D6NyL38nso19zZ23+6pnbUHFafN8KvVhqURYbhSSU6qqb7czVRF94gP5PrKp8J1myLCbhvCtbC9iRuXuqIH7KnvtV/wCKefxv8vtHDxOVcWnxjg+vbM/1jsbm8lOteVrjFp/lq0q/GWxkAHoHyEAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAGmXyxH1YGDfezQ/Hqs3M+Jpm8sR9WBg33s0Px6rNzPiBUAACi9CpRe4DE/FJlt3wfQ/Ib1Y619vulMtP2VTGiKreaoja7vRU6oqp75b3Brnl/wBRdJqi6ZHcpLpXsuc0CTyo1FRiMjVE6Iid7l/CZL1T07otVsGuOL3GompaOt7Pnlg2528kjXptv7bUPO0Z0ituimJyWC1VdTWU0lU+rWSq5eZHOa1FToidPNQ34xcGMpOHb0974eLQnDxPlMYn0bfFf6FTinecjQb4AAKL1KKxFOQAhbxxcLzsgp5dQsTpVS8UrUfcaWBuyzxtRV7VqJ/Dbsm/pRPSh73BNxQpqTZY8PyOp/5T2+LaCeVetdEnjv4vam2/p7/TtLCSJsjXNc1HNcmyovcprp4ueHy5aI5nBqXgzZaS2OqUqJUpkX/IJ9/Ze0xyqvtIq7dyoedzeFXksb5ZgReJ9aPxfZez+ey/anIR2a2pVbEp+YxJ5T9SZ6Ty/wCGxhHb9TkYU4YuIa368YSydz2U+Q0LWxXCi5uqO2T9san8R3h7e6eBmrdDuYOLRj0RiYc3iXynP5HMbMzNeTzVO7XRNphUFN9ypmaAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA00+S6/fAc9+514+Owm5Y00+S6/fAc9+514+Owm5YAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAx5rr9IrvtmP8AvOzot+59b/6cv9dTra6/SK77Zj/vOzot+59b/wCnL/XUC+gABxcm6Gs7Xmnk0F4zaPIoEWGhqayC5+b3LG9eWdv6H9PbQ2ZL3EKfKVYH6uxPHMugi3loalaKoeid0ciKrVX3HN2/3jibXw5qy3lKeNExVHsfT/8ADvN0YW2oyeN83mKasOf/AMo0+KZ9HVsraaGeNyPjlYj2uTxRU3RT7ou5hrhHzz9kHQfGK2SVJaylg9RVC79UfEvJuvuoiL75mVO462DiRi4dOJHOIl8/2hlK8hm8XKYnGiqaZ9k2VABlaAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADTL5Yj6sDBvvZofj1WbmfE0zeWI+rAwb72aH49Vm5nxAqAABRe4qUAxFxXZFc8T0HyS6WavnttxgWm7KqpnqyRm9RG1dlT0oqp75bfBRl97zbSGpuF/ulVd61t1miSerkV70YjI1Ru6+CKq/hMs6lafWzVHDq7Grw6ojt1bydqtK9GSeY9r02VUXbq1PA6Gk2k9l0axiSw2GSqkon1L6pVq5Ee/ncjUXqjU6bNTwOhGNhRlJwpj0t69+5ozhYnymMSJ9G1l7Iciid5U57eAAAAAA87IbDQ5PZqy1XOmjrKCrjdFNDK3ma5qpsqKh6JRSJiJi0rU1VUVRVTNphq+1FwzKOCXWulv9gdJLYKmRzqV7nL2c8Kru+mk28UTbqvoRfSbDtJ9UbNq/hdBkdkmSSnqG7SRKvnwyJ7Jjk8FRSmq+l1m1gwyux29wI+nnbvHKiefDInsXtXwVFNeenGZ5RwSa11dhyBkk1gqZGtq2MRVZNCq+ZURb+KJvuntKinmtdk43/prn+mfyfbf2f8AiDszlG0cvT/+2iP/AOo/vi2gIVPMsF+ocls1HdbZVR1lBVxNmhnidu17VTdFRT0U337z0sTExeHxKqmqiqaaotMOQAJVAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABpp8l1++A579zrx8dhNyxpp8l1++A579zrx8dhNywAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABjzXX6RXfbMf952dFv3Prf8A05f66nW11+kV32zH/ednRb9z63/05f66gX0AAKKY14icEbqNo1lNlRnPUSUb5adNv+lYnMz9KInvmSzhJG2SNzXIio5FRUUx4lEYlE0VcJbWUzFeTzGHmcPSqiYmPGJugj5NLO3Ry5Xh1S9WqnJcKZjvfZKn9T8Kk8ENZONudw98cb6V6rBbJ7k6Hr0RaepTdi9fBrnN/FU2axrzNRfA42yK58hODVxomY/J9J/xEy9E7Vo2ngx6GaopxI8Zi1Xxj4uQAO6+WAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAANMvliPqwMG+9mh+PVZuZ8TTN5Yj6sDBvvZofj1WbmfECoAAFCpRQMOcXN5rrDoDk1dbayegrIlpuzqKeRWPbvUxIuyp1TdFVPfLZ4HMhumTaO1VXdrhVXOpS7TxpNVzOlejUZFsm7l7uq/hMz59g1n1HxWsx6+xPmtdXydqyORY3LyvR7fOTqnVqHS0y0wx/SfHn2XG4JKe3vndUq2WZ0q87kairu7r3NTob8Y2HGUnBmPS3r37mjOFX8pjFifRsu9FKlEKmg3gAAAAAKOTdCoA48uyGFuJ3h5t+u+ESQNbHT5FQtdLbqxU6o7brG5f4rtkRfR0XwM1nBdlT3TFi4VGNROHXF4lv5DP5jZmZozmVq3a6JvEtdHCPxBXHRHMp9NM6V9HalqXQRuqV/0Co325f6Dl8e5FXfuVTYtFI17WuaqOaqboqeKET+NfhdbqRZpMwxqlRMnoI954I29a2JOu3Tve1O7093oPC4HOKJ2R00OnuWVSpeKVnLbqqddlqGJ/0TlX+G3w9KJ6UOFlMWvJYvyPHn0Z9WfwfVe0GRy/ajZ89pdlUxGJT8/hxyn68R0nn/ymiU7wi7lT0T42AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADTT5Lr98Bz37nXj47CbljTT5Lr98Bz37nXj47CblgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADHmuv0iu+2Y/7zs6LfufW/8Apy/11Otrr9IrvtmP+87Oi37n1v8A6cv9dQL6AAAAAa+/KQ4U+z5dimaUSLE6pjdSSysTZWyxqj43b+nZXfioTO0YzaPUPS7GsgjVHOraKN8iIvsZOVEenvORUMdca+BLnOgV9WKLtK21o24Q7JuvmL56J7rOb9BjrycGe+vWmd3xmeTee0ViyxN369jKm6fgcj/woefw/wDLbSqo5YkX9sPrub/1nsTgY/GvJ4k0T/JXrHunRL8qcUOR6B8iAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAaZfLEfVgYN97ND8eqzcz4mmbyxH1YGDfezQ/Hqs3M+IFQAAKFSi9AML8YlbUUHDzlE9NPLTTsWl5ZYXqxyf5TEi7Knd0UtbgOuNXdNFqqatqpqyb13nb2k71e7bs4um6+HX9JnXNcRs+dY5VWS/Uray11XL20LnK1Hcrkc3qiovsmop09P8AAMe03sr7VjVEygt75nTujY9Xor3IiKu6qvg1DoRmKIyc4FvS3r3aM4NU5mMW+lrWXQnepUoibFTnt4AAAAAAAAAAHB7eZNtiAHGpw21WEXtNUMJZJTRNmbUV8NKio6mmRd0qG7dyb9/oXr4qbAVTc61xttNdaGejq4WVFNOx0ckUiI5r2qmyoqeKbGjm8rTm8OaKuPKekvUdnNv5js7nqc3g60zpVTPCqmeMT+HewLwk8StLrhiKUVxkjiyy2xtbVw7onbt7kmanoXxTwX3UJBp3GsjXbSrIeELVqhzPD5JGWGedZKV+6q2JV9lTS7d7VRV238PbTcnlodrPaNbcGo79a3o2bpHV0ir59PKiJzNX2uu6L4opp5DN11TOWzHzlPxjq9J2t2Bl8Gijbmx/SymNw/8ACrnRPTuZGBxaqqcjtPmYAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADTT5Lr98Bz37nXj47CbljTT5Lr98Bz37nXj47CblgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADHmuv0iu+2Y/wC87Oi37n1v/py/11Otrr9IrvtmP+87Oi37n1v/AKcv9dQL6AAAAAdC8W2G72qsoahiPp6mJ0MjV8WuRUVPwKa4OEy5TaL8WF0xGsescFXJUWpyO6Irmu5on++jf++bK3Jua3ON+x1GlvEfY80tzeybWtgr2q3onbwv2enTwVqM/Cp5/a0TheTzMcaJ+E8X1v8Aw/rjOzndhYnDM4c2/np1p/FskRepyPJxe+0+TY9bbtSu56atp2Txu9LXNRU/4nrHfiYmLw+T10VYdU0VRrGgACVAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABpl8sR9WBg33s0Px6rNzPiaZvLEfVgYN97ND8eqzcz4gVAAAopUovcBhHjOVU4csqVF22Wl+NRFq8AL1dojV7qq/+mJ+q/7OIz3mdksWRY7VUGSwUtTZpeXt4qxyJE7ZyK3mVVT+EiHUwHG8Xxayvo8SpqGktazOkcygcjo+0VERV3RV67Ihv049PyScDd1ve/4NGcGZzMYt9LcFzociiFTnw3gAEgAAAAAAAAUXuKgC2tQcCtOpWJ3DHb3SpVW+sjVj2r3tXvRzV8FRdlRfaNb1trcs4FddH09SktZj9Suz0RNmV1Kruj279Ekb/wAd07lNoxiriG0LtWuuDVFprGNhuMO8tBW8vnQS7dOv8Ve5U/UhyM/k6seIxcHTEp4T+HtfQ+yXaLD2XXXs/aMb+Tx9K6enSqOkwvjDMutec45Q3yzVbKy3VsSSxSsXfdF8F9Cp1RU8D3OZDWnw1613rhg1LrcAzdslLY5anspmyKqpRSr3Ss9LHboq7e0vpNk1NUR1dPHNC9JYpGo9j2rujkXqioZslnIzdF+FUaTHSXN7UdncTs9m4opnfwa43sOuOFVM/jHN9wAdF44AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAaafJdfvgOe/c68fHYTcsaafJdfvgOe/c68fHYTcsAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAY811+kV32zH/ednRb9z63/ANOX+up1tdfpFd9sx/3nZ0W/c+t/9OX+uoF9AAAAAKe8RU8ojgXzR6OU99hi5qqx1bZXKnf2L/Mf+lWL7xKwtjUzE4M6wK/WCobvHX0csHdvsqtXZfdRdlNTNYMZjArwp5w7+wNo1bI2rl89T9CqJnwvr8GGOAzPfmx0Gt1FNJz1lklfQSdevIiq6P8A7rkT/dJHGuzyd2Wz4lqpkuFV6rE6tiVyRKvRs8DlRyJ7qKv4qGxJepqbLxvLZSiZ4xpPseg7d7Op2bt/MUYfqVzv0+Fev33VAB1ngAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABpl8sR9WBg33s0Px6rNzPiaZvLEfVgYN97ND8eqzcz4gVAAAopUooGEeM5f/s45V7tL8ZiLV4AF/8AUhV79/rzP/ZxGes1ix+bG6pmUtoX2NeXt23JGrB7JOXm5unsuXbfx2OrgEGJwWR7cOjtkdq7ZyuS0oxIe02Tm35OnNttv7x0Ix7ZOcDd+le/4NCcK+ZjFvy4LnQ5HFvecjnN8ABIAAAAAAAAAAAcVORTYCNHGLwxx6yYyt8ssDWZbbY1WJU6LVxp1WJ3pXp5q+np4mKOCHiamt1VHpjmUz4JYXLDbKiqXlVip0Wmfv3Kmy8v4PQTsezdNiDfHFwxvSSXUrD6dY6uFUkulLTJyuXbr6obt/CTpv7m/p38/ncCvL4ny3LxrHrR1j831zsxtXK7Xyc9mNs1Woq+arn/AG6+n8spyo7pvvuVau5GLgz4nI9XsdTHb9UNbltujTdzl29WRJ0SRP8AWTucnv8AiSca5FTc7GXx6Mzhxi4c6S+dbW2Vmti53EyOcptXRPvjlMd0uQKblTYcgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAGmnyXX74Dnv3OvHx2E3LGmnyXX74Dnv3OvHx2E3LAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAGPNdfpFd9sx/wB52dFv3Prf/Tl/rqdbXX6RXfbMf952dFv3Prf/AE5f66gX0AAAAAHFzUU5HFy7AaztYIX6A8bFPfokWG31FfDcU2TZFil82ZPwrJ+g2WUtQ2qpopmORzJGo9qp3Ki9SE/lK8D9VWLGMugj8+kmfQ1L0T+A9OZir7itVP8AeJBcKud/shaF4tcXy9rVw0zaOpVV69pEnIqr7uyL7557I/5fOY2X5T6Ue3i+u9qP9W7ObM2zGtVETg1+NPq39jLiFSidxU9C+RAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADTL5Yj6sDBvvZofj1WbmfE0zeWI+rAwb72aH49Vm5nxAqAABRSoAwfxnJvw5ZV7tL8ZiLW8n+m+iFX92Z/wCziM+ZpdLDZ8eqavJpqOnssfL28lwRvYpu5Ebzc3T2St238djqYDesVv1ldU4hUW6ptSTOY59s5ey7RETdF5em+yt/QdCMeYyc4G7pvXv+DQnBiczGLvcrWXMneciiFTnN8ABIAAAAAAAAAAAAAKKfKaniqYnxysbJG9qtc1yboqL4KfYA4aw1scT+h134bdRaLUTBlfSWSSpSaNYd19RTd6xuRP8Ao3ddk7uqp6CZnDpr1bNd8GguVOrKe706NiuNFv1il26qn+q7qqL/AHoZCyvF7ZmmO19ku9Kyst1bE6GaGRN0c1f+C+2a0sis2VcDOuUVfb3S1mP1LnLCrukdbTb9Yn+h7fT6dl7l2PM4lNWy8ecaj5qrjHSevg+3ZHFw+3uzI2bmJiM/gR+zqn/cpj6Ez1jl/wAtoiHItbTfUOz6o4jb8isdS2ooatnMiJ7KN3ixyeCovRULpPSU1RXEVUzeJfFsXCxMDEqwsWm1VM2mJ5TAACzEAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA00+S6/fAc9+514+Owm5Y00+S6/fAc9+514+Owm5YAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAx5rr9IrvtmP+87Oi37n1v/AKcv9dTra6/SK77Zj/vOzot+59b/AOnL/XUC+gAAAAA4u2OQAxbxL4ImomiOV2hsfaVPqR09P6Ulj89v6W7e+Ro8mnnSrS5Th071R0UjbhTsd3oiojJE/C1q++pOWeJs0L43IitcioqL6DWbgMjuHrjfntz17G21Fylo0ReiLT1C80f4FVn4p5/PfsM3g5mOu7Pt4Pr3ZT/VtgbT2LOtUUxjUR30+tb2NmqdxU4tXdqe2cj0D5CAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAANMvliPqwMG+9mh+PVZuZ8TTN5Yj6sDBvvZofj1WbmfECoAAFFKlF7gMI8ZyKvDnlKIirutL3fbURanAExzNEqtHIrV9eJ+i/7OIz9meUWTDccq7vkVVFR2en5e2mmYr2t5nI1u6IiqvnKidx1MAzbGc+sb7litbBX21szoXSwRuY1JERFVNlRF7lab9ONVGTnB3dN69/waM4VM5mMTe1iOC5WnIohU0G8AAAAAAAAAAAAAAAAAADird+8sHWvR6za1YPWY9do0ar056aqaidpTyp7F7V/wCKeKboZAOLt/ApXRTiUzTVF4ls5bM4uTxqMxgVTTXTN4mOUw1jaK6m5HwcawVmJZY2T1gnmRlXEm6sair5tTF6U27/AEpv4obLrVdaa9W+nrqKeOppKiNssU0a7te1U3RUUwjxX8N9Lrphrp6ONkGU25jpKGo7u0TbdYXe070+C+/vHHgy4jazTjIXaX5u+Wkpe3WCikqvNWjm3XeF+/c1V7vQvtKedwK6tm40ZbFn9nV6s9O6X2Pa2Xwe2+zZ25kabZvCj9tRH0o/eUx9/wDd9hCLuhU4MeitRUXdF67ocz0r4mAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA00+S6/fAc9+514+Owm5Y00+S6/fAc9+514+Owm5YAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAx5rr9IrvtmP+87Oi37n1v/py/wBdTra6/SK77Zj/ALzs6LfufW/+nL/XUC+gAAAAAAAUd3Ka9PKOYbLYc/xjM6JFgWqh9TySs6bTRO5mO93Z3/dQ2Fr3EfOOTA/m20Du8sUXaVlpey4RKidURi7P/wC4rjlbTwZx8rXTHGNY9j3nYfacbL2/lsWv1Kp3KvCrT8WVdJs0j1C04x3IYlaqV9HHK5G9yP285PeXdC7k6kSPJzZ76+6U3DHJpeaey1a9mxV6pFLu9Pe5ucluhs5TGjMZejFjnDi9otmzsja2ZyM8KKpiPDjHwsqADcedAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABpl8sR9WBg33s0Px6rNzPiaZvLEfVgYN97ND8eqzcz4gVAAAoVKL3AYV4x6aWs4dspigifNK5aXZkbVc5f8pi7kQtfgKo6ih0Uq4qmCSnk9eJ15JWK1duzi67KZxzzNbTp1i9ZkF9mdT2ul5O1kaxXqnM9rG9E6r1ch0tN9SrBqpYH3nHKl9Vb2Tup3PdEsa87UaqpsvtOTqdCMav5HODu+jvXv7ODQnDp+UxiTVrbgu5O8qcW95yOe3wAAAAAAAAAAAAAAAAAAAABRybtVCG/G/wurl9BLn2K0u19o2c1fSwJstVGm3npt/Dan4UT0ohMk4SRte1WuaitXvRTVzOWozWFOFic3e2JtrNbBz1Geyk608Y5VRzie6UReCTii/ZAtceEZPVKuR0Mf+SVMzt1rIW7dFVe97fH0p19JLtq7mu7jE4d6/SPK4tTcHbJSW9alJ6hlKi70NRvv2ibdzHL3+CKvoUlFwtcRVDrvhbXTvjp8moGtjuFIiom69ySMT+K7b3l3Q5mRzNeHXOTzPrxwn60Pc9q9i5XN5antJsWP8viT6dP7uvnE90zw/8AsM4g47+2cjuvlAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAoq7FOb2iru4wlYrV670UtVU19zfNJVVG6tuEzU2SZ6IiIjkRNkRE6GXDo3768GKuvdtFrs2c3tfpHN7X6TEfzMU//AFy6fCdR8sfMxT/9cunwnUfLMnkY+sx+Vnoy5ze1+kc3tfpMR/MxT/8AXLp8J1Hyx8zFP/1y6fCdR8seRj6x5Wfqsuc3tfpHN7X6TEfzMU//AFy6fCdR8sfMxT/9cunwnUfLHkY+seVn6rLnN7X6Rze1+kxH8zFP/wBcunwnUfLHzMU//XLp8J1Hyx5GPrHlZ+qy5ze1+krzb9xiL5mKf/rl0+E6j5Z07lbFszrbVUtdcmypdKCPz6+Z7Va+qiY9Fa52yorXOTr6R5DvPKz0ZpRdypxZ3HI1myAAAAAAAAAAAAANNPkuv3wHPfudePjsJuWNNPkuv3wHPfudePjsJuWAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAMea6/SK77Zj/vOzot+59b/6cv8AXU62uv0iu+2Y/wC87Oi37n1v/py/11AvoAAAAAAAFF7jz75aae/Wett1VGktNVQvglY5N0c1ybKn4FPRKbIvgRMXi0ppqmiqKqeMNavBtdp9H+KC7YbXPVrK1Z7Y5HLsjpI3K6N23p2R34xspaa2eM2zz6ScUNozShasUdY+nuTXNRdllic1r099Gt3T/WU2LY7eIMgsdvudM9JKerp2TxuRd92uaip/xOBsqfJTi5WfoVaeE8H1vt9TGfpyO3qOGYw43v56NJekAD0D5GAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADTL5Yj6sDBvvZofj1WbmfE0zeWI+rAwb72aH49Vm5nxAqAABQqUXuAw1xe2usvPD/k1HQUs1bVyLTckFPGr3u2qYlXZE6r0RVLZ4FrJcbBo1VU1zoKm31C3ad6RVUSxuVqxxbLsvh0X8BmbUbPrVpjiNbkl67ZLbR8na+p4+d/nvaxNk3Tfq5DoaVarWPWDG5L5j61C0LKh1M71TF2budqNVem69NnIdCMXE+RzhxT6O9e/f0aE4dHyqMTe9K3BeidxUoncVOe3wAAAAAAAAAAAAAAAAAAAAAKeJUAede7LR5Ba6u3XGnjq6GqjdFNDK1HNe1U2VFQ1o6qYDkvBXrPRZNjbpH49USq6ke5V5JI+99NL7iL0Ve/oqdUU2eqm5aOqGmdm1Xw2vxy906S0tSzZr9vPif/Be1fBUU5meyfyqi9E2rp1iXuOynaOdhZirCzFO/lsWN3EonhMdY745Oro/qvZtYsHocis0qOjlTlngVfPp5UROaN3toq+/3l8K7Y1fYTlOU8Dut1VZ7yySpsFS5EqGMReSqp1VUZPHv/DTZenup6DZZjmR0GWWSju9qqY6y31kaSwzxLu1zVK5DOfKaZoxItXTpMfiv2r7ORsTHozGUq38rjelh1931Z74esi7oVKIVOq8IAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACju4xBh//ADKv21U/28hl93cYgxD/AJlX7aqf7eQ2sDhU1sXjD2yhhDjE4hF4b9FrhklHFHU36pkbQ2uCVN2Onf8AwnJ4o1qOdt47IniWLi/CtkuU6b0d6yLVbOYdR6+kbWOraO8PhpKSd7eZI20rUSNY2qqIqKm67LsqdC+9e8xwhXc4X5pVFCMfA9xE3zWDH8mxXNXRvzvDa31BcJ42oxKpnM9rJeVPHdjkXZPBF6bknDJ0mOEqWtMxPEBFTi41yyai1HwHRjT+4pZ8oy+oRa28NajpLfR7qjnRp4PVGvXfwRvTv6eTrroZlOhumFwz/TjUjMp8mx6JK2ppr/dn19JcYmqiyo+F6crV5d1TkRE6bdO9Me/Ft7kybl53Y4pgjxMD45rPctd+ES5Zxh0U1NktdYaxKano/OlhuDI3t5Ge2kiJy7+lPSWvhPB1NccMttVlup+pU+U1VLHLWTQZJLTsp51aiuayNqI1EaqqmzkcWm8TMdFIiJi6UJ4+Tf6LbvuvbfjsJDrhU1pznF+J7NNBs2v02XUttjlqbTeaxqeqeVvI5GSOT2SKx+/XuVq+Ckxcm/0W3fde2/HYS1M3iKo5oqjdmaZZbb3HI4t7jkc5uwAAJAABTcbnwrJnQUk0jduZjFcm/pRCFmH+UKno6x9Jl+ONmjZIrFq7Q7ldsi7b9m9dl/GQ3Mvk8bNRVODTezVxszh4ExGJNrptblTFuBcSmnmoqxx2zIqaCrf3Udevqebf0Ijtt19xVMnxyNkajmuRyL3Ki77mvXhV4U2xKZie9moxKMSL0TdzABjZGmnyXX74Dnv3OvHx2E3LGmnyXX74Dnv3OvHx2E3LAAAAAAAAAAAAAAAAoBUAAAAABTcqAAAAAAAAAAAAAAY811+kV32zH/ednRb9z63/ANOX+up1tdfpFd9sx/3nZ0W/c+t/9OX+uoF9AAAAAAAAAACJXlGMC+aDSi35DDFzVFkrEV7kTr2Micrk9zm5F94u/gYz35tNBLTTyydpVWZzrdJuvVGs6s/7it/AZY1Xw+LPtOMkx+ZqK24UMsLfacrV5V91F2X3iEHk6MxmxvUTKMJrF7NauPtmRu8JoVVr9veX/unnsX/L7Sor5YkW9sPr2R/1jsVmcrxrylcYkfy1aT8by2GblTg1fwHM9C+QgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA0y+WI+rAwb72aH49Vm5nxNM3liPqwMG+9mh+PVZuZ8QKgAAUXqhUAYf4srBcsn0GyS22igqLlcJlpuzpaWNZJH7VEars1Oq7Iir7xbfBJit5w/R+pob5a6u0Vq3WaVKeshdE9WLHGiO2Xw6L+AyxqhqFb9K8KuGT3SGoqKKi5EfHStRZF55GsTZFVE73J4nnaO6uWnWnFZL/ZqerpaOOpfSqysa1r+ZrWuVdmuVNvOTxOhGJixk5w930N69++zRmjDnMxXvelbgvxFKnFE6nI57eAAAAAAAAAAAAAAAAAAAAAAAADi45ADDnEtw/W7XrCZaNyR019pEWS31yt6xv/AIjvS13cv4fAiFwoa+XTQLOarTbOUkorS+p7Bvqhf9AnVe/f+Tdui793XfxU2P8AKRV40+GBuqdikyvHadG5TboldJHGiItbC1PYr6Xpt5v4PQcPP5aumqM3lvXp4x1jo+p9lNt5bFwK+zu2pvlsX1ap44dfKqO7r/ylNTyNmibIxyPY5Ec1ydyofUhLwO8UUlzjh04y2pVtypk7O2VNQqo6RjU/zLlX+E3ZdvSibeBNhrtzoZXM0ZvCjEo/4l43b2xMz2fz1eRzUaxrE8qqeUx3S5AA3HngAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFHdxiDD/+ZV+2qn+3kMvu7jEGIf8AMq/bVT/byGzg8Ja2LxhBfyr9U+aXRq0uVVpaq8zPkb4KrVhan6HuJ+0jEjpIGt7kY1E/AQd8q9itXPplhWY0sLpWY3eUdOrU35GSo1EVfa52NT30JpYxfKW/4tarvSzMloqyjiqo5Wr5qscxHIu/uKXo0oq7pTicafD8UCuEyd9p8ozrvbYFVKWoSpkexO7mSeNyL/3nfhNhRADgLtzs94rdetSoEV9pkrZKGln282Vz51cvKvjs2Nv46E5m5pj78nfjjb5bnZAyLtnWpKpnqpI/4yx7823t7FsO/k6InjZXE+crlA+91D7v5XOgiqFVzLdamNhRf4P+RK/p78jibur1Iyv0qzKmlRHRy2esY5F9CwvIYax2t2nHlPNNsqq07G2ZRSNoWzu6NWdI3wcu/p37L8ZCWfEnlVPhWgefXiplbFHBZqlqK5dt3vYrGp7qucie+YJ0y1p72SYvjxbuRr8kncJanh1vVI9yujpb/OkaL4I6KJVRPf6++Z41i17yDTG9Pt9o0ky/OGJTJO2vskUbqbmXf9rVyrzIqbddmr3+JgjgDqKPh/4LUzHKWz01BcblJcXrHHzPbE97II3behVajvcUm1FI2ZjHscjmORHI5F33RTZriZiI6W+5hiYvM243Qa4JbDZ8514z/Va/5HQSaj3DtIJMShZLFNZoVczdHpK1jnORGsbzI3l6L167JM/Jv9Ft33Xtvx2EgXra9bd5UvTVcX/arjUW+nS7pS9OdqrOju027/2pGd/gjSemTf6LbvuvbfjsJGFN8OmfYnEi1c38V1Ztq/h2m9XTUmS3+ltFRUR9rFHPzbvai7bpsi+JbycUWlapv821s/Hd+o8zXDhhsOu95t1yu11uNBLRU607GUSx8rkVyu3XmavXqY0XydmHfzlvm3/7H5BnwMPIVYcTjV1RVztDXxK83FUxh0xMMv8Az0Wlf89bZ+O79RyTif0sVPp3tX5Rf1GHfodeHfzlvn/5H5BRfJ14jv0ye9on9GH5Jn8lsz95V7mLyme+pHvZj+ee0sX/APTe1flV/Uck4mtLVTf5t7T+W/8A7GGfodeJfznvX4sPyTivk6sV8MpvG3tsi+SR5LZn7yr3Qnyme+pHvZir+JXS+SiqGtza0uc6NyIiTd/T3DVbXvbLXVD2rzNdI5UVPFN1J01nk8cWpqSeVuUXdVjYrkRY4vBN/wCKQUqYkgqZY0VVRj1air47Lsen2LRlaZrnL1TPC94cPadWPVu+WpiPB8jIWCa/5/py6NtlyWrZTM/9kqHdtCqejlfvt72xj071nsVxyCtZSWygqbjVP9jDSwukevvNRVPQY1GFXT+1iJjvcjDrxKKv2czfuTDwLyh0rOyp8wxxHp0R1da5Nl9+J39zveJH4FxHae6ipGy1ZJSsq3J/odYvYTIvo5Xbb+9uQiwPgh1Gy5Y5rjT0+NUbuqvr5N5dvajbuv4VQkbgXAVg+NrFUX6rrcjrG7KrHvSGBF9prfOX33e8eGz+Dsum/k6pie7WHqMpiZ+q29TeO/RAPyZlTDaeO/O6+tlZSUS0V3j9UzuRkfMtZCqN5l6b7eBuJtt/tl3c9tDcKWtdGm7kp5myK1F7t9lNKfCTiU+uGu2aab0tU221MNXcbq2unRZGJHHNHEkfKnXfzk67+Bs74ZeGmv0FuN+qqy9092S5RRRtbDC6Pk5Fcq77qu+/N+g41eDlowd+nF9LpaXVjEx5xdycP0et2bq7J7PbahYKu60VLOibrHPUMY5E9xVPpbr5brxz+oK6mreTbm9Tytk5fRvsq7EaNfODu56yajVWTUuSUttimhihSnlp3PcnI3bfdF8S8eGXh4rdA4b9HWXiC7rcnROasMTo+TkR3fuq778xSvBwIwYrpxL1dLT95Ti404u5VRanrdmCrymzW+odBVXehpp2+yimqGMcnuoq7odi33mguzHSUNbT1jGLs51PK16IvoVUUizrTwV3XVXUi7ZNT5NSW+GtVipTy07nObysRvei+0ZL4adB6zQew3e31l2huzq6pbO18MTo0aiN5duqqMTBy9ODFdGJerpafvRRi41WLu1UWp6so1OW2OiqHwVF4oIJo12fFLUsa5q+2ir0O5QXehu0KzUVXBWRNdyq+CRHtRfRui9/VCJWq/A7dtRdRb9kkGU0dFDcqjtmwSUz3OYmyJsqovXuMy8OGi1XoZhNbYqu5xXWSorn1iTQxqxER0bG8uyqv8T9JOLg5ejCiujFvV0tw9ph4uPViTTVRanqyHUZjYqWZ8M15t8MrF5XRyVTGuavoVFXop3qC50d1p+3oqmGrh35e0gej27+jdCHuoPAfeM1zm/X6HK6OmiudbLVthfSvVY0e5VRFXm6qm5n7h60lqdFtPExuquEVylSqlqO3ijVjdn7dNlVe7YY2Dl6MKKsPF3quljDxcarEmmvDtHVesuZWCGR0cl7tzHsXlc11VGiovoXqehR3GluVO2ekqIqqB3dLC9HtX3FToQwyngBvV/ya63RmX0ULK2rlqGxupXqrEe9XbKvN4bkldDdM6jSPTagxmpro7jNTPkctRExWtdzOV3cq+3sRjYOXooirDxN6Z5WnQwsXGqrmK6LQul2a481VRb5bUVOiotXHun6T0qWvpqykbUwVEc9M5OZs0b0cxU9KKnQhHX+TwvVZXVNQ3MaFjZZHPRq0j903VV29kSm0t05qNPdKLZiE1bHWTUlPJAtUxita5XOe7fZev8AC/QMfAy+HTTOFib0zx0mLGFi41dUxiUWjxXIubY99fbb+dx/rPRjr6aakSqjqIn0qt7RJmvRWK307923tkH3+Tpvb3ucmZ0Gyqq7epH/ACiVuM6ez2HR6jwt9ayaogtPratWjFRqu7NWc23ft47E4+Dl6Ip8li71+Ok6GFi49czv0W6LhTN8d+vtt/O4/wBZ6j6+mbSLVunjSlRnaLOrk5OXbfm5u7bbxINJ5Om+Kv050Kf/AOI/5RLCu08nq9GajCUrI2zy2V1q9V8i8iOWLs+fl79vHYY+Bl8Pd8li71+OkxYwsXGr3t/Dt0e+mb46qf8AP1s/O4/1nqz19NS0zqmaeOKma3mWZ7kRiJ6d+7Yg59Dpvar1zOh/NH/KJYZ3p7Pl+klfh0dZHTz1VvbRJVOYqtaqIic23ft0GPg5eiaYw8XeieOkxYwsXGrifKYduneuBc2x1dv/AE7bfzuP9Z6dVcKahpnVFTURU9O3qssr0a1PdVehB1nk673HIx3zZUKoiov+iP8AlErNYtOZ9TtMbni1PWsoJqxjGJUSMVzW8rkXuT3BjYGXoqpjDxd6J46ToYWLjVU1TXRaY4d65WZpj8j2sbfLa5zl2RqVcaqq+jvPQrrlSWynWoq6mKlgaqIssz0Y1FXu6r0IVWTyfF6tF5oK52YUMjaaojmViUj0VyNci7ey9okrrxpbUaw6a1mL01fHbpp5YZEqJWK9qcj0cvRF8dthjYGXprppw8S8Txm06GHi49VNU10WmOGvFeMOY2GeVkcV6t0kj1RrWMqmK5yr3IibnduF1orVAk9bVwUcKrypJPIjGqvo3UhxhfANecVy6y3mTLqKdlvrIap0TaV6K9GPR22/N032M+cRWjtVrdgUOPUlyitUsdbHV9tNGr0VGte3l2RU/jfoGLg5ejEppoxb0zxm06GHi49VFVVVFpjhC/6bL7HVzxwQXmgmmkcjWRx1LHOcq9yIiL1U7lxu1DZ42yV1ZBRxuXla6olaxFX0bqpETTPgWu+B5/YMimyujq4rZWR1ToGUz2ukRq77Iqu6GZuJTQ+s12xW22ikukNqfSVXqlZZolejk5Vbtsip6ScTAy9OLTRRi3pnjNp0KMXHqw5qqotPKGSaXLLJX1DIKa70NRO/o2KKpY5zvcRFO1cbzb7Qxj6+tp6Jr12atRK2NHL7W69SKWkHBLddMtR7Nk0+UUlbFb5VkdTx0z2ufu1W7Iqr07/0GTOJjQCt17tdjpaO7w2hbdNJK508Syc/M1E2TZU27iK8HLxjU0U4t6ec2nQoxcecKa5w7VdHsazZPZ7phqwUd1oqqdaiNUjgqGPcqJvv0RTv6U3y3WfT62JX19NRLI+bk9UTNj5tnrvtuvXvQi9S8Hdz0crqbJqrJKW5QwOWJaeKncxyq9qpvuqr3F75rw512vuBYetHeoLR62PrEd20LpOftHt222VNtuT9JarAy8Y0URi3p62n7inFxpwpqmj0uiT1Dk1oulR2FHdKKrnVFXs4Khj3bJ47IpzuOQWyzyMZXXGlo3vTdraiZsauT0pupG7h94QbnotqEzJKrI6W5xNpZafsIadzHbu267qvhse1xL8MVw16vlmr6O+U9pbQU74FjmgdIrlV2+6bKmxWcDLxjxRGL6HW0/cRi484U17npdLs7W/I7VdZliorlR1kqJzKynna9UT07IpS45HarTM2KtudJRyubzIyonaxVT07KpHzhy4UbjobmdXe6vIKa6snpHUyQwwOYqKrmrvuqr6DlxIcKdx1yzGhvVHf6a1R09E2lWKaBz1cqPc7fdFT+MPI5eMfyflfQ+tafuPK4/kt/wAn6XRIO25Da7vI+OhuNLWvYm7m08zXq1PSqIvQ41+S2i1z9jWXSjpJtkd2c87GO29OyqYI4aOGGv0HyC8XGrvtPdm11K2nbHDA5isVH826qqqeTxCcIly1r1AXI6TIqW1xepI6bsJadz3btVy77oqfxhGDl5x5onF9HrafuJxceMLf3PS6JIW2+228LIlBX0tase3OlPM2Tl37t9lXbuX8B8qzKbNbqh0FVdaGlnbtzRTVDGOT3lUwvwx8ONdoDPkT6y9U93S6tp2tSGF0fZ9n2m++6rvv2n6Cz9dODW6avajV+TU2S0luiqWRsSnlp3Pc3lYje9F9oU4GXnGmicS1PW0/cTi48YUVxh+l0uk9QXq33lki0NbT1rWdHrTytkRPd2U1rahOTQLjcS8QuSOgkubKx/IvRsVQm0qL6PZuXqTI4Z9AK3QW23ulrLvBdluE0crXQxOj5OVqpsu6rv3kD+L6vt121hzOqo56h1QlwWmnhlhRrWLEjY1VrkcvMiqxfBOinMz+z8PHprror0wvTibcbfm+hdidsYuT2hTk68O9ObjyVUTPKrn4w2twyJNGx7V3a5EVPfPqYr4Zc9/ZG0Sxa8Pk7Wp9SpT1DlXde0j8x2/t7t398yoMOuMSiK44S8vnMtXksziZbEj0qJmJ9k2AAZGmAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA0y+WI+rAwb72aH49Vm5nxNM3liPqwMG+9mh+PVZuZ8QKgAAAAMTcU2K3bNtDcis1joZLjdKlafsqaLbmfy1EbnbbqidEaq+8W7wZYJftPNJqm15HbZrVXuuk0yQTKiuVisjRHdFXxav4DJOrupFPpLgNyymro5a+Ch7Pmp4XI17ueRrE2Vene5F948vQ/WKj1vw+XIKK3z22GOrfSLDUPRzlVrWrzbp4ecn4DoRiY3yOcOKfQ3r372jNGHOZiq/pW4dzIqFSiKVOe3gAAAAAAAAAAAAAAAAAAAAAAAAAADg5u6bbHMAQG42uGioxq4v1PwyGSn5ZUnuUFLujoZObf1Qzbu6+y27u/wBJm7hC4l6fWzFm2y7TMiy23RolTGuzfVLO5Jmp7fTdE7l91CQddRwV9LLT1MTJ4JWqx8UjUc1zV70VDWnxBaQX3hM1SoM3wx8sNglqEkpnt35YHr1dTyeljk323706d6bnnMxRVs7G+VYUehPrR+L7TsbN4PbPZ0bA2hVEZnDj9hXPP/1zP3f/ABsz5kKmM9Bda7RrhgtLfLe5IqtqJHW0ar51PNt1avteKL4oZLTuO/h4lOLTFdE3iXyHN5TGyOPXlsxTNNdE2mJ5TCoAMjUAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFHdxiDEP+ZV+2qn+3kMvu7jEGH/8yr9tVP8AbyGzg8KmticYVzLD7PqBi9yx2/0Mdys1xhWCppZd+V7F9zqiouyoqdUVEVCPtFwg5Tj+Ky4VYNa8ktWAva6JlqWhpZamGF2+8MdU5naNbsu3Tu8CTYMs0xMzKkVTEWWXpBo/jGhuD0WKYnQ+orZTbvVXu55ZpF6ukkcvsnKv4NkROiGJ6Hgpx+h4p5tbG364uuEium9anInZJM6Ps1dz9/Lsvsf/APhIwFp1mKucIvpMdWONc9BcY1/xeC0ZFHNBPRzJVW+50UnZ1NDOndJG70926Lui7e4qYvv/AAf3zUykt9l1M1bvua4hRysk9ZG0VPQpVKz2PbywtR8m2yeKenovUkuCu7C29KxtSdHrHqRpPctPpkfabHWUjKNqW9EY6BjVareTdFRNuVPAxbbOHXVjHbbHarRxD32O1xMSKNtbYaCpnYxOiIkr2c3d4ruSLBMxeZnqiJtFmE9E+FDF9HMmueXS19xy7Ormitq8kvcqSVDmrtu1jU2axF2TuTfbpvt0Mq5N/otu+69t+OwnrnkZN/otu+69t+Owlo6QrOusstt7jkcW9xyOa3YAASkKbFQB1LmxzrbVNa1XOdG5Eaneq7dENdeI8D2oeY1slRco6bGaJ8iu565/PLsq77pG3dfeVUNjypugRNkOhlM9jZKKowuMtHMZTDzUx5TkjNgXAXgeNpHNfpavJ6pvVWzPWCHf+gxd19xXKhn/ABrDbHh1ElJZLTR2qmRNuzpIWsRfd27/AHz2wYcbNY+Ym+LXMs2Hl8LB9SmIcdug238DkDUbDTT5Lzr5QDPE/wDp13+Owm5RUNNfkuv3wHPfudePjsJuWJHFEHKcgBx2VCiovfscwBx2CocgEOOw2OQIS47DY5AkcdlHKcgQOOyoFbv7RyBI47KNupyAHHZRt1OQA47DbocgRYcdlUcpyAHFdwjTkCRx26jY5ADjsOU5ADHeuibYK77Zj/vOzoun/q+t6/68v9dTr66/SK77Zj/vOzot+59b/wCnL/XUC+FRVHLscgBx2HKcgBx5QidDkCBxVN/AI3Y5ADjt1Xc1was8NGcZPqpntzmx2risc9Tcq6Gu3byO2bJJEuyLv5zkYnd4mx9V23MEWLiltOVa1VGmTbDVxVbaqqonVr5WLEqwskc5eXv2VI1/CbmD5ScLGw6KbxVTMT3QYWYjJ5zL5retVh1RVHjEsLeTUztaiy5PiE0m7qaVtwgYvfyv2a/b2t0T8YnEaydJJV4feNeayP3goKiuktvKvRFhmVHQ/p7M2aou6HmNkVzOX8lVxomYfUf8RcrRRtiM/g/N5minEj2xr8VQAdx8uAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAaZfLEfVgYN97ND8eqzcz4mmbyxH1YGDfezQ/Hqs3M+IFQAAKL1KgDFfE5hl21A0Wv8AYbHTeq7nVLB2UPOjeblnjcvVenc1VLf4QNOb/phpbUWjI6NKG4PuUtQkSSNf5jmRoi7ou3e1fwF+az6kJpLpzdcqWhW5JQ9l/kqSdnz88rGey2Xbbm37vA8nQHWJNccJlyFtrW0pHWSUnqdZu135Wsdzb7J38/dt4HQirHjJzTEehvce9oTThfKYqmfStw7mTUKlEKnPb4AAAAAAAAAAAAAAAAAAAAAAAAAAAAAoeBnWEWnUPFbhYL1TNqrfWxLHIxe9N+5UXwVO9F9KFwFHJu1StVMVRMTwZMPErwa6cTDm1UTeJjlLV0xcq4FddV3bNWY/Uu9G0dfS7/gSRm/vL7SmybCM1tWoOMUF+stUyrt9ZGkkb2rvtv3ovoVF6KngpaOvuiNo1xwWpslexsNaxFkoa1G7vp5fBU9pe5U8UUg3w76xXzhT1QrcGzRkkFhmqOzqI3qqtppFVEbUM9LHJtvt4Ki+B5uiZ2Vj+Tqn9lVOk/Vno+15qjD7f7MnO4MRG0MCPTj97RH0o/8AKOf/AA2YNXc5HXoqyGvpoqmnkbNBKxHskYu6OaqdFRT7I7c9M+ITE0zaXIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAKFTi/uUidB5dVldkoZ3wVN4oKedi7OjlqmNc1fbRV3Q+fzbY9v/z9bPzyP5REXRbhH071Y1N1T1RznG6LLK655TWUlBBdI+2p4KenckO6Rr5rlV7H9XIvcmxhrysWgum+m2gdju2J4Jj2M3J17jgdVWi2xUsjo1jkVWuVjU3TdEXZfQL6RfmmI3ptDY9822PfX62fnkf6ztUeQ2u4tmdSXOjqkhTmkWGdj0YnpXZeidF7/QRr4fOFDRi/aAYDVXLSzEa+srLDRzVFVU2aB80sj4Wuc90it5lcqqq777niaNcOGJ8PvFjl1nxm2sosTzLFW1a2l28kDJYajs5WNRyr5itmauy7+yVO4mqLVbqkVXp3klbfqthV2v8AFY6HMLDW3uVHLHbae5wSVL0am7lSNHK5dkRVXp02LrNcSaZ4ppb5WTB7biGP2/G7bU4nNVyUdsgbBD2qtqmK5GNRERVRje5PA2No7cRaaYqjn+aZ0qmlyBRHblFeiBLkDjzIV5gKgojt1G4FSi9xTnQqi7oA7kCLuYk4ntXpNGNLZL1SVEMF0qLhRW6jSdvOj5JqhjFTl8V5FevvGWYvYovpQiJujm5lN9ipR3cSk3T0jdF6bmLdSbNqzd7zJHiWTYzjOOrAnNVVVqlrbi2TrzK1FlbFttttui+O+5GHyXGfZTqHLrNX5bkNbkdyiyJsHqqsfv5rGOaiNanmsTZqea1ERCI1mY6InSLp4Iu5Up3FSUuDtzElotOSWalkpXYzV1HLUTvSWKopuV7XSucipvIi9yp3oZeKbGSjEmi9oY66N/mxdtkP81K/85pf8UbZF/NSv/OaX/FMo7DYy+XnpCnku+WLtsi/mpX/AJzS/wCKNsi/mpX/AJzS/wCKZR2Gw8vPSDyXfLF22RfzUr/zml/xRtkX81K/85pf8UyjsNh5eekHku+WLtsi/mpX/nNL/ijbIv5qV/5zS/4plHYbDy89IPJd8sXbZF/NSv8Azml/xTrVtqyG8PoKdccq6RjLhR1D5pqinVrGRVMcjl2bIqr5rF2RE79jLWw2I8vPQ8lHVRm/L1ORTbYqa7OAAAAAAAAAAAAANNPkuv3wHPfudePjsJuWNNPkuv3wHPfudePjsJuWAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAMea6/SK77Zj/vOzot+59b/AOnL/XU62uv0iu+2Y/7zs6LfufW/+nL/AF1AvoAAAAAAAAAAcF8SHmBaC5tZeL2qzWrtKRY4+53GoSr7Zi7sljmaxeVF36q9v4SYir0Uj7jHFW3JNfJtM/mddA6Otq6P1x9V7ovYMkdzcnJ/C7PbbfpudDK1Y1NOJ5GLxNM38GjmacKqqjyk2108UcvKI4jNi2qGM5tQosS1kLY1lZ02mhdzNXf07Kn4vtE59MMvhzzT6wZBA5HMuFFFOu3g5WpunvLuYc47cC+bPQW4VcUfPVWWZlxjVE6o1qK1/wD3XO/AW55O3PUyHSCqsEsnPUWKrdG1qr1SKTd7fe350948fg/5baVeHyri8eMcX2zaH+s9i8rm+NeUrnDn+WrWn8ISvb3FSiFT0D5CAAAAAAAAAAAAAAAAAAAAAAAAAAAeVWZTZbfUOgqrxQU07PZRzVLGOb7qKu56b/YqQw0v4TdP9ZNcNX9S87x6jyqofkklqt1LcmdrTxQ08MTHP7NfNc5X86eci7I1Nu8jnY5Jb/Ntjv1+tn55H+sfNrj31+tn55H8o15eVS4f9NNOuGuC8YrgOOY1dW3mniSstFshpZVY5r+ZquY1FVF9C+gzfwq8K+juTcMumdwu2mGJXO4V2O0VRVVlXZ4JZ5pXwtc57pHNVyqqqq77+JMaxNXRE6WjqlPQ5Faro6RtHc6OrWNOZ6QTsfyp6V2Xoh4tHqxhNwyCnsVLmNgqb5UK5IbZDdIH1MqtarncsSO5l2aiquydERV8CNOlnDbiXD1xkXGLEbZHa8azDEJ5JLU1VdBHPBVQI5GI5V2arJUXl7u/wMQ5TpZiOlflVNHKPEMdt2M0dbZKyonpbXTtghdJ6nrG83I1ERF2ancngRT6U0x1/BE6RVPRseQqcGu2TxK8xKXIHHmHP17glyBx5kHOgHIFNynMhFxyKbjmMScUurkmieit9yilqIae5RLDT0XbtRzXTyytY1vKvf7JfwC4y4DhEqujaq96ocyURqFN09IIgt1axviU4lMu0qr83rLLQ4w5aZmMWmeejqLzK1qLPLLUMRF7ONV5EiY9FVWuc7psRxm0JnSLpfcyBF3IHcXmh124ZtOqrVfRLJr9i9fYHxz3GyTXSetoK6mVyI/njne/zkVUX3N+5dlJKcKWu8PEfobjmctp20dXWxuiraViqrYaiNytkam/gqpzJ7TkJjWJmOSJ0t3svAAJAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAGmXyxH1YGDfezQ/Hqs3M+Jpm8sR9WBg33s0Px6rNzPiBUAAACi9wGMuJHBbrqTo5fsdskcctzrFg7JssiMavJPG926r3dGqeDwm6YX3SPTKosmRQww177jLUo2CVJG8jmRonVPbavQu7XHUibSXTK75VT0TLjLQrFtTSSKxr+eVkfVURdtubf3jyOHTWKo1wwKbIam2RWqSOtkpOwilWRFRrWLvuqJ/G/QdCJx/kcxEfs974tCYwvlUTPr2+DKad5yOLe9Tkc9vgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAUXuKgD5qnN4bkdeL/hog1rxZ11tELIsttsarTybbeqY03VYXL/AMF8F9pVJHHB3XcwY+BRmcOcLEi8S6uy9p5nY2cw89lKt2uidPxie6eaBfBJxMT49cGaYZnK+nVkiwWyeqXldC9FXenfv3dfY/g9BPRq7onii+JCTjh4X5K9k2pGJUysuNOnaXSlp02dKibbTt2/hN267d6dfDrevBhxPs1WsLMWyGoRMst0aIyRy7LWwoiJz/0k7nJ7i+PTjZLGry2J8izE6/RnrH5vpXaXZmW27kf0n2PTaJ+ew4+hV9aP/GUqQce8qh6B8gVAAAAAAAAAAAAAAAAAAAAAAAAAAAApuBUAAAAAKbblQB5dhxq2YtQOorTRR0NK6aWoWKJNkWSWR0kjvdc9zlX21ILeWY+pqsP3wQ/2UpPxe4gH5Zj6mqw/fBD/AGUpWeMeMfevRx96V/DH14d9NfvdoPi7C+p8btlVfqS9y0Ub7tSQS00FWqefHFIrFexPaVY2L/uoWLwxfU76a/e7QfF2GTFMuJ68tfD9SGuTiEyG6Y55VPT6Wx0LLheqrEvUVHHNukTJZHVbUkl268jN+Z23XZqohnriJw3PtO9FMozux6qZEuYWChkuqtmbB621HZN53xepez2axWoqJ1V3du5eph/VBqO8rzplum//ACSev6K0lRxcfUv6rfezcP7B5gvMYMTHf97NGuLae44ZNXqnX3QHE82miZb7jdqHepZEm7I52qrHq1F/g8zVVEXwVCHmoOqGtehXGXhWC1Wo9Xn9HkdC9aGiqbfDSReqpOaKNZmxJ/m2ORHqqL7Fq+JnryZ31GGA/wBCo/t3mK9e4WTeVI0M52o7ls9Q5N/BeWfqZpiIxYhjj5upkqlw7iFxTikxWSkyOTJ9K6mgct/nucsLUbUcr9+yha1qx7O7PkRu/TfmVeqnwzPiFybVziZm0O0yuTLFBZKX1dlWVNhbNLTs3anqama5Fakqq9qK5yLt12TzVJZO326d6oauOBHHMjuvF1xF0iZTVYxfWXB8kr4qSGd80fquXwla7ZE3Z3elClOtW70i68+rNXgknxI3TO+EzDYNTcdy29Zjj1qqIWZDj+RyR1Pb00j2xrLBI1jXRSNc5F235V37kRD2eKzi7j0Z4cLHqRjlNJcoMino4aOpZCkvqeKeN0izKxVRFVGNXZqqiK5WovTcujU3hxv2reCXnEMk1RvFTZLvB6nqo4rZRRuVm6L0ckXRd0TqYw1z1jxbgk0CwTBLba/2SLxVMjtFgtdcrH+q3NVESWVUaqbI5Wps1N1VURNu9I1taepHFd1zwfMbxpDFnOB6o5azJJba27UcGQpTyUlSqxpIkU9M2JEYip5vmKit3712Li4NuI755/RekyqooG2u801TJbbpSxLvGypjRquVm/XlVHNciL1TfbrsWtY9LNb8pxCa659q1LjNVNSukdjmH2qljp6VOVV7N08zJXvVO5Vbyp6N+8w15Ji/W7FeHHM6y7V8dJSNzOeD1TUO2RXvjpmMRV9LnOanuqXjjVCl/RpnvWJ5T/Acwt2VaVXe4aiVtzo7hk7KegtKUEUNNbl5mq2RERV7V6b7bv397cnRgGnWo+O5DT12Rau1WW2pjHI+1S2CipGyKrVRq9pE1HJsuy9F67dSLHlXfOTQjb+eEf8A+YTYyjNrbhzrDFcFlR14r47ZS9kzm/bnsc5vN16Jsx3UrTpR7fyWqm9UeH4rkTuQKRL1DtvGRJm96dhl309hxZapy21lxp5FqGw/wUeqfwi8+Hmh4jafJrg7WS44jV2RaXakZj0L2SpPzJ1cq/weXf3xGsE6M9Vn+hzf0F/4GvryRf8AmNbvvod/+ebBa3/Q5v6Dv+Br68kX/mNbvvoX/wDPFPrVeH4lXqx4thoAJSAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA00+S6/fAc9+514+Owm5Y00+S6/fAc9+514+Owm5YAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAx5rr9IrvtmP+87Oi37n1v/py/wBdTra6/SK77Zj/ALzs6LfufW/+nL/XUC+gAAAAAAAAABxd03IkYPw6ZnYeLCqz2rpqVuOyXK4VSSNqWrJyTRytZ5nfvu9u6eBLdSOGJ8VdfkvEVPpo/H6eGljrqyj9cG1LleqQMkci8nLt17NPHpub+Vqx4pxfIxpbXwaOZjCmqjyk89PFnvJbJBkuOXK1VLEfT1tNJTyNVN0Vrmq1U/Sa7+Ca9z6U8Sl5wquesaVyzW9zXL3zQuc5q+7sj/wmyPbc1q8XNsm0Z4q7ZmNIxY4aySC6NVibIrmKjZUT3URN/wCl7Z5HaseSnCzUfQnXwl9q7A1Rn8LP7Br4ZjDmaf56NYbK2rvucjo2S5Q3m0UdfTvSSCphZNG9q7orXIiov6TvHeib6w+S1UzRM01cYAASqAAAAAAAAAAAAAAAAAAAAAAAAoqboebYsatmMw1UVro46KOqqZayZsSf5yaRyukevtucqqp6YAgx5YX6lGL7u0v/AAeSD4N/qVNJfvXt3xdhHzywv1KMX3dpf+EhIPg3+pU0l+9e3fF2E0+pV4x9yK+NHtZRqsbtlbfqG9T0ccl1oopYKaqVPPijk5e0antO5Gb/ANFDXzxWZHcMX8ptozW2igS5XZ9hnpaOmeqox00raqJivVOqMar0c5U68rVNjJr917RHeVd0HRU3/wDQlSvX09lWbFaY/aUR4/dJVpRV4M165af59imjuUZja9VchjzOy26a6t5EgbbZHRMWR0PqXs1Ts1Rqom7ld3buXqXfwk611nERw8Yrm9dDHRXW4QSR1bIE8xs8cjo3Oai77Iqt5kT2y4eI36n3Uv72rj8WkMF+SsX/AOxdiH2zXfGZBGu/E934k6bssQaz6n60cPfF3p1jNRqPW57Z8lgmfTWmWgho43VDlfFFHJ2TesaPWNyqnXZFM01uG8ROL8SWDVNryV+T6d1VOq5PJXyRRxMkVXcyQwI1FjRE5eTl5lXrzOXqpjnitiZP5R3hsa9qORKedyIvpR71QnovVq+kRNqIq8SqPSmnuhFDUviKyXULiTptB9MK+Kz1lHTLXZPlDoGzvt8KIi9jAx27e1dzNTmcionP3dF2cRr8+4X8BXUvE8zveW2+ySxPvlgyaSOpjq6RXI2R8T2xtdFI3dF3ReXv80jTwiY7kNz4/eIykXJ6rGL36tqpElipYZ3zQrWKrURJWu2byqxU28FQmvqDw+5FqbhV7xS/apXeos13pX0dVHHa6JjnRvTZdnJF0X2yLTuUzHHinTfmJ4cFq8R3F/Dplwq27VnGaJ9yjvbaP1Crou0SBs+zlke3dEVWt5k23RFdsiqibn0ocMyvPdHbfnOFaqZjSZJcLYy6ULb82mdSyPdGj2xz0rYuVrV322Yu6b9FXbraOsWqOHcBPDNiGG01E/UWqk3tVitdcrHLXSNfzK6VUareViuROje/lRNl6pdGGaZa55pjUd4zzVN2GTVEHaJjOHWqlbFRtVu6RvqJ2Sue5E6Lyo1E9KkzaYqmOF0Rf0Yl7nBZxLzcTukjr3crfHasltdXJbLtSw9YknZsvMzdVVGqiouy9y7p17yI3lYMEy2ht2GX64agVtxtNVkbKejsDKGKCmo90c5siq1d5XtTpu/wVe7cu3yUl7t+IaT6sV13uLKahpstkbLW1TkRN1axqK5e7dXKnvqej5XtyO0w0yVP51wr/wDk3E1R6VPs+JT9KPFKLA9N9SbDkFFXX/WCryi1Ro7tbVLj1DStl3aqJ+2RtR6bLsvT0GWi2spze24TT2d9yWVG3O4U9rg7JnN+3TO5Wb9eib96kddULbxfy59e34FdsAgxF0+9ujulO91SkWydHqnTffcTOtkUxpEpXKYZxrhJ00xPXS66u22yyw5pckkWapdUvdE18ibSPbHvs1zk6Kvtr6VLd4faDiVp8yqnaw3HDqzG/UbkgZj8L2TpUc7OVVVf4PLz+/sZW1T1PtOlOJTXq5NlqpHPbBR26lbz1NdUPXaOCFne57l/Am6rsiKpE+jqnjojh5TvVinwrhyrsRpEdXZRmk0dot1tgTnmlRzkWRyNTqqIiI3p4vaniX7wIaH3Lh/4a8Xxi9JyXx/aV9dEi7pDLK7m7P3Wt5UX20U6WkPDpX3jUR+sWrKQ3PUCePktdpa7tKTG6bvbDD4Pl6+dLt1VV26dVzlhubW3OaS41NrWV8FDcKi2SPkZyo6WB6sk5evVvMipv7Sin0YnrJM71ukLgABKQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFO4sjWHWTFNC8IrMszC6MtlppU239lJM9fYxxsTq5yr3Inu9yKpEzY4r4BF+3cQ+t+YY0uWYzoXCzHXxrUUtNfsjZSXKrh23a9IUic2NXJ1RrnKplbh11kTX7SGwZ22yVGOturZV9bqqVJXxKyV8S+ciJuiqxVRdk6KnQlF2SgAEhRCphviL11yPRG3Waqx3S7JNT5K+aSOWnx2Jz30qNRFRz+Vjujt1RO7uImbFmZAQo+f/wBTf/hK1P8AzWX/AAAvH9qav/6pWp/5rL/gEiay9DBGvvFPTaS5fjmBY5YJ831JyLd9vsFNM2FrIk35pp5V6RsTld12XflX0FycP2sF+1mxGrvF/wBPL7ptVwVTqdtryBjmTyNRqL2iI5jfNXfbu8FIccNV2fqT5UfWi+Vi9suP0MtqpObr2TWSRxLt6PYP/GUjjVFPtL2pmpm+6cYGXaN5rjlm1uwCjxGz5FUpR0GSWO6+r6GOde6OfmjY6P3dtuir1RFVJUxSJNG17XI5rk3RWruioRI8qVjUN+4O8qqZGIs1rnpa6F3ixyTNbunvPVPfMp8Gua1OoXC7ppfa2RZayeywRzyO73yRp2bnL7aqxV98mn0onulE6THf+DM4OtXXKktkKS1lTFSxK7lR8z0am/o3X3DofNjYfrzQfnDP1hLT75Yj6sDBvvZofj1WbmfE0t+V+u9DX8W+FVNNVwVFPFjNFzyxSI5rdq6rVd1T2jZ98+foOnfq/hvwzB8oDM4MMfPoaDfZfwz4Zg+UPn0NBvsv4Z8MwfKAzODDHz6Gg32X8M+GYPlD59DQf7L+G/DMHygPe4htPblqlpJe8Zs8tNFcK1YVjfVvcyNOSZj13VrXL3NXw7zxOFvSS9aMacT2G+zUc9ZJcJapHUMjns5HMYiJu5rV33avh6C09TON7TO2YZX1OD59ieUZMzs/Utqp7nHM+bd7UfsxjuZdmK53T+KdDSLjjwW84vJPqLmWLYbfUqXsZb6q4sgc6HZvK/le7fZVVyb93mnQpjH+Rzb5u/xaM+S+Uxf17fBJ5CphdOM/QZP/AHv4b8MwfKK/PoaDfZfwz4Zg+Uc6G8zODDHz6Gg32X8M+GYPlD59DQb7L+GfDMHyiRmcGGPn0NBvsv4Z8MwfKHz6Gg32X8M+GYPlAZnBhj59DQb7L+GfDMHyh8+hoN9l/DPhmD5QGZwYY+fQ0G+y/hnwzB8ofPoaDfZfwz4Zg+UBmcGGPn0NBvsv4Z8MwfKHz6Gg32X8M+GYPlAZnBhj59DQb7L+GfDMHyh8+hoN9l/DPhmD5QGZwYY+fQ0G+y/hnwzB8ofPoaDfZfwz4Zg+UBmcGGPn0NBvsv4Z8MwfKHz6Gg32X8M+GYPlAZnBhj59DQb7L+GfDMHyh8+hoN9l/DPhmD5QGZwYY+fQ0G+y/hnwzB8ofPoaDfZfwz4Zg+UBmcGGPn0NBvsv4Z8MwfKHz6Gg32X8M+GYPlAZnBhj59DQb7L+GfDMHyh8+hoN9l/DPhmD5QGZymxhn59DQb7L+GfDMHyh8+hoN9l/DPhmD5QGYp4WTRuY9qPY5FRzVTdFT0GuLit0FunD5nlNqPgqyUdnkqUm/aE/0GdVVeXZP+jd3Ind1VPQS6XjQ0HX/wB7+G/DMHyjy8k4q+HbLbHW2e66rYTWW+sjWKaGS8wKjmqnX+Ec/O5SnN4e7OlUcJ6S9f2Z7Q4vZ7O+WiN7Cr9GuieFVM8Y8ej2+GviAtuvGDxV8bo6e+UyJHcaFF6xSfxmp4tdtui+93oZgTqaibfqHbOHXXF1002zO1ZlYGuR29sro6hs1M5esMvKq8rk8FX0IvtGxDG+LvSu+WKhr5cwttulqImyPpKudGSwuVOrXIvcqL0NTJZ7eicHMzu4lOk9/e7/AGm7KzgYlG0di0zi5THjeptEzNPWmbcLMzAxX89NpP8Az9sn500fPTaT/wA/bJ+dNOn8owfrx74eI8z7S+zV/wBNX5MqAxX89NpP/P2yfnTR89NpP/P2yfnTR8owfrx74PM+0vs1f9NX5MqAxX89NpP/AD9sn500fPTaT/z9sn500fKMH68e+DzPtL7NX/TV+TKgMV/PTaT/AM/bJ+dNHz02k/8AP2yfnTR8owfrx74PM+0vs1f9NX5MqAxX89NpP/P2yfnTR89NpP8Az9sn500fKMH68e+DzPtL7NX/AE1fkyoDFfz02k/8/bJ+dNHz02k/8/bJ+dNHyjB+vHvg8z7S+zV/01fkyoDFfz02k/8AP2yfnTR89NpP/P2yfnTR8owfrx74PM+0vs1f9NX5MqAxX89NpP8Az9sn500fPTaT/wA/bJ+dNHyjB+vHvg8z7S+zV/01fkyqDFLuKnSSNjnyagWKNjUVznvrGta1E71VVXoh5y8Z+g6d+r2Gp/8AvmD5Rlpror1om7Sx8pmMrMRj4c0X6xMfezODDHz6Gg32X8M+GYPlD59DQb7L+GfDMHyi7VZnNaWU+V0rtJNdczwrMcIguljs93nooK+zTLFUpEx+yK9kiq17tvFFai+hCY3z6Gg32X8M+GYPlGhTisv1uyniQ1Iu9nroLla6291M9NWUsiPimjV6qjmuToqL6UA3haP+UJ0M1o7CG15nT2W5y7J63ZAiUUyO/i7uXkcv9Fyki4KiOojbJE9kjHdUexd0VPSioflcMr6ScVWrGhssS4XnN0tNNGv+hOkSelVPQsMiOZ+gD9KINRuj/lqr/bOxpNSsLp71D0R9ysUnqeZPSqwv3Y73Ec0nDo95QjQ3WZIYLbmtLZrpLsiW2/L6imVV8Gq/zHr7TXKoEkQfKnqYauFk0ErJonpzMkjcjmuT0oqd59QPMyaW7wWCvksNNR1l5bC5aSCvmdDBJLt5qPe1rnNbv3qjVX2iE/F9w6cQvFvg9txarpdOsZoKSsSudJBd62olkejXNRN1pWoiecvgu/QnWU2IsmJsjjopZOIHTnEMRxO72LT2vttogprfNcKO9VrJlp40axXtidSqivRib7c6Iq+KEhbg+qZQVLqKOKWsSNywsmcrY3P281HKiKqJvtuqIvuHaKEzMzxViIjgghkvDhxEZJxX4/ritHpzT1tmt3rZFZEvFa6OSJUl3VZfUqKjl7Z3VG7JsnRTN/EBjGsupukNZiFhtGGU1ZkFmmoLxUV92quSjlkarHep0bTqsrUaq7K7kXfboSA2GxW3o7vJa9qt6EYeDTSjV7QDTy1afZXR4fWWG1wz+p7pablUuqXyOermtfE+na1G7udu5Hb93mqY0zrh44ic44msO1iWk05oKnGqV1JDaEu9bKydjkejldJ6lRUXz+mzem3iTp2T0Ave87ysRaJhb2C1OUVmPRSZhQWq23zmckkFmq5KqnRu/mqkkkcblVU7/N6e2YB1P4YL9Y9doNbdI6qgo8xlg9RXux3Z7o6G9U3TdFexFWOXzW7O2VFVrVVO/eT+wK21vByswlcb7rBqBan2Snwun07dVM7Gqvtdd4a11OxejnU0UO/O/bflWRWIi7KqLtsuKuJ/gkrc8tGltz03rqOhybTeWJ9rpLw5y01ZExzH8kj2oqo5XRovNt13XfbvJhbINhzumGEau7aq6i40/H6jCIsEnroVpq+71N3gq2QRuTlkdTMiVXPfsq8vaIxEXZV322XCuh/BVm2jdPkOn0V4sldpVX5LDkUNbI+ZbuxI3xPSnczkSNd1gjRZObwd5vVNpsDYnndHKyOXG3w0XHiT04tNNj9dTW/K8duUd3tT6xVSCSViKixyKiKrUcm3VE6KiHrWK1ah6pZFhVVm+JU2G0GMzrcaiNtzirHV9akD4mdn2e6Nib2j37vVHKqNTbvUzuNhwJ1E7kCoVASxjqfXauRXB1NgViw+vtr6XZavILtU08rJlV26dnFTvRWonKu/Oiqu6bJ3kWeE3hm4huFd2YJTw6dZLFklclwlbNda2mdDL52/KqUzt2rzdyp4d5PQERpqTro6FhluU9loZLxBTU11dAxauGjldLCyXlTnax7mtVzUduiKrUVU8EO+URNipIAAAAAAAAAAACiqiFiaua4YXodjzbxmN7htVPK/sqeFUWSeqk8GRRNRXSO6p0anukXsL8BGW68eeJYrDRVmVYVqBiVkrZWQ014vGOSxUz3PXZm6purd/BFTckvFK2WNr278rkRU3TYlF3MABICi9CMuovlGdD9K82u+J5FkFbS3q1TLT1UMdulkax6JvsjkTZe9O4CTYIgfRWuHX+dNw+CZ/wBRzi8qrw7zSMjZlFwV7lRqJ61T96+8BLpXbIYDyvjQw2y5rdMTsFkyjUS+Wnpc4MOtiVjaF3XzZZHPYxHdF81HKvtFy8R2pz9OeHLN82t0itnorLLVUkip1SRzNol/Gc0wt5K/E4rHwnWq8ub2lzyK4Vdzral3V80iyKxFcvj5rE/T6SIvMz3E6RE9Wc9EOIzCuIG3V9RitdP6stsvYXG03GndTV1DJ1Tllhd1b3L16p0XqZORTXVqdcV0N8qxhVxtn+R0OoNuiorpDH0bPIvNE1yp6eaOH8C+lTYoncTGtMVIm8TZyB83TxsXZ0jWr6FXYp6phT/pWfjIEtN3kuv3wHPfudePjsJuWNMfkxKynouPvO5qieKCJbfd0R8j0a1V9WQ7dVNxqX62OTdLjSKn+3b+sDvg6Pr7bfrhSfl2/rHr7bfrhSfl2/rA7wOj6+2364Un5dv6x6+2364Un5dv6wO8Do+vtt+uFJ+Xb+sevtt+uFJ+Xb+sDvA6Pr7bfrhSfl2/rHr7bfrhSfl2/rA7wOj6+2364Un5dv6x6+2364Un5dv6wO8Do+vtt+uFJ+Xb+sevtt+uFJ+Xb+sDvA6Pr7bfrhSfl2/rHr7bfrhSfl2/rA7wOj6+2364Un5dv6x6+2364Un5dv6wO8Do+vtt+uFJ+Xb+sevtt+uFJ+Xb+sDvA6Pr7bfrhSfl2/rHr7bfrhSfl2/rA7wOj6+2364Un5dv6x6+2364Un5dv6wO8Do+vtt+uFJ+Xb+sevtt+uFJ+Xb+sDvA6Pr7bfrhSfl2/rHr7bfrhSfl2/rA7wOj6+2364Un5dv6x6+2364Un5dv6wLK11+kV32zH/ednRb9z63/ANOX+up5OuV6tz8Gcja+lcvqmPokzV9PtnZ0YvduZp/QI6vpWqj5eizNT+GvtgZHB0fX22/XCk/Lt/WPX22/XCk/Lt/WB3gdH19tv1wpPy7f1j19tv1wpPy7f1gd4HR9fbb9cKT8u39Y9fbb9cKT8u39YHeB0fX22/XCk/Lt/WPX22/XGk/Lt/WB3FXv9wivhfDFlmPcUVTqJU1dqdY5LhXVbYo55FqOWaOVrE5VjRu6LIm/nenvJNLfrb1/9IUn5dv6yNWI8V15v/EfUYBU0NshskddWUza5rnI9WQslcx26ry7qrE/Cb+V8vu4nkeFtfBoZnyO9R5Xrp4pRt6IRD8o7gfr3pjaclii5prLV8kj0Tuil2au/tcyMJWtvtt+uFJ+Xb+ss3WS0WnUPTDJcffXUj1rqKSNids3o/bdi9/g5EX3jhZzBjMZevC6w9n2b2lOx9sZbPRwoqi/hOk/CZWLwSZ6ucaA2RskqSVVqc62y7r1Ts9uTf8A3FYZ8RdzXb5PLU2kw7KMoxW9V8NupqiNKqN1VIjGJKxyMem69N1RW/ik601NxLdf+U1p6f8AbY/lGts7MxjZWiap1jSfZo7vbTYuLs/b2Zw8GiZoqnepmI0tVr+Nl0Atj9k7Ef5zWn89j/WP2TsR/nNafz2P9Z0/KUdYeJ+SZj93V7pXOC2P2TsR/nNafz2P9Y/ZOxH+c1p/PY/1jylHWD5JmP3dXulc4LY/ZOxH+c1p/PY/1j9k7Ef5zWn89j/WPKUdYPkmY/d1e6Vzgtj9k7Ef5zWn89j/AFj9k7Ef5zWn89j+UPKUdYPkmY/d1e6VzgtlNTMSc5ETJbSqr3bVsf6z123+1uRFS40iovVF7dv6y0VU1cJYcTBxML5ymY8Ys74Oj6+2364Un5dv6x6+2364Un5dv6yzE7wOj6+2364Un5dv6x6+2364Un5dv6wLS1z1QZotpJlOcSUDrpHYqJ1Y6jZJ2ayo1U3ajtl27yPOj/lTtC9U+wpq681OEXWTZFpsgh7OLm/1Z2q5m3tuVq+0X5x1Xign4QtVo466mkkdZJka1srVVeqe2fncA/UxY8gtmTW+KvtFxpLpQTNR0dVRTNljei+KOaqoqHoH5idONY830iuKV2G5VdccqN+ZVoKp0bXL/rM9i730UmnpB5ZPU/Euwps8s1tzujbsj6iNEoKtU9PMxqxqv+4gG6MEPdHvKnaF6prBT3G9zYNc5Nk9T5DH2cXN6O3bvHt7blaSxseRWrJrfFX2e5Ul1oZU3ZU0U7ZY3J7TmqqAeieff5rlBZq19ngpqm6thctLDWyuihfJt5qPe1rla3fbdUaqp6FO/vv3AgQg4uNAeIbiu06p8OqaLTrGqFlYytkmhvFbUyvcxHI1qb0rUannbr0X3jIehOL8QmkunuI4XX2PTu62+x0tPbluEF6rYpXU8aNZzdmtKqK/kT+MiKvoJOlCY0iyJ1t3PlUOmSmldAxj50Yqsa9yo1XbdEVeuybkFc84cOIjOOKHDdaFpNOaKrximdSQWdLxWvjmY5srXK6T1Kiou0zttm9Nk7/Gd5UiNKoqOVpYI1os+s2eaR1GN2Sy4XBdr7aam33eSuu9V2NG6Vis3gVtMqypyuVd3Izrt0Usrgo0a1g4ccBtmn2TUuHXDG6FamZl0tdyqXVfNI5Xo1Yn07WqnM5evOmybdFJV7BUEaX7zjEIMar8O/ENqdxFYJqqyl06tsmHsdHS2z12rZW1KOc5XK9/qVqoqo5E6J028SYOBVeWVuPtfmdutFsvSyOR0FkrJaqn7P8AgrzyRxu3XrunL09KlzFSY0ixMXm6MesPC/e2a2W3WvSitoLZn1NAtHc7XdVcygvVMqbKyRzEVzJERE2fsvsW7p0Luqsm1jzS1us9NgdJglXUM7KovlxvENaymavRz4Iod3SPTqrUfyJuib79y5t8RsRbSye9D7ii4HajUnANNoMBulPQZNp5Ok9q9eHOdBWedG56TOaiqjnOjRyuRO9V9JlRmRau5njXrJLglNhd0qYuwq71VXeGrp6dFTZ8lOyJVfI7qqtR6MTfbdfBc27FRymOp0nohDpFwQ5po87MsDt96s1dpTkV4prqtbVSTLeIWxvY98PKjOzcr+za3tFd06ryqq7Jlfja4Zanie0eZj9or4bbkdrro7pa6ip3SFZmI5OSRURVRrkcvVE6KiKSHKbJ6BOtiNJmWAbLatStVa/CYs5xGkxCjx2rjudfLHdI6v1wqomObEkDY9+SPndzqr9nea1NuqqZ+bsnRAiDbYlERYVNyBnEVw88WOpmuTsvwvM8OxyzWtJKaw08tVMssETtkdK9q0r2pK9E2VWr0TzUXbfeegKzGsStdrgk4eOP2RisXWvFmoqd7auRF+JEy+GPTO9aQ6J41jGS10NzyOmZNNc66nkdIyeplmfLK9HOa1V3dIvVUT3DKhTbqWidFbXlUABIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACi9xro4n6p+unlHdI9KLkqzYpYYVvFTQu6xzy9m+bz29y9Io29e5Fd6TYu7uUgnxY6BakYtxQYdxC6W2FMwrbZB6ku2PtmSOaaPlczePm6LvHI5OnVFai7LuRFt+mZ4E+rVEJ0JCzsOy5URnLy8u3Tb0HmYliNowXH6Ox2Kijttpo2qyCli35Y0VVcu2/XvVV98wJi2tmteqs9PS2jR2fTmnVzfVV4zWsY5Im7+ckVNF58jvQrnMT0md8ty604Di9xyDIK+K22i3QOqKqsmXZkbETqv6kTqvRCZ01lWOj3AY3wfXOy55f4LPTWvIbXV1NE64UzrxaJqSOogRWormOemy+zb5q7L17ix+NfJc7wnQLMMlwzI6fHH2m2SVL50o0nqXuRURGxucvLGmy+y5XL6Nu8iZstGs2SAMZ608Ren3DzRWysz/IG2GnuUr4qV7qeWXtHNRFcn7W122yKneXPppX1F107xitq5n1FVUWymllleu7nvdE1XOX21VVO7kOHWHLY4WXyyW68shcrom3CkjnRir3q1Houy+4TVExNimb6o6/RM+G/wCyND8HVf8AhBfKZ8N/2Rofg6r/AMIzj+wzp/8AzFxr4Ip/kFP2GdP/AOYuNfBFP8gDo6O66YRr5jlRfcFvTb5aoJ1pZJ2QyRcsiIiq3Z7UXuVCDPBlSPxvylHERa6lFZPVLUVkbV8WOqWyIv4JUNiVixezYrSupbLaaG0Uz3q90NBTMgYrl71VrURN/bIma66E5np5xO2XiC0xsi5RO6jW2ZLjMMrYqisgVNklhV6o1XoiM81VTdWN9KiNK4nlaYRMXomHv+U1uUdBwY56kjkatQymgZ7blqI+n6FLn4A7PNY+DzS2nqGqyR9pbU7L/Fle6Rv6HoYT4gsd1M46HY3gVNp/f9NdPIbhFX3+75S2KGoqGs7oYIWPeqr1Vd12TfbwTrNvG7DR4vYLdZ7fEkFBb6eOlp4k7mRsajWp7yIgp0irvkqm80x0eZnmHNzezMoHVS0iNmSbtEZzb7Iqbbbp6TH/AM7vF9fHfm3/AJjMoCWtfjB4B7TqbqhabhV5bV0UrLXFTcsNGxyKiTSrv1d/rKdZfIg4mv8A70bz8GQ/LJa67/T1bvtSP+0eZ8A1m/QP8S+yjevgyH5Y+gf4l9lG9fBkPyzZkANZv0D/ABL7KN6+DIflj6CBiSf+9G9fBkPyzZkUVdgNadN5H6xaZPfk1s1KrKmrt8b5UZcKBjIOXlVHq5WOV3RqqqbJ3oh97p5Iy2aqvp77e9RZ6OokhY2Jtqomywvi9k13M9yLuvMv6CVnGjnnzGaI3KmikRlbeXtt8XXryuXeRfxEcn+8fbg4z5M40RtUcsnPWWhy22ZFXqiMRFZ/3HN/AvoOru48ZHev6G85s1Yfyu30rIg/QQMSVf3Ub18GQ/LH0D/Evso3r4Mh+WbMU7ypynSazfoH+JfZRvXwZD8sfQP8S+yjevgyH5ZsyAGs36B/iX2Ub18GQ/LH0D/Evso3r4Mh+WbMgBrN+gf4l9lG9fBkPyx9A/xL7KN6+DIflmzIAazfoH+JfZRvXwZD8sfQP8S+yjevgyH5ZsyAGs36B/iX2Ub18GQ/LH0D/Evso3r4Mh+WbMgBrN+gf4l9lG9fBkPyx9A/xL7KN6+DIflmzIAazfoH+JfZRvXwZD8sfQP8S+yjevgyH5ZsyAGs36B/iX2Ub18GQ/LH0D/Evso3r4Mh+WbMgBrN+gf4l9lG9fBkPyx9A/xL7KN6+DIflmzIAazfoH+JfZRvXwZD8sfQP8S+yjevgyH5ZsyAGs36B/iX2Ub18GQ/LH0D/Evso3r4Mh+WbMgBrN+gf4l9lG9fBkPyx9A/xL7KN6+DIflmzIAazfoH+JfZRvXwZD8sfQP8S+yjevgyH5ZsyAGs36B/iX2Ub18GQ/LH0D/Evso3r4Mh+WbMgBrFuXkkLLpRb5L/AG3U27TzQua1YJbdGjHoq7bLs8vDBfJ3U2aWJLiucS0q9o6Pk9bUd3eO/ak0dZ02wCu/px/1kOpoT9IyfbEn9xoZjI5bM1b+LReXrdldq9tbEwZy+z8xNFEze2k6+2JRa+hhUv2QJvgtP8UfQwaX7IE3wWn+KTpBreaMl+7+M/m7P6xO1P22fdT+SC30MGl+yBN8Fp/ij6GDS/ZAm+C0/wAUnSB5oyX7v4z+Z+sTtT9tn3U/kgt9DBpfsgTfBaf4o+hg0v2QJvgtP8UnSB5oyX7v4z+Z+sTtT9tn3U/kgt9DBpfsgTfBaf4o+hg0v2QJvgtP8UnSB5oyX7v4z+Z+sTtT9tn3U/kgt9DBpfsgTfBaf4o+hg0v2QJvgtP8UnSB5oyX7v4z+Z+sTtT9tn3U/kgt9DBpfsgTfBaf4o+hg0v2QJvgtP8AFJ0geaMl+7+M/mfrE7U/bZ91P5ILfQwaX7IE3wWn+KPoYNL9kCb4LT/FJ0geaMl+7+M/mfrE7U/bZ91P5ILfQwaX7IE3wWn+KPoYNL9kCb4LT/FJ0geaMl+7+M/mfrE7U/bZ91P5II1nkuKKuo56aTUKobHNG6Nyttbd0RU2Xb9t9sx47yIeJyKqrqjeUVV3/wCbIvlmzEpsbuXyuDlYmMGm13mNr7e2lt2unE2jiziTTpF4iLe6IazvoH+JfZRvXwZD8sfQP8S+yjevgyH5ZsyBtuA1m/QP8S+yjevgyH5ZrB1w0+h0n1dy/DaeskuEFjuU1DHVSsRj5UY7bmVE6Iqn6cDS1qp5ObWrXniY1FvFtsEVhx6tv1TLBdr5L2EUkayLs9jERXuT0KjevgBr8OxQ2+pudVFS0dPLVVMrkZHDAxXve5e5EanVVNwOj3kXcGx/sKrUXKK/LKluyvoLai0VKq+LVdusjk9tFavuE3NLOHzTnRSkSDCcOtWPqjeVZ6aBFnen+tK7d7u7xUDSDo95NLXbV/sKhmLfMtaZNlWvyKT1Km3pSLrIv4u3toTj0d8i/g2PdhWah5Vccpq27K6gtrUo6Xf0K7rI73labHdioFqabaXYxpFjMGP4laYrPaYV3bBG5zlVfFVc5VVV91S6wAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAOEio1rlXuRDXZwwyrxd8b2pWpGRItwsGn8yWvHKCfz4YHOdIxJUavTn2ie7f0vRfBDYlNH2sUjO5HNVDV9w1Z6nk/9d9WMQ1StV2t+PZJcG19oyGmoJZ6aZrXSqnVqLvzNlb3b7OaqL3kU+vr00J1o0bENV9KrRrFh7sbvizMt76qmq3dhy8yuhmZK1vnIqbKrERencq9xeTWo3ZPQhh7SviNp9ab9HHieJZBLizY3Omyi60jqClVyJ5rIGSIj5lVdt1RqNRPHfoX5nWpONaa0FNV5Jd4bZHVSpT00bkdJNUyqm/JFExFfI7bddmoq7IOCFzhe4tbCdRbDqVZ6u4YzcfXCGmnfSS80MkL4Z2oirG9kjWua5Ec1dlRO9COesl91m0I0GrtS7lqJHdr3Zo4qy445PaaRtvlasjWvgjkZG2ZFRHea7nXdU7uovbimNeCWq+2WRd7/AKcUt0qIrpcsXhuLXbTsrJ6ZsqO/1kcu+/ulwYpfFybGbTd1gdTer6SKq7B/fHzsR3KvtpvsYNz3yfmg+p2X3TKclwZLjfLpMs9XVeudXH2j1715WSo1O7wRBaYlETExeGRvmo0o3/52w385pP1lUybSpXJtdcO3Vem1TSb7/hMNfQwOGr7HCfC9d/jnKLyYnDZDIyRmnKI9qo5F9d67ov5YmEvY8oHRvuHBhqeylRHIlrZKnZ93IyaN6r7nK1ToeTZnZUcGWnnIqLywTMX3UnkM5ZvgFuzbTm8YdUsVtruVuktrmp15Y3xqz9CL+ghTwe6s0vBxid60c1ldV4tVWO41E9nu81HM+iudHI7mR0UjGKirzc/T20TvRUIpmImqPBFWsU9y2uNqN1y8o/w4UtP1mjnpJXo3vRqVfMv6GqbJG95AXRjDrxxTcbdbr1V2avtGnmN0aW/GpLnTugkuMiNc1ZmMciLybvlXf22p3ou0+0TYmNKIie/4lWtc+xi3UPS665Zkj6+jroaeFYms5Huci7p49C2l0Iv6f/ilN+M/9RngoEtO138jdqzPkFyrqDMcapoqiolkj/bqhHoxz1VEVUj79ttyjfI56z8qb6g2FF9Hqiq+QbiwBp1+g560fZCsP5xVfIH0HPWj7IVh/OKr5BuKAGnX6DnrR9kKw/nFV8gfQc9aPshWH84qvkG4oAadfoOetH2QrD+cVXyB9Bz1o+yFYfziq+QbigBp1+g560fZCsP5xVfIH0HPWj7IVh/OKr5BuKAGnX6DnrR9kKw/nFV8gfQc9aPshWH84qvkG4oAadfoOetH2QrD+cVXyB9Bz1o+yFYfziq+QbigBp1+g560fZCsP5xVfIH0HPWj7IVh/OKr5BuKAGnX6DnrR9kKw/nFV8gfQc9aPshWH84qvkG4oAadfoOetH2QrD+cVXyB9Bz1o+yFYfziq+QbigBp1+g560fZCsP5xVfIH0HPWj7IVh/OKr5BuKAGnX6DnrR9kKw/nFV8gfQc9aPshWH84qvkG4oAadfoOetH2QrD+cVXyB9Bz1o+yFYfziq+QbigBp1+g560fZCsP5xVfIH0HPWj7IVh/OKr5BuKAGnX6DnrR9kKw/nFV8gfQc9aPshWH84qvkG4oAaWcw8k1q7iVnWvrM8sk8KSNj5GT1Kruu+y9Wn0xPySmr+UWSG40ue2SCGRXIjHz1O6bOVF7mm1/XX6RXfbMf8AednRb9z63/05f66gar/oOetH2QrD+cVXyB9Bz1o+yFYfziq+QbigBp1+g560fZCsP5xVfIH0HPWj7IVh/OKr5BuKAGnX6DnrR9kKw/nFV8gfQc9aPshWH84qvkG4oAadfoOes/2QrD+cVXyCn0HTWf7IVh/OKr5JuKUt3ULLoMDwm9ZBUqnZW+lkn5VXbmciLyt99dk98mImqYpjmrVVFMTVPJqKs/kkNWb7BLNQalY/UxwzyUz3MqKnzZGOVr2+w8FRTLF38mTqjcNOY8djyWxQ1zYIYlrvVE3VWOarl9hv1Rq/hM7cAOpk96lyzHLjULNVyTeu0auXq5XryzL+HkX3yZCIndsdPF8ts7FrwYnjFp8Gjhzh53DoxZ5Tdp2+g66z+GoVh9+oqfknm5H5JTWHFrLUXSoz+ySQwcqubHUVPMu7kb0830qbnNizdYE/9XN39yL+1Yct0LzGrXBgPAFqHlGMwT012sS9gqUz3TTy+c5rW7r7Dx3LiTybmpn13x38vL/hk5dAuuF1H28/+owyVscOdjZOqZmaePe+o4f+JXaTCopw6MeLUxER6NPCPY1ofQ3dTPrvjv5eX/DH0N3Uz6747+Xl/wAM2X7DYjzJkvq/GWT9Z3af9/H9FP5NaH0N3Uz6747+Xl/wx9Dd1M+u+O/l5f8ADNl+w2HmTJfV+Mn6zu0/7+P6Kfya0Pobupn13x38vL/hj6G7qZ9d8d/Ly/4Zsv2Gw8yZL6vxk/Wd2n/fx/RT+TWh9Dd1M+u+O/l5f8MfQ3dTfrvjv5eX/DNl+w2HmTJfV+Mn6zu0/wC/j+in8ms6TybWpr2Oal4xxqqipv28vT/8mYqqPI9azVE8kiag2FqOcrtvVFT0/wC4bhtkCJsb+VyWDk7+Ri13lNudp9p9otzzjiRVuXtpEcfBp2+g560fZCsP5xVfIH0HPWj7IVh/OKr5BuKBvPKtOv0HPWj7IVh/OKr5A+g560fZCsP5xVfINxQA0hayeS61V0i0uyXMrxm1muFrstG6rqKaCaoV8jE23REc3bfr4kFF71P0ZcdML6jhD1VjiY6SV9klRrGJurl3ToiGlbR/gB1x1p7Ca04RW2m2S7bXO+tWigVF/hN50Rz09trVAjsco4nSua1rVc5y7IjU3VVNtGj/AJFOz0CQVWpmaz3SXor7bj0fYxIvo7aRFc5PbRrScGkXCbpLoW2J2G4PbLZWRp0r5I1qKrf09tIrn7+4oGj7R7gC1x1pWCezYVU2y2S7L653xfUUCNX+EnP57k/otU2J8Lfkuch0YuNNebzrHkNurGKjn2zD6h1JTydy8sj379o30pyJ7psL2QbAfOmg9TwRx9o+XkajeeRd3O28VX0n1AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAKKNioApsYy4h7fhmVadVGGZzcPW6z5XIlnZMkqRKkzkV7Fa9ejVRY90Vem6IniZOPOvuP2vJrdJQXi20l2oZPZ0tbA2aJ3utciopWYucEaOF/MsttGq2X6S5BkFLqFbsVt9LUW7LYYmsqGxSqrUpalWqrVlajEXdNlXvVOvS6ePKZjOEDVNHORu9mkROZdt13b0Mz47idjxChWisVmoLJR83N6nt1Mynj5vTysRE36HTynTbEc4lilyPFrLkEkLVZG+6W+KpVjVXdURXtXZPaQmrVEaTd09IpmSaV4erHI9q2ik6tXdP8y0vA8PGMGxvCaeanx3H7XYIJnI6SK2UcdM16omyK5GNRFXb0nuFpm83Ii0WAUKkJCmxUAUVAibFQAAAGB9c6eWXObc5kT3t9SRpu1qqn+ceZ3Rdyisa7vRFK7bAVBiDiS4lce4asPpbrdqepvF1uVS2itNjoERamvqHdzGIvcndu7w3ToqqiLijN+J/WjRnF4s21C0htkeEsVjrh8z16WquNticu3PLE6NrHbbpvyu29tCIm4lsUd3KeDgWcWbUrDrRlGP1jLhZrrTsqqWoZ/CY5N03TwVO5U8FRUPUutwhtNrq66pekdPTRPmkeq7I1rUVVX8CFrTOit4tdAHj+zz181HtuNQyb09lpueVqL07aXZV39xqM/CvpPv5P3PPWfUG64vPJy092pu3hRV6dtF4e+xXfioR01CyybO84vmQTqqyXGrkn6+DVXzW+8mye8fTTbL5sCz2w5BAq81vq45nNT+Ezfz2++1VQ+mfIY83fJudvjxeGjNf5zy3f8G4hFKnVt1dDcqKnq6eRJYJ42yxvb3Oaqbov4FO0fMvF7qJuAAJAAAAAAAAAAAAAAAAAAAAAAAACm5Uw/xVZBf8N0OyrKceyqbE66wUE9ySeKjp6pKjs43K2FzZmOREc7l6psvtkTNoumIvNmXypHTgG1NzbWLhvsmYZ9c2XW93OoqHsnZSx06di2RWMTlja1P4K9diRXiWmLTZSJuqACFgAAWNrP8ASBXf04/6yHU0K6YMn2zJ/cZAnp4qqNY5omTRr3skajkX3lKU9LDSR9nBEyFm+/LG1Gp+BAPqAW5nmoWOaZY9PfMovNJY7VD7KorJEYir4Nane5y+DURVX0ETNhcYIjaPcf8AbtceJt+mOP4tcaC1Q22aufdbzG6mnlVvIrFZAqbpG5H7o5yoqpsuyEtnKrfEcro52cwReuHFpkmoeqeQ4Horh1Hl9TjbuyvOQXq4LR2ymn3VOwY5jHvkeiou+yd6L6NzvaScXFXe9YKvSPUvFfmE1Djg9VUccVUlTQXOHbfmp5dmqqoiKvKqeC+KKhMapnTikluNzEPElxK47w1YZT3i8U9TdrncKhtFarJb0RamvqHdEYxF7kTdN18PbVURcUZtxPa1aN4tHm+oGkFsjwqNWPuDcfva1VxtsTlRO0ljdG1juXfryu29Kp3lYm4lsC38BzqzamYdaMox6tZcLLdadtVS1DP4THJ3Kngqdyp3oqKhcBbgiJuAAJAAAAAAAAAAAAAAAAAAAAKKBhTWHjD0z0K1ExnCstulTSXu/ub6nSGldLHC1z+Rj5XJ7Fqu3Tpv3Kq7J1M1Nejk3QjTqZkPDFqBq5jMeXXnEr3n9ruEdFbIFqkmqY6pZERkTmsVeqSbea9NkX0Ga881SxDSq2Q1+X5NasZopnrHDNdKpkDZHbb8reZU5l267JupEcNSeOi7Shjix8RGm+R4XLltuzO1VeNx1S0XriybaN06IirEzdEV7tlTZGoqrv0OxhWvOBah3yoslhyejq73Ts7SS1yo6nq2s/jdjKjXq320TYlF1/7nXoLjS3SnSejqIqqBVc1JYHo9qq1ytcm6dN0VFRfQqKYv4hOJHCuHbCblecovdJTVkdM6WjtSTN9V1j9lRjY49+ZUVybc22yeKmFOB3iX08j4ZcNTJtRMUs+RVLq2oq7fXXumgnjklrp5NnRvejk350VN07lQRre3JM6JiA+cUzZYkkY5Hscm7XNXdFT0oY1v3ErpnjlzrbfW5jb/AFVQry1jabnqW0i//OdE1zYtvHnVNvEjuGTd+uwVdjxrbmNjvWOMyC33mgrbE6FahLnT1DH06xIm6v7RF5eVE33XfpsWTiPE5pVn2VNxvG8+sd+vTonzpS26qbOvZsTd7uZu7dkT2yTvZPVdipimt4pdKrbcI6Wrze2UzZJvU7KyVzm0jpN9uRKlW9kq79NucylDMyeJkkb2vjeiOa9q7oqL3KihD6FFXYsC768YNZbtVWyW/sqq+kdy1VPbaeatdTL6JewY/s19p2x38T1cw3PLtPbcdyW23qvp6ZlXPT0U6Svije5WtV6J7Fd2qnKuypt1QgWJrBxh6Z6Gai4zhOWXSppL5f1Z6nSGldLHC1z+Rj5XJ7Fqu3Tpv3brsnUzS2RHd3cRq1KyHhjz/VzGGZbecSvmoFsr46K2QeqkmqY6lZERkTmsVeqSbea/oi+gy/qlrFhuiuMz3zMcgobHRRxuextTM1sk/L3tiZvzSO6p0air1F7U3lP0rQvCkuVLXunbTVEVQsEiwypFIjuzeiIqtdt3ORFTovXqh2SD/AzxZ4DkWAZnkOVZtjeK3G95fcK+O3Xm8U1LOyByRJGqse9F25URN+7dFJWXnWjAMbZb33jOcbtTLjAlVROrbvTwpUwr3SR8z052L/Gbuntk8OKIm916AtXEdVMM1AqaqnxbL7Dks9K1HzxWi5Q1ToWquyK9I3KrUXZe/wBB5t51501xu61dru2oeK2u50juSooq2900M0LtkXZ7HPRWrsqdFRO9AlfgPhQ1tPcqOCrpJ46qlnY2WKeF6PZIxybtc1ydFRUVFRUPuAAAAAAAAAAAFNj4VNDBWMRtRBHO1F3RJGI5N/fOwAODY0YiI1ERE6IiJsYA4jNLq/VPJsZueEZXTWHUrA3Pu1BT1sCzUs0VS18Ssnb0VGv7J7Uc3dW7L06kgiyM00VwfUO6R3LIccpLlcI4Vp0q3I5kqxb79mrmqiq3f+Cu6FZiZOCzuFnV1NYdJVyyvsdLjd1dXVVNdoqVyLA+pgf2UszX9OZq9mmyruuyIm67blj5hfbBxVV9PaX3y3Umk9vrWVFZPLVxskyGWF/M2FjVVFbTNe3dz1T9sVuzfN85ZDWrDrHY8ZZjlutVLQWKOBaZlvpokjhbGqbK1Gpt0VFXf3TDycB3D8idNKrBt/sn/KJ4zdEaRZnKg9TupIVpVjdTKxFiWJUVit26cu3TbbbuOwdKx2WhxuzUNqtlMyjt1DAympqeP2MUTGo1jU9pERE947xJEWAAEuPKfCpoIKxrUqIYp0Rd0SViORF987IA4Nj5URE2RE8EQ5gAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABjvXVf+QzvtmP+87Wi6/8Aq9oP9pL/AF3F419tpbpB2NZTx1MO6O5JWo5N/TspaeomoOKaFaf3LJsgqoLJjtsjWSRzW7bqq9GsansnOVdkRO9VImYjiL03BFGo42sopsMTPZNB8wTTtY0qvXX1TTerfUq9UnWj5uZG8q83s+7qSC0w1PxzWPCLXluKXGO6WS4x88M7OipsuzmuTva5FRUVF7lQnVF12lBvshhDiF4scW4fbjYrHVUNyyjMb/IkVqxqyRtkq6hVXlRy8zkRjN+nMvt7IuykXSzfuVIo5fxv3jR9LbcNV9HchwjGK6ZtOl9pq6nuUNM93se3bHs5nvb+4pJ+xXuhySz0d1tlVFXW6thZUU9TA5HMljc1HNc1U70VFRSUXd5e4ivx/wCe+smnFuxqGTlqLzUo+VEXr2MWzl/C5WfgJUO6IayOM7Pfm11uuVPFJz0llYlujRF6I5qqsnv8zlT/AHfaO5sbLzj5umeVOrlbTxvJZeY5zotfhrzv9jvWbG7k+Ts6SWoSjql8OylXlVV9pFVF942vMVHJuncppUY9Y3I5q8rkXdFTwU208P2dJqNpHjd5c9H1T6VsNT7UzPMf+FU39xUOt2hy9qqMeOek/g52xsbSrCnxZELM1g/c5vHuRf2rC8yOPHZqRlekOhF6zLH6uwpSWtrFq7de6CWo9WOfNEyNrHRzR8iorlVd+bf2tuvi5mz1ERfRkTQL6S6n7ef/AFGGSjD/AAkZBccw4fMOyS8UNFbrpe6NtxqKe3RvZA1X+x5Ue9yp5iN73KZgLzFpsrE3i4ACEgAAAAAAeZkeS2rEbRUXW9XKltNspmq+asrZmxRRtTxc5yoiAemCM+knHnguuWvVVprhlNW3NlLQSVst9kb2VO9WKxOWNipzORef2S8qdOm6LuSXTvHejnZUABIAAPnNCydiskY17F72uTdFOSN2OQAAAAAAKKuyGFNcuMPTPh2yzGsczW6VNFcr8u9O2npXStij5uTtJVT2Lebp4r0Xpshmp67NUjTrLkPDHnuo1gotQLziV5zKz1zaWgo5qpJamCoWRESFzGKq78+3mPTZF7yOcQcpSXa5HtRydUXqVLWznUvFNLrPHc8tyO141bpJOxjqbpVMgY9+yrytVypzO2RV2Tr0U8DH+IzTXKcQrcqtWaWmsx2jqloprkyfaFJ9kXs0VduZyo5uyN333TYlEcIuyQUV2xj7DdfsAz7IZLDZMoo6i+xx9qtrnR9NVKz+OkUrWvc320RUOnrpxCYTw+4hW3zLr5SUD4oHS09vdM31VVuTojYo1Xmeqr03RNk8dkK1TuxdaIvNmRqK4UtyidLSVEVTG17o3Phej0R7VVrmqqeKKioqeCofffqQy4GOJ/T+bh6tlZlWoOK2K/3G53Kvqbfcb1TU88bpqyWREWN70cnsk23Tu2Jkw1MVVTxzwyMlhkaj2SMcitc1eqKip3opeYtxVibvqU7zGuQ8R+m2L3astlfl1D6uov8ATIKVH1K0n+2WJrki/wB/YvCw5nYsox6O/wBnvNDc7JJGsrLjSVDJIFYne7nRVTZNl369NiO9L2typizF+J/SnN8wpsWx3UCxX2/1DXvjordVtnc5GNVz15mbt6NRV7/A43Tii0rstalNXZvbKZqzep/Vj3O9SJLvtyLU8vZIu/TZX9CBlUHXpquKsp454JWTQyNR7JI3I5rmqm6Kip0VPbLKveumEWC8VNqqL6ypuVN0qaS3QS1stP7UrYGPWP0+dsSRqvxV2Qwprlxh6Z8O+XY1jeaXSpornflRadsFK6VkUav5EklVPYt5t06br0XpshfGK6w4ZnV5faceye23m5R0yVktJRzo+SKJX8m72p1YvMips7Zd07jDWsmQ8Mee6j4/RZ/ecSvOZ2eubSUFJNVJLUwVCyIiQuYxV68+3mvTZF70HODlKSzZEc1HJ1ReqHxpLlS10lRHT1EU76d/ZTNikRyxP2ReVyJ3LsqLsvgqektbUnVfEdHsbmveX3+gsNujjc5rqydrHTK1N1bG1V3e7/VbuvVCJ3BJxd4Bltr1QyfJc0x3FJr3mVXV0dBe7tT0k6UnYwMhVWSPRfYsRN06bovoIibzaEaxESnGCy7vrTgFgpLbVXTOcbttNc4fVFDPWXeniZVxfx4nOeiPb1Tq3dD7Yjq1hOfVtRR4xmNgyOsp2JJNBaLnBVSRM325nNjcqom/TdSUruBY171004xi7VNqvOoOLWm6Uyok9FX3qmgniVU3TmY56Ob0VF6p4l3Wy50t5oKauoKqGtoaiNJYamnkSSOVipu1zXIqoqKnVFRQO2AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABRehU6V7uTLPZq+vk/zdLA+d3uNaqr/wImbRdMasK64cVlo0ry604LYbLWZ7qVdmq+jxi1yNjc1nf2k8zkVsMe268y79EVdjEWu3Gbq9wyY1RZJn2kdgdZrhUJRQetGUrLNDUOY57GPa6nTmTzF3Vvd+AsTyWsMmruW6w63X9fVmQXq8JQ08snVaeBredWM37k2dG3b0Rohw8qHN83eqmgOl8blel2vraqoiTv5O0ZFzKntI6T9IiJiaYnjNkcd7u/BPfC7rWX3FLNc6+mbRVtZRxVE9Mx3M2J7mI5zEVe/ZV2949s+UEbYY2MYiNa1qIiJ3Ih9S08dERwAUBVKMut3FVqHpZqHWY/j3D7luoFrgjikZfLS5yQSuc1Fc1NoXdWr0Xr4Fh/P4av8A/wAI+oH5R/8A4cy5qvxwaN6IZrU4pmOUutV8pmRyy03qKeXla9vM1eZjFTqi+ktD6J7w5fz7d8GVX+GRTwTK0l479X1//VH1A/KO/wDDkr9NMquGb4JZL7dbBV4tcq+mZPPZq7/P0bl7439E6p7iEffonnDkv/6du+DKr/DJFYJm9n1IxG05Pj9V6tst0p21NJUKxzO0jd3LyuRFT30L8lGv/iXuz898qVoriVQvaWyx0kdakDure2XtpVdt6do4k/3Sd+sWPU+W6T5jZatiSU1fZ6umka5N0VHQuT+8gLrbRvxvyvOl9xqUVlPdLZEkL17lVY6iLb3d2/pNhOoddFa8ByOsncjIYLdUSvcvgiROVV/QYZ+Z96/+77kLfI75hV3vhxvVjqpnSpYL7NTQ8y78sb2Mk29zmc8zzxoZ4uE6JXKnil5Ku9SJbo0ReqtcirJ73I1ye+Rv8jLapotEM4ur2K2K4ZG7slXucjIY91T33KnvHY4+8ynv+o9uxymbJJS2em55eVqqnbS9V/AxGfhO3s/BjGzdEVcNJn3OXnsScLAr3ed4RUB9ZKWeNvM6J7W+lzVRCkdPLM3mjie9vpa1VQ+pb9Fr30eE3ar2bN+DXPfm30QtMc0nPXWhXW+bdd12au8a/iK1PeUzmQC4AMznsGfXfGqlsjKa706TRI9qoiTRbr091rnfip6CfiLum58q2lgxgZqumnhOse177I4s4uXpmriqADmOgAAAAAAAAAAAAAAAAAAAAAAAAERfKmZkuKcHmUQMk5JbxPTW5vXqqOlR7k/AxSXRrz8rNWS5VPonptTLzy5FkiPfEi9VRqsiai+6s6/gKVRvTFPWYWpm2s8n00h4hc90x4XsFtmkujF11HoLHY6d10vclU2ipO2ViPnbTsciyVPK9zkV0abbp03JFcHvFvYuLjAqm+W+3SWK7W6f1NcrRNL2qwPVN2q1+zeZrk32XZF6Kip0Mz0FFRYxjtPSxpFSUFBTNjaiIjGRxsbt7iIiIa+PJF2p1xvWtuYUcSw2C63tIqFEbs1Ua+V/RPabIxDLeKqqvf8AFiiLURLY8ACq6imNdftUsg0iwdl8xrAbtqPcXVcdOtnsyqkyMcjlWXox3mt5URen8JDJW5YmsmteH6CYo3Jc3ui2izPqGUiVCQvl/bHI5Wt2Yir3NXrt4FZIRk+fw1f/APhH1A/KP/8ADlfn8NX/AP4R9QPx3/8Ahy7PonvDl/Pt3wZVf4Y+ie8OX8+3fBlV/hlhenDnxA5nrRcrzTZTo7kWl8VDFHJBPfHKratXK5FazeNnVuyKvf3oZkuuPWy+S0clwt9LXyUj+1p3VMLZFhfttzN3Rdl2VU3QxnohxV6acRVfdKTAr+t6qLZGyWqatLLD2bXqqNXz2pvurV7jLiiYREtcOnXTyxuc/cBfi9MTs1nymTCNI8xv8LlZNbLRVVcbk8HMic5F/CiEE9Ov343OfuAv9hTE2eI2zTZFoHqFbKdqunqrDWxManeqrC7ZDHV8zT4LR87PjCLPkfbS1nDVfL7L+2V95yWrqJ53dXP5Y4Woir49Ucv+8pZnlRat2nWuPDvqBQftNypLrJC+VnRXMZLA5GqvoVHvTb0Kpfvkfq+Op4TJKdqp2tJkNZDI3xRVZE//AIPQx75XVjr7l2gWPUydpXVl6n5I29/nPpmJ091VM1emJTbrCtOsVX73PiYvC6i+U60LxSocslqtFLHcG07urVld2syu29O0cf4CemrWPU2V6V5fZauNstLcLRV0sjXJuitfC5q/8TX/AK0W92J+Vm0granzIK+1QRxPXuVeynh2/Cn6TYdnldHbsFyGrmcjIYLdUSvcvciJG5VX9BjriIwvf96afXjwhCjyOmYVV74d79YKmR0iWC+SwQI5d+SN7Gv2T2uZXk9kNeXkY7TNDo1nd3exWw3DIVSJV7nIyFm6p77tveNhqdxlq4+yPuUp4zEdZVABRcAAAAAAAAAAAAAAAAAAAoqbqVKL4Aa9eP3ErJZOJ3hbuVvtNFQ3CtzCJtTU00DY3zIlVSqnOqJ52yuXv9Kk584xGyZjjdVR3200V4pOxf8AtNdTsmam7VRdkci7Lt4oQr8onMxvETwo8z2tVuYMVd122T1TSdSdF1ejbPVq5yNakD1VV7k80p/sz4yf7keENenkf8KhuemF/v8AcOWrS13yoo7VTyN3bRq5kbppGJ/HfuxvN3ojdk6Ku9wcfEq4fxacLmSWz/JbtUXiooJ6iLzXSwLJTN7Ny+LdpZE2X+Mp9fI6vavDxlaIqK5MqqVVN+79pgOn5SGZjeIfhWRXNRUyOdVRV26dtRF6r+Uo9n3IiNK/akNxqY1abjw0ak3GrtdFU18GP1KRVU1Ox8sezFVOV6punVd+hYfk6sDxq68GumtbW49aqyskp6lX1FRRRSSOVKydEVXK1VXoifgMrcXFDUXThg1OpqaJ00z8fq1axibqu0Squye4imIOBDKo7H5O7GLvT1UUT7XarlKsrtlSKSOoqHeci+jovUrTpv8As/FE6xT7XW8p5xB3XQjQKGhxqqfbr9k1WlshrIXcr6aFGq6VzF8HbbNRfDmVfAyFoLfdG9F9IrDh9tzTFIo6ekalY71zp+apncm8skiq7zlc5XKqqR48pLpflOrfCLgGbMpn11+x2Klul1gii2erZYG9u9GInTlfsqoncm/oJmaR5PjGq2muOZZZ4KGqoLpRx1DXxxMXlcrfOauydFa7dqp6UJpjSq/G/wAE1cabdEROEPLbZi/GXrLpXjVwpLvp5coUyC3U9JK2elpZH8vbMj2VWo1VkXdvd5qdCzNTtMrVN5VLF8cs9HTWO0XbGmyXWmt8LYW1USdsskao3bZHtjYx3pbuniT2pMys0WqDsOtttbJcILctfXVdMxiR0bXPRsUcip15pNnqiehir6CHObys+i+4QnM3dMSc3bfx5anp/wACafWp/vkTwr/vokNxoYra6zhD1Ltj6GBKClsE8sFO2NEZE6JnPGrUT2PK5qKm3dsWfwdXrI8y4Bsaloqt8uSrj9TSUFRK7dUmYkkcCqq+hUYnvGReMhzWcK+qiucjU+Z2s6qv/wApxhngxyiqwzycdtyC3dk+utNguNdAkiczO1i7Z7UciL1TdqboYo4V37lp+h4yxbwicf2mGj2m9s0z1OhuGnuY2J0lNcn1tFLLHUzrI5XTPcxrno96ru5XJ3rvuqdSUOjuN4XlWsOSawYBe7PeLHklopaGqfapEcr6uKWRzpH7dEVWPjRUXZd29UPjhWLaVcZWj2L5tkWH4/kr7vb2PlqJqNjpoZduWWNJE89vK9HJtzdNjB2hOhlFwy8e9yxLT2qq24Ne8TdeLjaZpllZQzpUdnFsq+nZ3Lvuuyu6qiGb6VquOqk8Lx/eryOPvErJY+KDhauVvtNFQ3Cty6NtTU00DY3zolTSqnOqJ52yucvX0qTa1Pxq037Cbw+52uiuLoLfULE6rp2SrGvZr1bzIu3cnd6CG/lEJmM4jOFDme1qty5qqir3J6opOpN7LKaWuw+808LeeaWhmjY1O9XLGqIn6THHzPtlafnI8IQe8kthWPX7hcqqm52K2XGoTIaxnbVdHHK/lRkWybuRV29olnrFoZimsmnN3xW72a3yRVVC+jpp3UrFfSbp5jo123byu2VOVU7iL3kiKyOn4WLvC96Mmo8jrUnY7o6NeziXzkXuJTaCZXds60nsN+vUqT19eyWZZGxoxHxrK/slRE6dY+T3S9es27oVid2ZnvlFPyVN6pLLgmZaZXK10dszTC7xNR1z4oWsmqYXPXke9yJu7Z6Pbuu/RG+kye7QzA9aOLC+Zhc8WtlwZh1HDbEmlp2uZV3CVO2kfIm2z3Qxuiaiu32WR3i0wHxJ3Wbgz45bHqxQ0U9Ri+eW2S2XSkpWK5ZK1qebs1P4TlSBU8fZ+km5oVhNVgum9tpLmqPv1Wslxu0qdVkrJ3rLMu/iiOfyp6GtangIneiK/wC7k6TNMc1+09PHSwshhjbFFGiNZGxERrWomyIiJ3IiH0ACwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAKKY11w4gsN4fsfp7nlVe+OaslSnt9spI1mq6+Ze6OGJvVyr069ETfqpkl67N79jXRw/Vi8U3lEtR8yvv+W2XTqJ1rsdHJ1jgmSVY0lRq9N/Mmdv6XN9CERrVu+0nSJqZqzjjTy3THEZMzy3QbKbLhESsWa5vudC+oga9yNY6SmbJzt3VyJtvum/XYzpofqjHrTpZj+bQWyez015g9UwUlS9HyNjVyo1XKnTdURF98ir5XfLX2fhjpMfgevqnIr1TUiRt73tYqyKm3utaS00bxOPBNJ8Ox2JOVtrtFJR+6rIWtVffVFUmmbxM96JvExC8QAEqL3GAOIfi8tXDpkdstFwwrK8nfX0q1TZ8ft61MUaI9W8r136O6b7e2Z+Vehj3UXiB040guVNb80zK043W1UXbwwXCfs3SM3VOZPa3RUKiNn0UTGvsSal/Aa/rC+VDxtf8A3Sal/Aa/rMz/AD72gqf+9bGvzxCjuN7QVU/dWxr88QsLt0L1hpdc8Ap8ro7JdsfgmmkhShvdP2FS1WO2VVb6F8CF3lVsimv+baF6ZNe5KC+X1KmtiRekqJLFFGip4p+2SL+AnhgWoWN6nY9HfcUvNJfrPK90bK2ik543OauzkRfSimvjymdK+2cVXDbe5kVtH65NiV/gisq4HL+h6EccSmJ6ojSmqe6WxtbTSusq21YI3USwep1gVqKxY+Xl5dvRt02Ne/knr3UY3lmtul7pXut2PXpZ6ONzt0YiySxO293smKbFO6P3jW15MiJ104pOJG9Q+dROuKwtenc5XVU69Peb+kmn5yfCfvRPzceMNlCp0NbvEHTS6e+VO0xzLKlSmxK5UMdFQXGpXaninRkrOzVy9GrzvRf99DZE5TXhrRfp+MrjYfw+3KZ1Fpti1N653aKmRraivnYjF5e0VFVjUdKxvm7L7Jd+qbRF9+mY71pi9FV2VPKf5hj9u4QMqtdbV08lyvTqSC10nOjpaiX1TE/eNveuzWuXdP7zJ3BRid7wnha06s2RRSU92p7WxZYJvZxI5Vc1jk8FRrkTbw7iPPE1wF4BpnpVdNQ9MqarxbN8Np3Xa3VXqp9VE9Yk5nMfHMr2ru1HbKmyou3gSB4LdfaniQ4e8dzK4QR092f2lJXshTZizxO5XOangjujtvDcU2iKrdyKvo+1lHUXLYMEwW+3+oVEjt9JJOiL/Ccieanvrsnvmn653Ca73Krrql6yVFVM+eR6rurnOVVVfwqT94+82ltOnNtxul53T3mp55WsRV/aYtnLv7rlZ+BTX8tFUIn+Yl/EU972fwqcPCqxap1qn4Q8jtfEqrxIop4RD4k3PJ4Z7z0mR4hUSbrG5twpWqvgvmyInvoxffUhNFFJMqpGxz9v4qbmUeGzLqnTrWfG7o9krKSSf1JU+auyxSpyLv7iqjv906+1MKnHytdF9Y19zn5GurCx6ao4NrKdxAzyw2WOtnDnZcdiejZ79fIYuVV25mxtc9d/a5uQnk3zmou++/oNc3lDKWHVji+4dNMJY21VG6qfXVtO5N2vjfKzfmT0IyCT3lU+VcaqaesvoETaJq6Qvi5cdNl0I0zsFFi+m2WZ5iOO26mt9ZlFspFitkaxRtjdyTObtJsqeyTZq+DlJQaEa44zxD6c23NMUqHy22r5mOimbyy08rV2dHI3wci+8qKip0U7Wp1PZbHpBlEVbT08FgpbLUtlp0YjYmwNhdu3l7kTlTbYh15GizV9Dw5X6tqEe2irb7K6l5u5UbGxrlT/AHv+BeJ3pqv4sdt2KU/gCm5C6pi/iC11ouHzDafI67Hr3kkM1YyiSksNL6onarmudzq3+KnIqKvpVDJ5auouqGJ6TWaO8ZjfqLHbXJM2nZV18nJG6RUVUbv6VRrl95SJIRT+iiY19iTUv4DX9Y+iiY19iTUv4DX9Zmf59/QX7K2NfniFF439BVT91bGvzxCRThx4qbbxH1d8hoMQyfF1tLIXvdkNCtMk3aK9ESPqu6pydfdQydmOnmNagsoGZLZKK+xUM3qinhr4kljZJttz8jvNVU8FVOngeLpprngGsU9fHhOWWzJn0DWOqm26ZJOxR+/KrvRvyu/Apfi9EIlENbuilNFR+V41Rgp4mQQx2ZrWRxNRrWp6npOiInchsj8TXBo6v/3wGqv3HT4vSGx8U+pR4E+vUqACUgAAAAAAAAAAoqbpsa9fKT4nZbXqnw83ejtNFR3SqzKFk9ZBA1ksydrE7z3Im7uvXqbCl7iBPlN5mMznhx53taqZnC7ZV8O0h6kRpiUeMHGKo7pTYyrFbPldhnor3a6K7UaxuXsK2BszE81U3RHIvXZVTf2zX75JXBaa52rPrtWtZPSWPJaimtNG5idnSSPY3tZmp/HVqRsRfBGuRPZKbFatyetsyquyJEvVfcII+SKkauneqqNcir82VQuyL4LFHsv/ABJp9aq3T8VZ9Snxj7lPKOTLieufDNlFt/yW8tyhtG+pi818kCy0/NG5fFqo56bf6y+kktxWY1abtoBqBXVtroqysp8frOxqKinY+SP9qcvmuVN069ehGPyoUrG6g8NaOe1u2YMcu67bJ2tN1Ja8RtDPdOH3UKlpY3TTy2GsaxjE3Vy9i7ohh/2Z8ZZP9ynw/FH3yZ2DY3eODrCqu4Y/aq6qfJV809TRRyPdtUSbbuVqqvQ9fylOv9y4fuHOZcbmW336/VDbRR1UPmupmq1XSPZ6FRjVRPQrt/A83ybV+p7dwIWKtSpjjS3NuLppHKm0SsmlcvN6Nk2XqY/4+tOct144GsKy1YJK/JbJDS32vp4YUa+Rr4NpnNY1P4PMjtkTuRfQZ8WYmqel4Uwu/jqzlwy37SHRjRTGsdpc1xeKsWjiqLnO+6QdpVVcjEdNJIqu3c5XKvf4bIYX4Z8xtOGcemqOm2JXKjuuneRW9l/o6WgmbNS0tUrI+2RnKqtRHK6TdE/1fQSr4e8pxnVfRjEMntNPQ1VPXW6Bz+SJirFKjESSN3To5rkVFT2j2UzKy0eqNLh1vtjJbotvkuNZUUzGIyiiRzWxpIqdUWRVdyp4pG5e5BOlcyrHqWQK1800ta+U+0wsFipKfHqO92B7bklthbB28W1V2rfMRNlfGzkVyddlJkcU2IWio4UtTLOtvpo7ZTYvXvgpY4mtjiWKne+NWtTonK5rVTb0EZtZpWfRa9GPPaipjkyL17lWOt2T/h+ElhxQSJHw26qK5UanzK3TqvT/ANkkMNd4wY9v3s0R+1v4MOeT/vt9yvgUxZ8VW6W9Q0FZRUU8zt1RzJJWQ7qvg3Zqe4hg7hG489O9CsJbplq1TXHA80tFXO25VdXRSzMrJnSOc6Z7o2ufzu36qqKnTouxlHye18nx3yfNuutGsbqugpLpUxI9OZqPZJM5u6eKbonQyTpla9MeNTRLFszynEceySruFCxtXJPRsfJBUNTlmja/2bER/NsnN3Khmqvv1TDFTbdtPV2tJbLg+oGtt01l0+v1mvVrvNjjtVdJbJOZ8lQybna+RETovJ5qo7ZeidCOvlJMSstr1X4d7tR2mipLpVZlCyorIIGslmTtoXee5E3d169T0tKNA7bwwcflDYdNZ6qnxDJMaqLhd7I+Z0sdG6N6Nicir1RFcvm826pu5EXY5eU2mjZn3DdzPa1UzOFyoq+HaQ9StNt7DmnqnlXHd+CaGb43ab/jdZ66WyjuSQ0srokq6dkvZryLureZF2Xond6CD/kmsMx+/aE5bNc7FbbhK3K6uNslVSRyua1IodmorkVdu/oT0vUT6mwV0Uacz300jWoniqtVEIQ+SLekOiWd0Ei8lZSZfVtnhd0dGvZRdFTw7l/ApMaTV4fiifUp8fwSy1O0VxPVXArli95sVunoqmhlooVdSs5qVHNVEWJdt2K1dlTl26ohELyWNZSYXQ6j6R3W20dDmmG3iWKaobA1k9XTPeqI5XbbuRHN9K9HMJb6C5hdM803pr3dpmVE9TWVqRTMYjGvp21UrIVRE6bdm1nXx7/EhdxZV7+ELjTwjW+lpaibF8rppLPkFPSM5nPlazZioid7lTs1T0rE4rTNqvFM606cmdr7ohguuHFjUZBdcXtt0gwm2spZZ5adrm1NxnVJGpJ02esMKNVN99lnTxQkxSUkVDBFT08TIII2oxkUbUa1iInREROiJ7Rj7QHD63FdOaWW8tRMivM0l5uyou+1VULzuZv6GIrY09piGSNiYiYixe+qoAJSAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAHSvNtjvNoraCbfsaqB8D9v4rmqi/oU7pRepExeLJjTVrL4bsB4jOB/Msuwiw6VpqVh94rvVNuuUd0jo4YXexSR71RytRW8vMxzUXdvRfT6eT6J69XTjhwjU/M8SnzGxWWkjX/k9LSRU9FI5si9jC2aZj3tjc9OZ7urlRyom2yJsg5SvcWibTEzyROt+9a+o+oVm0pwS8ZdkU7qSzWqndU1L2t53I1O5ERO9yqqIieKqha+Cay3HML/bbbW4Ff8cguVA+4Utwr30z4XMbyea7spXqx6pI1URU9PoOXENecKo9PpbRqFT9tiV/lS1Vsj2r2MLZGuVJJHJ7BqK1E5umyq0wdwkXW7WLVrKsExvL67UXR+12yCe2Xy4P9UOoKhz1atCyqRESZrWIip38qKiFaZvKKtI0X7xuw5HR8OueXqyZbcca9arLU1PJa2sZLO9rVVqOlVFc1vpRnKq+nwMlaHVM1doxgtRUSvnnlsdFI+WRyuc9ywMVVVV6qq+kxdx45rj9k4X9SbTcb3b6G6XCwVTKOhqKpjJ6hys22jYq8zuvoQvThnzXH8p0Ww2Gy3u3XaWhslDDVx0VUyV1O/sGpyyI1VVq7ovRdu5SY4SmeXt/BfF1wLGb7WurLnjtpuNW5ER1RV0MUsioibIiuc1V6HU/Yqwr+Z9g+DIPkl0FQLVXSnCv5n2D4Mg+SXDQ2+mtdHFSUdNFSUsTUZHBAxGMY30I1OiIdkARZ41uGS/6vS4dnuASU8Go+E1ray3sqncsVZFzI50Dnfwd1aioq9Oqp033S19Y9Rtb9d9L7hp5jei19w2+3+nW33S9X6tpW0FvhenLM6N7HudLu1XIitai7Lv3kzimxFtLck31uxdw06GW7hy0ax/BrdL6qWgi5qqr5eVamod50km3giuVdk8EREMnOhY9d1Yi+6hzKlpmZ1UimIizBHGlC1nDrkqoxEXnpeqJ/wBojLf4B4mu0NkVWI5fXafvT/VjLl41fqc8l/2lL8YjLd4BP3C5PutP/UjO5TM+a5/n/ByJiPOERb6KR7YmNdujURfSiH06lE71ORwuOsuxERHAAASAAAAAAAAAAAAAAAAAAAAAAAAEGOMLRbUi+cVGlWqdjw+XOMSxDllmtVurIoqztUe5/M1kqtRdl7NURF68u3TvJzlCOcT0OUx1Q/1ayHW7iYxeowTDtPrnpXZ7sz1PdspyyaBJoadf85HT08T3uc5ybpzKqJ1XbbvTPuhWiWP8PmmVowrGonMt9vYqvmf/AJyolcu75Xr/ABnL19roidEQyHtscJ3pFC96oqo1N12TdSb7sTYtdhK78T9N675jSY1hl/zKmxGdaS8VlrWnayKdGI98TGyytdI5rVTflRe/ZN16GXK9lZdrG9KGqda6uoiRY53RJI6FVTv5F6KqehehA3UPKsfs+W0WpmhWU1tFqRkN3pIr3p2xVljuaukbHM6ppdt4ZI2czll6J0X07k9rjeqKxWqS4XWrp7bRQRo+epqpWxRRJ6XOcqIie2pEa06ovqjJwf1t8brbxEWe85LdMmS03yhp6eousqOc1q0yvVGtaiMYm7l6NaidxJ282G2ZFSJS3W30tzpkcj0grIGys5k7l5XIqb9V6kPeEvVDD5uJbiKZHlNme685FQLbUSvi/wAtRKXlXsfO/bOvTzd+pNBq7puTxiPCDnNlr/sVYV/M+wfBkHyR+xVhX8z7D8GQfJLpAS8iy4hYsafK+0WW32p8qIkjqKljhV6J3b8qJueTqJmN2w21w1Vow675nUSScjqOzy00cjE235lWeWNu3h0VV9ou0EWI0a28WwzWax8dmQ64TaHZI/HrlbloWW9lzti1bF7OJnMu9Vy7bxqvR3iT7wu/1+aY46pu+LXLFpnudG+2Xd8D5eXbv3hkkYqLv/G94ukE2jd3T6W8gzpXphqDwNajZtR43g9x1G0oyatW60cdhmi9XWqoXosbopXt528qNTmavc1q+k7eOaF55xJcU9k1h1KxqTCMTxKJG45jNdURzVk0yLzJPN2aq1nnedy7qvmtTwVSbWwRNhGkxPQnW/ei3xr8MV91jZiGc4FJTU+o+E1ra22tq3csVXHzNc6BzvDdWoqKvTvTpvuWtrBqTrfrlpdcdPcZ0VvuG3+/0zrbc7zfa2lSgt8Mickzo5GSOdLu1XInK1F6796bEziiN2ItFrcjndivhm0It3Dho3YMGt0vqt1DGr6us5eX1TUPXmkk28EVV2RPBEQyohUFp1m8oiLRYABCQAAAAAAAAAAAAAAAAAACipuVAGAct4E9E87vr7zkGI1V3ubpnVDamqv9ycsT3O5lWNPVG0fXrs1ERPAuq8cM+AX/AAa24fX225z49b3vkgpvX+4Nk3fvzI+VJ0kkTqvmvc5E8EMqAi3I72D9NuC7SDSC+013w7FqiwVtPJ2zfU17uCxOfttu+J06xv6KvsmqeflXAfojnF8feMgxCqu9yWV0zamqv9ye6NzncyrHvUbRpv12bsibJt3ISABPHUWtg+m1h07xdMdslLUMtCK9exra6etcvP7JFkne96p7SrsngYwsHBlp9is9bT2d18tmMVtV6tqsTp7rK20zS7oqqsO+/KqoiqxHci7bK1U6GeAOd0Wdd1Kx1OsDo2OhVvIsaonKrdtttvQYZpOEvEMduNbU4fcskwGGukWaqoMYuz6akleve7sXI5jFX0xo3095m4EWFmYppLjWF45cLLaqGWKmuPO6vqJKqV9VVve3ldJJOrlkc9U6c3NunhtshiiTyfmhM96beZMOrJLy3bluT8jui1KbJsm0vqnm7vbJFAnhN0sRZ1wqaa6mWS1WfJrNX3W2WyjShp6V99uDGLCioqJIjJ07ZeiedJzO9s83D+DXSnTy03i24xYKyy0V1t1Ra6inhvVdLD2E7eWTlilmfG1y+Dkbunp6qZvBHcMOWjhbxTDrbSUOFV19wGnghZTvjx24dlHUNY1GtdJHI17FfsnWRGo9fFyl16eaP45pk+5VFop6ie63R6S3G7XGpfVVlY9E2RZJXqqqiJ3NTZqeCIXwCRgHLOBLRPOr6+83/Eaq73RZnVDamqyC5OdE9zuZVj/yjaPr12bsieBl3CcHtOnmN0thscNRDbKbm7JlVWzVcibqqrvJM9716r4uUuEERpFjndgt/B5glNk1+vFmmvuLx5A/tL1bLFdZKWiuTl9kskaexVyKqKsas3RV9Knq5rxAacaF5lg2nN0rHWq5ZAjaSz0VPTOdExrVSNiOVE2Y3dUan6jLy9TGeqmgGN6r5BjWQ1zp7bk+OSSSWu9UTIXT03OiI5ESWORiouyL1aqoqbpso4TBxWprHYLdq5rFp3hlTRQ1kGPVSZhXTPbzdh2SOipY/aWSV7ne2kDjO6JsWngWm1uwCGufBUVl0ulwlSauu9zkSWrqnomzedyIiI1qJs1jURrU32RN1LtJ4I7wABIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAOL05m7d5q7wig1M4DuLTUau/YyyLUDBM0qH1FNVY5SrO9rnSukj22TZHN53tVrlTwVF9O0Y4qiKRrFV4J1izV5xgW3WfXPVHRq5ZBpffqDCKKv9cprPZ7fLc6qii7WNFfVPiare1c1jlSJvsU71VXdNmlqusFZZKW4cktHTywNmSOsiWCSJqt32exyIrFRO9FRFTZdzvdmhbmok1liw26w5BV+obRWwrQ1E/MrVak37UiIqdyqr0Tf2xM7tNoOMxMrYx/iT05yq9261WnIvV1Rcpn09DNHQ1PqWrkajlc2KoWPsn7I1y+a9e5T76i4znWT5RZYcdy+XEMejp53XCooqWmnqpZt2JC1vbxyNa3btFVUTfuI+aMuyrhw1dwfQjJJrZnGI1NDU1WK3ttOkdxtzadOrKhvVqpyycrZG7L1VPSiZ/wBX9bLRpZHQW9zoK7KbtzNtdofUsg7dU9k98jukcTe9z19xEVVRFTwiUa3mGNtF9U8xg4lNQdIMnu6ZZS2S2Ul5oL8+lip6hGTbIsE7YmtjVyKu7XNa3dE6oZWz3QrT3VS409dmOGWXJqymi7GGe50bJnxs335UVyLsm6qvvlocP2D2PGLjkV9qMmtWVah5NK2tvlfQVDHoiMRGRwwsRVc2GJuzWovVe9eqma0HKLkcZsw785xob9ifEvgqL5JReDjQ7bppPiW/3Ki/UZkBKVv4TgWPab2KOy4vZaKwWiN7pGUVvhbFE1zl3cqNTpuqmBOPXhnuXEZpRR/M06OPNMarG3WzrK7lSV6bc0SuXonMiJsq9N2t39JJsovUiddSNEQZ+MnLP2MUtlPo7nj9WfUiUq2V9kk9Stq+XlWRanbs1h5vO5t+qfhPf4COF+48M+kFTFkL46jNb/UuuV2fG7mRj1TzIub+Fypuqr4q5fDYk9y+2V702J6zzlFuEcoRF4T9b9d9R9atRLFqVg649itse9LdVrRPgRrklVrI2yOXaZHM87mT0b9yoWBqbpLm/Drxuya8Y1idyzjC8go1o73Q2OPtq6ic5rEc9sW+727xMf5vtp06bz4RqIpVW7kcJiY5J43vzQq4i+JK9azaSX/A9LtMc6vGSZFSut3b3KxS0FLQsk6PfLLKiNRUartk379upmXgz0DqOG3h/wAdwyumjqbtFz1Ve+Fd2dvK7me1q+KN6N38djOGwRNkJjS/eiYva/JwdE1/smo73UPJyiCP5mbt5jf9El8P9RT2jyMp+lm7/ak39RS9EzFUMddMTTN0I/J0sa/MMvRyI7/IYe//AGik7kgj39g3f3CCfk5/pxy/7Rh/tFJ4eJ19sTPyuqPD7nO2bETl4k2NeesOPZZg3lF7Vq3kWC5JetP7ZavUlDccfoFuHJI6BzFc+ONVcxEWV6dU9CpubDTjy+2pxNYmJh1uUx1Qo10y3UfjFx9dNtNsPv8Ah+J3RzWX3MsqoXULW0yL50NPA/Z8jneK7Im3TdN90lJo9pZZNE9N7DhePQLDabRTpDGrl3dI7dVe9y+LnOVzl9tS8+RDjM9scL3Pdytam6r6EJ4RKOMsa5TxK6b4bdbnbrpkiMqbWqNuC0tFUVUdEqpuiTyRRuZEuyouz1RdlRT2dT6DLL7jMFNhN4jsdyqKynSW5OhjmdDSq9O2cxkiK1X8m/KjkVN9iJeaSXPhoutZqRi1wtue6P6mX+nqLtjlyh3qWT1ytj7Wld3SNVOXeJ7V6IqeG6S+1D1Jx/SvFKi/5JXsoLfDyxpv1fNI5dmRRt73PcvRGp3leNNznaGBcpz/AD3Q7iB0pxavzCozzHc4mqqGeC5UFLBVUUscfO2aN9PHGis67ORzV2TuUz9nem2L6o2iO1Zdj9vyO2xzJUNpLlTtmjSREVEejXeKI5yb+2phrTy12zP9VqLU3M71ZmZBBA+hxrG4bjDMtqgl/wA45+zl56qRNkcrejUTlTfqqyLbtt0Jtpqc9GHfnONDfsT4l8FRfJHznGhv2J8S+CovkmYwSlZGnmi2C6TTVsmG4jaMYfWoxtS610jIFmRu/KjuVE325nbe6p99R9R6bTi3U1XUWPIr6kz1Y2DHbRNcJW7Jvu5sbV5U9tdi8Cit5iJ1I0aw9OrvlWOeUGzjV+u0l1KZht5oEpqaRuKVSz83ZQM3dHy9E3id4+g2N4LmUOd2Jl0p7ZeLRG56s9S3y3y0NS1U9MUiI7b0L3KXDt02CN2JjSIjoidZmVQAEgAAAAAAAAAAo7qimBc14GdFtR7/AD3rJ8Sqb1cpqh9Ss1VfriqRyPdzOWNvqjljTfwYiInTZE2Qz2CLa3GLK/howG54FRYXU2+6SY5RzuqYqf5oLg2Xndzb806TpK9vnO81z1b3dOibW9p7wS6OaT36mvGI4pU2GvgmbO11LfLh2b3p3K+NahWSd/c9qoZ0BPBHcwHmfAtorqLfZrzk2JVV6uMkz6jtqu/XF3Zvc7mcsbfVHLH18GIiJ4GUMA0ysGmGOrY8fpqqC2LI6Tsq24VFa7d22/nzyPft07t9k8ELsBFtLJ72BrZwYafWGsurLM6+WXHrtUrWXHF6C6yx2qrlXbmV0O+6I7ZN2tcjVRNlRU6Gcm0kTKZIGxNSFrUYkaInKjdtttvQfcE9xzuwpDwm4dZLzcLjiNfkOn77jKs1bTYvdX0tLUSL3vWByOja5fSxrVL4wzSbHMDs9fQWqkmRbiqur62pqpJqysereVXyzvcsjnbdEXm81NkbsiIXmB3COtV5P3QuuvUd4qcOrKi7x7clwlyO6OqWbd20i1PMn4S78y4V9N9QcbtNgyCz3C52e10y0lPSvv1wYjolXdWyq2dFm7u+RXL7ZlsEcrHO7CWDcG2k+mMFdFiePVdjirKSejlhhvVdJD2czeWTaGSZ0fMqL7Ll3Q+1g4VMQwe00NvwmrveBxU0DKd7sfr1i9VNamyOmZI17Hv9Mit517ubboZnBIsXT3RvHNNay53C2w1VZe7orVuF6ulU+qravl35UfI9V2am67Nbs1PBDH2a8DGi2o1/nvWTYlVXq5TVD6lZqq/XFUjke7mcsbfVHLGm/gxEROmyJshnsEWFt4Hp/ZtNcbgsNghqYLZA57o46uunrHorl5l3kne96puq9Fcu3cmyGNK7hEwj5sr7klmqL9iVXkDue90+PXaSkp7k7ru6Vib7OXdd3R8iruvXqu+byi9w53OVmHc716014c7vgWB3ap9ZZr9Iy2WWipaZzomIjmxsRyp0Y3dzW7r6ffPK12sFu1a1I06wGpooa+no65MouTnN5lp4abdIE/1Vkmc1PbayT0F3as6CYzrBccdu10Sahv2O1K1dqu9GyJ09K9U2XlSVj2KnRF6tXZURU2VNz28C0zt+BOuFTHV1t5vNxe19deLpI2SqqeVFRjVVrWtaxqKvKxrUam67Juq7o6yiekLta1ETZOiIcihUlIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACioi96bjlT0FQBTlT0DlT0FQAAAAAAAAAAAGDeNX6nPJf8AaUvxiMt3gE/cLk+60/8AUjLi41fqc8l/2lL8YjLd4BP3C5PutP8A1IzuU/8Aap/m/Bx5/wC4R/KkknepyOKd6nI4UOwAAkAAAAAAAAAAAAAAAAAAAAAAAAAAAKKm5UAU5U9A5U9BUAU5U9BUAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAB5eSYxacxstVaL5bqa7WuqbyT0lXEkkcjfQrV6KeoALMwzRrCNPLhPX45jFutNfNGkMlXBCnauYncznXdeX2t9joalcPmm+sVfR1ub4Zacnq6ONYaea406SOiYq7q1qr3Jv1MhAHBjbTnhv0v0ivct4wzBrNjV0lhWmkqrfTJG90aqjlYqp4btavvGSQAAAAAAAAAAAAAAAeRlP0s3f7Um/qKeueRlP0s3f7Um/qKWp9aFK/VlCXyc/045f9ow/2ik8PEgf5Of6ccv8AtGH+0Unh4nX2x/1lXhH3Obsz/poVABxnVDjJG2WNzHtR7HJsrXJuip6DkAMd2bh400x69093tuE2ajuFNKs8E0dKn7TIve9je5ruq9URFPb1D0vxPVixNsuYY/Q5FaWytnSjr4kkjR7d9nbelN1/CXSAMO47weaJ4jfaG82bTLHbbdaGVs9NV09GjZIZGrujmr4KhmFE2KgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAMG8av1OeS/7Sl+MRlu8An7hcn3Wn/qRlxcav1OeS/7Sl+MRlu8An7hcn3Wn/qRncp/7VP834OPP/cI/lSSTvU5HFO9TkcKHYAASAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAHkZT9LN3+1Jv6inrnkZT9LN3+1Jv6ilqfWhSv1ZQl8nP9OOX/aMP9opPDxIH+Tn+nHL/ALRh/tFJ4eJ19sf9ZV4R9zm7M/6aFQAcZ1QAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAB5d/yW24vRNq7nUpSwOkbE1ytc5XPXuREaiqqnh/stYv9cJfzOf5BeKKqtYhSa6Y0mV4As/9lrF/rhL+Zz/IH7LOL/XCX8zn+QT5Ov6so8pT1Y941fqc8l/2lL8YjLd4BP3C5PutUf1IynF7qDYr9oHkNFRVkktTI+mVrHU0rEXaeNV6uaidyL4ng8EGdWXHNGJKSvq5IZ/XSd/K2nlemytj26taqeB26aKvNk0213vwcmao+XxVfTdSyT0lSz01ZxdP/wAQl/M5/kD9lrF/rhL+Zz/IOJ5Ov6sut5SnqvAFn/ss4v8AXCX8zn+Qexj2XWnKm1C2yr9U+p3IyVFjexzFVN03RyIvcRNFUReYTFdMzaJewACi4AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAKcyL4jdPSBUFN0G6ekCp5GU/Szd/tSb+op626ek8nKV/5M3f7Ul/qKWp9aFK59GUJfJz/Tjl/wBow/2ik8PEgf5Odf8Alhl/h/kMP9opPDdN+86+2Nc5V4R9zm7N/wCnhUFN09KDdPShxnUuqCm6elBunpBdUFOZF8SoSAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABQqALG1UT/ACKw/daH+q86e53NVP8AQbD91of6rzpG9hzMUQ06/XlXcFC1Mn1WxDDMgs1hvWQ0NDerzO2moLc+XeoqHuXZEaxN12/1lRE69VLX5XRZc9RTw1cSxTxMmjXvZI1HIvvKUpqSCij7Onhjgj335YmI1N/cQ+pamoWq+H6UW2Ovy/IqCwU0ruSFauXZ8zv4rGJu56+01FUmapiLTOiIpiZvZdm43Me6c8QOnerNdPQ4pllBdrjA3mkoUV0VS1v8bspEa/b29tjIIvNrnBXc++nn0w5P/Tp/7M652NPPphyj+nTf2ZXEn0JWp9aF/AA58NuAAEpAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAoVKL3AYuz2gjuuf0lPUS1PYMtjpEihqZIm83aom6oxybrt6To/Mfbf+2/CFR8s9jLf3SKf7lO/tkOR0KJmKIs0Zi9U3eL8x1t9Nb8IVHyx8x9t/7b8IVHyz2gX3pRux0eL8x9t/7b8IVHyyjsNtjkVHJWORe9Fr6hf/AM89sDeqRuwtuk07sFA5zqWkmpnOTZVhq5mqqe887XzH23/tvwhUfLPaAmuqqbzN5NymI4PF+Y+2/wDbfhCo/wAQfMfbf+2/CFR/iHtAjek3Y6PF+Y+2/wDbfhCo/wAQfMfbf+2/CFR8s9oExVJuxD1dK1c3EWtdJLN2dZVxNdNI6R3K2oka1OZyqq7IiJ1UvBC0dLfpUd90K741KXeaGJ68tzD9WAAGNkAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFjaqf6DYfutD/AFXnSO7qp/oNh+60P9V50jdw/Uhp1+vLycss9df8erLfbrzU4/VztRrbjSRsfLCm6cysR6K3dU3TdUXbffY1xa3aR2bSXjt0JhtlTc7lV3Grhqa643itfVVNTL26pzOe5fQnciIieg2ZkA+MD6vzh6/2kPxlRwro8WSn1avBP1SBnDlcIeJLje1RzK/Rtudtwxq2ixUtQnPDTKkrmdo1q9EcvZvXf/XVfQTyd3Lsa8/JXI6PM9bo5/8ASUurOffv37Sbf9O4jXF8IlWdMKZjrC7PKT46mnljwrWPF4mWrLMbvEcT62lakb54JEX9rkVPZN3btsu/Rzk8SYuDZPDm2FWDIafpBdqCCuYnobJG16f1iMnlRXMbwnXXn23W5UiN39POv/8AczDwpslZw06YJNvz/M7Rd/o7Fu36Nhh/TjpMJxOFEsqqdjTz6Yco/p039mddTsaefTDlH9Om/sya/UlSn1oX8ADQhtwAAlIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFF7ipRe4iRjjLf3SKf7lO/tkORxy390in+5Tv7ZDkdCn1KfBpTxnxRB4sdW8kyTW/T/QTC71U47V5G5aq93egerKmnpERzuSJ6ewVWRyKqp19inip0+IbhsbohpbcdQdKMgyGw5ZjcaV8zpbtPUxXGFi7ysnjkcrX7puvd4Fg0Ezrl5XSrSfzvUdqVsW/gnqFF6fju/CTR1ypmVmiuewybKx9hrkXf0ep3mCdMHf56z8Wxp5Xc5afF5nDhrDDr1ovjOaxxtp5rhAqVUDN9op2OVkjU9rmaqp7SoZJe9sTHPcuzWpuqkLPJN1stRw01sEjlWOnvlQ2PfwRWRqv6VUmjNC2ohkid7GRqsX3FNjE4TNPRr0x6Vp5SgBoLcrvx8arZzkGV3+70mm1gqG0lqxq1V0lJBO5VXZ8ysVFevK1FXfxf02RNjt8QfrlwGZ3hWaYZeLtJp3dqz1BfMZuFdLVU8a7bpJF2iqrXcvMvRe9id6LsWlwk5pQcDOpeoOnGqaz47bbhWMrLTfZ4HrSVLU5mp56J4tVq79yKjkXZUO75R/iAwDVvh/ht+JXWTIZqe8U8zqyko5lpYvNkTldMrEYjl36Jvuuy+gwTVFNNM0912eIma6oq4Mp8eXETkuHU+A4Fp9cFtuQ51VRwsu0K+fBTvc1jVjXwc50ied3ojV26rulzXTgWx6PB5o7Xk+V0+eR06vhyt19qVqXVSJuj3Jz8vKru9Nu5SPfFHp/k9Tphw66y2W2VN8XEaC3TXKlpmK+RsbUimbLsnXl3YqKvhzIq9OpKOwcduiuQWemq6fMGJWTtRfWr1LM+sa9f8Ao1iaxVV2/ToWqiIprvOt593JSJm9ExwstzgF4h73rdp1eLTl0vb5jitaturp1TZ1Qz+BI5P427XtX227+JKL0mujycF2ZXcTevq0kVRT0FVVyVTIKmJ0Mke9XLyo9jk3a5Ed1avVNtlNi/pM1M71NNU84Y6oimqqIevpb9KjvuhXfGpS7y0NLfpUd90K741KXeaWJ68tnD9WAAGNkAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFjaqf6DYfutD/VedI7uqn+g2H7rQ/1XnSN3D9SGnX68vjW11NbaV9TV1EVLTx9XzTvRjG9duqr0TvQ13cWub47X8dmg1fS3621NDRSReqqqGrjfFB/lCr57kXZvTr1NhF9sFsyi1zW2826ku1um27WjroGzQybKipzMciouyoi9U70LQ+d80t33/Y1xDf7g0v+GTMTvRPRamYiJjrou6z5HacjidJabpR3ONu3M+jqGTIm/durVXYg3pLDS8JvG9qBZ8mlZZ8U1AYtxs10qF5KZ8/aq9YVevRrkV8ibKqdzf4yE1sW0/xfBkqExvG7Rj6VHL23rVQRU3a8u/LzcjU5tt1237t1PtleGWDOrWttyOy0F9t6rzeprjTsnYi+CojkXZfbFrVRVCIn0ZplCrygOXU+vMuE6JYFWwZBkF3urKyv9b5EmjoadiKiPlc3o1PPV3VeiM696E18Rx2nxDFLLYqRNqW2UUNFEn+pGxGJ+hqHm4Vpbh+nDJm4tjFpx/tv86630jIXSejmcibr76l0E0xuxPfxRVO9Mdwp2NPPphyj+nTf2Z11Oxp59MOUf06b+zIr9SSn1oX8ADQhtwAAlIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFF7ipRe4iRjjLf3SKf7lO/tkORxy390in+5Tv7ZDkdCn1KfBpTxnxQH1UtrtKvKeafZXWp6ns2WUTqJtS7ozt0hfDy7+nmWH8ZCTfFtmVLgfDdqFc6uZsLXWiekiVV25pJmLExE9vd5cGsuiGKa74s2x5VRySxQypUUtZSydlU0cqd0kUidWuT30XxRTGNZwWWrK6m1R57n+YagWW1ytmpbLeauJKRXt9i6VI42rKqJ6V8V9Ji3ZnD8n/AHaWXejfit43k4MDqNO+FGwzXKNaSe7yz3Z7ZfNVkb3bMVfRuxjXf7xnvBNU8Q1Pir5cTyO3ZCygmWCqW3ztl7KT+K7Y9qusdFX2Kos8kDY7dNTupHQxeYjY1by8qbd3RduhiDhq4R8Q4XW5B8zNZc6+W8zNfLJcpWuWNjd+RjUa1qdOZeq9VM8zerusxREWvzuyNZb3imq1sqaij9R3+io62ahl9UU3MkdRE7kkZyyNTqip37bL3puhC/ymVVFk1DpxovilNC6/366tqkt9JGjUijaisa5zW9ERVc5fcYvoM4N4PfWLIL7c8Q1UzjEY71Wy3Crt9HU08lN20i7vcxj4l5d/dVS5NJOFbD9J8prMs9UXTK80rGq2bI8jqUqavZU2VrFRqNjbt02aidOm+xi3d612Te3LzHsXnQXXHtMbfheGVdcymqauBtrtkL43L6odDDu5u6IqIvI3fqqb+HU+uSuxPTSwXfK62gttrprdTyVVTWMp42ORrUVV85E33Xu9tVLc1x0CtWulPYFrb5fMcuNhrFrrdcbDUthnilVvKq7uY7dNvDp7pYF24LqXOG09JqBqbm2dWSB6SJZq+tihpZlTu7VIo2ufsqJ4p3E13qurTam2vBh/yXuGXG40upGqtzp3U6ZZdn+pOdNlkjR75HvT0t55OVF9LVJ3r4nQsVit+MWejtVpo4bdbaOJsNPS07EZHExE2RERDvekyRaLUxwhSZmZmZ5vX0t+lR33QrvjUpd5aGlv0qO+6Fd8alLvNLE9eW1h+rAADGyAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACxtVF/yGwp/9Wh/qvOnsXPl2Jx5bQQUz62poHwTsqI56Tk52ubvt0e1zVTqveh4P7GFT/O+9/kqL/wAObVFdMU2lq10zvXiHW2Gx2f2MKn+d97/J0X/hx+xhU/zvvf5Oi/8ADlvKU9Vd2ro62w2Oz+xhU/zvvf5Oi/8ADj9jCp/nfe/ydF/4ceUp6m7V0dbYbHZ/Ywqf533v8nRf+HH7GFT/ADvvf5Ki/wDDjylPU3aujqqdjTz6Ycn/AKdP/ZnL9jCp/nfe/wAlRf8Ahz2MSwtmKvr5VuVZdJ6x7HvlrEiRU5W8qIiRsYm3vEVYlM0zELU01b0aLkABqNoAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAKL3FSirtuBjjLf3SKf7lO/tkOR98ysF7qMtprpbKKnrYEonUz2y1PYua7tEcip5q7ptudD1uyz6w0nwkn+Gb9ExuRF4aU3vOjsA6/rdln1hpPhJP8Met2WfWGk+Ek/wAMnTrHvRr0dgHX9bss+sNJ8JJ/hj1uyz6w0nwkn+GNOse816OwDr+t2WfWGk+Ek/wx63ZZ9YaT4ST/AAxp1j3mvR2Adf1uyz6w0nwkn+GPW7LPrDSfCSf4Y06x7zXo7AOv63ZZ9YaT4ST/AAwluyz6w0nwj/8A6ybx1g16Pf0t+lR33QrfjUpd5bOn9orbJjbaa4RxxVbqmoncyKTna1JJnvRObZN+jk8C5jSxLTXMw26NKYAAY1wAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFNkGxUAU2QbIVAFNkGyFQBTZBshUAU2QbIVAFNkGyFQBTYqAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAB//9k=", null, "data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAfgAAAH4CAMAAACR9g9NAAAACXBIWXMAAAsSAAALEgHS3X78AAADAFBMVEXy8vKvr68lswBGRkaJiYmb1AAsLCz///8ApgBJSUkQEBBkZGQlJSUnJyfm3QnX19e02gAdsADa4wA+uwCFzwBMvwDnyiLowDUAAABERET+/v6FhYWQkJD9/f2oqKgjIyOPj48gICA9PT2ZmZlmZmb6+vrU1NRiYmJAQEDMzMyRkZExMTF3d3fg4OBFRUUODg4fHx8oKCgbGxvf39+3t7e0tLT4+PhHR0fd3d2Dg4Oqqqrl5eXV1dWIiIhBQUGNjY12dnZRUVF+fn6MjIy7u7sZGRnc3NxCQkJZWVnAwMD5+flhYWEMDAzo6OhoaGgvLy/Gxsb19fWsrKyUlJQ3NzcKCgrIyMgICAh1dXWwsLCgoKDS0tIkJCSkpKQtLS0aTRa5ubnu7u54eHg3igBglQBLS0vk5OSOjo56enqniyankhnJyckhTxa+vr5ubm7R0dHr6+sFBQUdHR3ExMT39/cmJibb29sJqgAUrQBjWFbwzscqKio3VhZzywBhxgDvvqrrsWfrs11GvgDqtVRjUkthUS22trYyVBZgWxtPwQBFWhZYwwDn1RTtsoPssXrpukFiUEXuuqBhVCfut5ZgVyF8fHxNTU01NTWHh4dXV1eampoyMjJra2uioqJkXFslUBY9VxZjVVApUhZfXxZiTzthTzYtUxZhUDJWXhZiTz87OzsWFhZLWxZRXRZeXl5UVFSWlpb8/PxycnLBwcGdnZ2np6fT09NPT0+pqalKSkqAgIDZ2dkBbwAEpwAPqwAZrwAgsQDy7OwotADw08/y5+bx1tNkX1/x4+Lx3tzx29gwtgAttQA1uACzs7NBWBZ/zQCJ0ADwyb9oxwB7zABsyADvx7uP0QDvw7XvwbFbXhbf5ADT4QA4uQDm5gBAvADP4ADrsW49ugDqtk3m4gTssXLpt0nm2g2T0gDI3wDts4uZ1ADttI/pvTrovzbD3gDowjHnzxvoxC2d1QCj1gCu2QC52wC93ADoxyiy2gCn1wDnzR8TExPj4+NcXFw/Pz8PMg+cyuiHAAAW1klEQVR42u3de2CT5b0H8BS2PaMFe/B4PG8C9J6k6S1NWwgFBhSoLbVtWmihlFKBc6A9p8NCgcFkCujGxrzNOS5y2d1NZVMKCCqKeJsX7FTEy7zfb3gXvIBu533TNCRv37xP0B4lv9/3+4fW5E3Nt5/kbfO8vzexCIRlLPgRAB4BPAJ4BPAI4BHAG6ZlW3n4BcO8GyNvvXUnpZ/pyXSfml/Zfy8l+NJ8V/gFncpVkbYdnaWsowR/Et0XK3XrKpsJwVe5r1soGpdWrp8jbA2l0ze4hEdRqmcos8Q0ZeJkpbhsU+BaNS5FIQV/Mt2LFZf4QllIB16taq1RSrLce8QopTyr8jqRq6yfEyxf6SsKXKtmiSOOFPzJdB852S5ucHcS2tXHW0W14pp/g1J1VtHeOHeqf3cXLK/u+QLX+jd20NrVn1R30aicK2jBD1C0LP58gFKgL58leq4lCh91984dSoadGPz10ztFbVXnLcpOkd9Tfqro0spPFT3XEoWPtvuwPcp2Wi/n1PJdSvWNyan2amVuhlIgbPXNjnZl4C0DA+UD17Zb0ynCR9t9jTKouLjYQgtepKRWeveKH/jinf9U2sWE+AbR4E4uDpQPXDtZaaAIH233HP9Ofz4heOQUD+ABjwAeATwCeATwCFX4pAGxlZI+/Jmw6B4Jvr/3WzGV6X0Iz6J7RPghsbXniu9LeA7dAQ94wAMe8IAHPOABD3jAE4G3AZ4ffKEzOTU/2Tka8Mzg02aoY572Nf0Bzwze172fHwt4ZvDr0lKSkrKsxYDn9sedIyVn/DhHzyVtGVq2ZQCe2cs5i0tLR5wlpvKdvoTn0D3S6/iBgCcPv3BodwDPDH5EihvwPHf1ZdjV43c84AEPeMADHvCABzzgAQ94wAMe8IAHPOABD3jAAx7wgAc84AEPeMADHvCABzzgAQ94wAMe8IAHPOABD3jAAx7wgAc84AEPeMDTg68FPDt4V1lZe1lHxwLA04YfEfjQ6gnZaYV++OZJNZWNYkzPzasmaSkAPLXugRPhx6TZ4px+eI9NLC0UthWB6x3f03Ic8KdG+vXKl+xudXfDp6QIe7If3jmvxJuXlFBOb1dfuyk9fQZTeK17ebqW4eHP+JwkIVL98MPWzLZ1bWlZQg8+8V+33lrHFF7rXj9Ky+Jw+PEqfL6N9su5xHNuuy2TK7zaPd7od/y4LNGZLKjDL1vGF37Zst7wthHCYRVFZwOeGfxZBUIUj80bTR5+3z6+8Pv2xXNdsk08Z/lyvvDLlwMe8Mzgv3/77Wzh1e6M4QcPDoPvXqZWs7XOM406/ODBjOH37w+FDyxTCzF/c8VuL3X4/fsZw/frFwofWKYWYvtEITqpw/frxxf+N3feedz/uQvjQpephWgtaW4qIg6vdmcMf+CAe6SWhaHL1ELs8FYkllKHP3CAMfwDD4SWDyxTC7GxRX3qW4jDh3fnBf/7Bx8MLd+9TK2uV7fl2WY2EX/G67ozg3/mmbDy/mVqbb26dUNzDXV4Xfdo4f/3TF1iEv7FF7/ERzT1p/Gg13XvWcMYluDxucjDP/ccX/jw7sE1jDXzbJOs1OH/dOGFbOF13YNrGLNLRE0Z4NnAB9cwbN6lle3k4deu5Qu/du0iq5a54WsYw/MKG8k/43/KGF7XPbiGsUV9BHTUUoe/+GK+8OHdg2sYLRm2xALBDD54WNadmvoFL/jgGsaS8hUrFlCH/9EFFxi+pFnYn/4zXted1wKOrnzwJY3LCXja8AcPTs/Rkh7+kmbKirJBC6jDHzzIGP7QIbdLy+fhL2lcw4WrlDr8oUN84X97/vmGL2m0dFhow+u6s4YPvqRpvUXsHiQAb/AAIAL/6KOGL2nmlGRvdlGH13XvDT/N21lUmjqwhiD83x96iO0CjqS7Cj9ot2hKFDN9FOHPOIMvvHl3Fb6uQjRXCNuGwCUL/Cv79b3Kn9YrMVD+4Yf5wpt3V+G3bp64x9uS1yoZvYpF+J8//jhbeEl37Y+6+dtbd2xsExThX3+dL7x59+iHLWMS/q23+MKbd6cN/5cPP2QLr++uO2GUOPxHHxmXF6LLQh0+vLv+hFHi8J99ZlheiLZFudThw7vrTxglDn/kiGF5YbFmk4c/cmS6/4TRLMMTRmnD//XTT7sPyzaGlxcJOzOpw6vdu08YrTI8YZQ4/NGj3YdlzwovPyVH0Ic/etTshFHi8B9/bFjeml3nzh5JHD68u/6EUdrw17z7rmF5NeSf8bru+hNGicO/8YZxeQ7wuu6sFnCuef55tgs4ku604f/x9NNs4SXdicOffjpfePPutOH/8NRTbOEl3YnDP/ssX3jz7hHh/+s/dInJ8i+/HGPw39Xn273SN91pw//stNPYwku6E4d/7TXDw7IVN/iaXdThdd15wV9yieFh2cYtIm4edfjw7qzhg4dlJ88UjgGApwv/q/ffr/d/cOaNusOyonXgNOLwanfG8MeOVfo/Krc9/LCserxm/FXU4Y8dMxs7Iw5/5pmGh2Vn5IrO4zbi8OHd9WNnxOE/+cT4bNm5wjWI+jM+vLt+7Iw2/C8/+MDwsKxlfbNvMXF4tXvo6JV+7Iw4/HvvsV3AUbuHDlvqx86Iw7/zDl/48O76sTPi8G+/zRc+vLt+7Iw2/E8uv5wtvL67buwM8FzgIyzgjKQJ/+qrfOHNu2trOLlqsnNzKcK/9BJfePPuKnzXouzMTHdmZvhboZCA//NFFxl/Lsu5vqYu4vD67ga7+mnWnaJOOnrVO6f3yikOH1y2jNsjHNTf2TIKeGFJyMmmCb96teGy5Sz16Z5aQRw+vHuEP+6mWEnCX716dX26luH6w7LippuJP+Ovjgo+iinbmIRftapylJbFusOy9oa6OdThV61iDW+4bGkvm2sXgKcL/8cXXjBcttxVTX+uXtedGfwrrxguWzpLPR4P8T/u9N15wV92GdszaSTdacNfyxj+Wtbwl17KF17XXbdqCXgm8PpVS9rwv3jzTbbwuu76VUvi8IcP84U/fDj0Q4X1q5bE4a+8ki98eHf9qiUv+BNnk4xYyAxev2pJG/7HV1wR4WySoUOpw+u661ctWcGfOJvE6uYGr1+1/CrwvdNrfuSbLr9yZfdh2dn6P3AYPONXrvz/WsCJOfiQs2UBTxr+d08+GeGzZenD67ozg3/iiQhnkzCAD+/ODP6xxyKcTcIAXtedFfwPH3mE7QKOpDtx+PPO4wtv3h3wgKcIf9ddfOHNu9OG//U997CFl3QnDn///XzhzbsTh7/vPr7w5t1pw//t3nuND8uGvNsfVXhJd+Lwd99teFg25PgsXXjz7rThnXfcYXhY9sTxWbrwku5++IrgP4jBlzU21oecNBk8LBs6gEYVXtJde0eM0tSb1SEsDz342k3p6eUhp0kHD8uGHJ+lCi/rrsI3jRE31dmD8A7/+3wfpwCvT/CwbMjxWarwsu4qvE/9r4a5Qfgq//t8F1AsHzws2/0FK3h9dxV+y54udfSyurQPdvWnePkTh2X9X7CC13dX4YfFzVKHbnc5GcAzWsCRpW9fzgEe8IAHPOABD3jAAx7wgAc84AEPeMADHvCABzzgAQ94wAMe8IAHPOABD3jAAx7wgAc84AEPeMADHvCABzzgAQ94wAMe8IAHPOABD3jAf7PwNsDzgy90JqfmJztHA54ZfNoM9eOo7Gv691zi0tIBePLwvu79/NjAJW0ZWrZliJhKfF/CD2HQXYVfl5aSlJRlLeZXnjm8cKTkjB/nEIDnBs+2POABD3jAAx7wgAc84AEPeMADHvCABzzgAR978N5vxVSm9yU8h+6R4JMGxFZK+hCeRXeLQFgG8IBHAI8AHgE8AngE8AjgEcAjgEcAjwAeATwCeATwCOARwCOARwCPAB4BPAJ4BPAI4AGPAB4BPAJ4BPAI4E3Ssq08/IJh3o2Rts1aUTlvPqGf6cl0F2JItYsSfGm+rk6nclWETYcrX0xQbiAEfxLdhShSlCRC8FXu6xaKxqWV6+cIW0Pp9A0u4VGU6hnKLDFNmThZKS7bFLhWzcQmi+jIpuN+Mt1FxdL1pODVqtYapSTLvUeMUsqzKq8Tucr6OcHylb6iwLX+jB6ibKcDf1LdN6aNIgUv4q2iWnHNv0GpOqtob5w71b+7C5ZX93yBa/0b75pev4DQrv4kun8e75hCDn6AomXx5wOUAn35LNFzbffWc3zxnaTgo+3u3NC4RamuogV//fROUVvVeYuyU+T3lJ8qurTyU0XPtdrvePVX4vVKFSn4aLt7Qx/+VOC7lOobk1Pt1crcDKVA2OqbHe3KwFsGBsoHrm23pt+ojN1R76G1q4+2u7o1vV29SEmt9O4VP/DFO/+ptIsJ8Q2iwZ1cHCgfuHay0iCKCyr776UFH3V3cvDIKR7AAx4BPAJ4BPAI4BGq8HjbcqZvW44PKmD6QQX4aBLi3QEPeMADHvCABzzgAQ94wBOBtwGeH3yhMzk1P9k5GvDM4NNm2IWwr+kPeGbwvu79/FjAM4Nfl5aSlJRlLQY8tz/uHCk548c5ei5py9CyLQPwzF7OWVxaOuIsMZXv9CU8h+6RXscPBDx5+IVDuwN4ZvAjUtyA57mrL8OuHr/jAQ94wAMe8IAHPOABD3jAAx7wgAc84AEPeMADHvCABzzgAQ94wAMe8IAHPOABD3jAAx7wgAc84AEPeMADHvCABzzgAQ94wAOeHnwt4NnBu8rK2ss6OhZwgB+xsPvfE7LTCrnBh3dX4Zsn1VQ2ijE9N6+apKWAZvnAyeBj0mxxTm7w4d1VeI9NLC0UthWB6x3f03L8VCrfr1e+ZHmru7t8SoqwJzOD13VX4Z3zSrx5SQnlp+6u/svC125KTy9P1zI8/FGfo36qZypteFl3FX7Ymtm2ri0tS+jBJ/7r1lvrR2lZHF5+vFo+30YaXtY9Jl7OfWn4c267Ld7o99y4LNFJfFcv604cftmy3uVtI4TDKorOpg5v3p0h/FkFQhSPzRvNEf5Ed+Lw+/bFM13AkXUnDr98OV948+6ABzxB+O/ffjtbeEl34vCDB/OFN+9OHH7/fr7w5t2Jw/frxxfevDtt+N/ceSdbeEl34vAHDvCFN+9OHP6BB/jCm3enDf/7Bx9kCy/pThz+mWf4wpt3jwj/P/+pS0yWf/HFsPI9o3bDEjw+F3V48+7E4Z97LrR8cNRuzTzbJCt1ePPutOH/dOGFoeWDo3azS0RNGXF4SXdW8MFRO5t3aWU7L3h9d+Lwa9cusmqZGz5qNzyvsJH8M968O234n65dG/qoD47abVF/Ch21tOEl3YnDX3xxaPnucTN17qwlw5ZYQPwZL+nOCr573EydO1tSvmLFAl7w+u604X90wQVsF3Ak3QEPeIrwBw/yhTfvThz+0CG+8ObdacP/9vzz2cJLugOeObyFJvyjj/KFN++ugk/zdhaVpg6sIQj/94ceYgsv6a7CD9otmhLFTB9F+DPO4Atv3l2Fr6sQzRXCtiFwyQL/yn59r/L/1isxUP7hh/nCm3dX4bdunrjH25LXKhm9ikX4nz/+OFt4SXftj7r521t3bGwTFOFff50vvHn36IctYxL+rbf4wpt3pw3/lw8/NBw4FFvrPNOIw0u6E4f/6CPDgcP5myt2e6nDm3cnDv/ZZ4YDh9snCtFJHd68O3H4I0emZ2jJCh84bC1pbiqiDm/enTb8Xz/91D1SS1X4wOEOb0ViKXF4SXfi8EePGg4cbmxRH/4W4vDm3YnDf/yx4cBhW55tZhP1Z7x5d9rw17z7ruHAoWjd0FxDHF7SnTj8G2+wXcCRdCcO//zzfOHNu9OG/8fTT7OFl3QnDn/66XzhzbvThv/DU0+xhZd0Jw7/7LN84c27R4T/7zN0+fqKfFefb/dKtOVffjnG4L+27rThf3baaWzhJd2Jw7/2Gl948+7E4S+5hC+8eXfAA54g/K/ef58tvKQ7cfhjx4znzoToslCHN+9OHP7MMw3nzoRoW5RLHd68O3H4Tz4xnDsTFms2eXjz7rThf/nBB6HjRyc+SzhhZyZ1eEl34vDvvRc6cBicO5uSI+jDm3cnDv/OO4ZzZ9bsOnf2SOLw5t2Jw7/9tuHcmRr6z3jz7rThf3L55cZzZwzgJd15wXNawJF074EfSRP+1Vf5wpt319ZwctVk5+ZShH/pJb7w5t1V+K5F2ZmZ7szM8LdCIQH/54suYgsv6a7t6qdZd4o66ehV7wzulW/uB0YF/mvr7v8db0nIyaYJv3o1X3jz7oE/7qZYScJfzRj+6qjgo5iyjUn4Vav4wpt3BzzgCcL/8YUX2MJLuhOHf+UVvvDm3YnDX3YZX3jz7rThr2UMfy1r+EsvNf5E5XN9TV3U4c27s4IPDhzG7RGOUl7w+u604X/x5puGA4ez1Id8agVteEl34vCHD4d+sO6JgUMhbrqZ+DNe0p04/JVXhj7qgwOHwt5QN4c6vHl3VvDBgUN72Vy74AWv704b/sdXXGE4cLirmv7LOUl3VvDBgUNnqcfjqWAFr+/+VeBjoPzKlV/bAs6/63Nqdwc84AnC/+7JJ9nCS7oTh3/iCb7w5t2Jwz/2GF948+604X/4yCNs4SXdicOfdx5fePPugAc8Rfi77uILb96dNvyv77mHLbykO3H4++/nC2/enTj8fffxhTfvThv+b/fea/wmfyHv9kcVXtKdOPzddxvOnYW82x9dePPutOGdd9xhOHd24t3+6MJLuvvhK4L/IAZf1thYP0rL4vC5s9ABNKrwku7aO2KUpt6sDmF56MHXbkpPL0/XMjx87uzEABpZeFl3Fb5pjLipzh6Ed3xPy3EK8PoE586CX9CFl3VX4X3qfzXMDcJXTdJSQBE+OHfW/QXp0StZdxV+y54udfSyupTerr5Xgm/y5/+CFby+uwo/LG6WOnS7y8kAntFJk7KQfjkHeMADHvCABzzgAQ94wAMe8IAHPOABD3jAAx7wgAc84AEPeMADHvCABzzgAQ94wAMe8IAHPOABD3jAAx7wgAc84AEPeMADHvCABzzg2cHbAM8PvtCZnJqf7BwNeGbwaTPUj6Oyr+nfc4lLSwfgycP7uvfzYwOXtGVo2ZYhYirxfQk/hEF3FX5dWkpSUpa1mF955vDCkZIzfpxDAJ4bPNvygAc84AEPeMADHvCABzzgAQ94wAMe8IAHfMzBX7c5QZbrv5Bu4iyXbpJwVZ9ssqgPf5AsukeC9xYMkqV0m3ST/HjpJgPrpZsMimaTPoRn0T0S/JAi6U1HTZVu0n6udJPaefI7mdknm0QdFt0BD3jAAx7wgAc8L/gxVdKbzt8r/+4u6SbDJsvv5II+2STqsOhuEQjLAB7wCOARwCOARwCPEIWfkJ1WKHkNeq6vqUv67btkD6ytdZ5pkv9RgscneUk8YmFUdznK8OhufOfGpNninOY3jNsjHKWy7962KNd8g/mbK3Z7zTdZM882yWq+ydChUd3l6MKkuzF8SoqwJ5vfcJb6kE+tkHxza7ak/PaJQnSabzK7RNSUmW5hdQ+N6i5HFybdjeFzktRm0tvedLNkg4SdmZLyrSXNTZKVcZt3aWW7/FEf3V2OIky6G8OPV79Tvs38lvaGujnmW0zJEbLyO7wViZKd5vC8wsYyeflo7nJUYdLdGH5cluiU7DvsZXPtku9tza5zZ4803WRji/pYNf8jaIvaqqNWWj6KuxxdmHQ3/h87rKLobPMb7qqO5tvLHvVtebaZTeabtGTYEgvkj/oo7nJ0YdI9wiOueGzeaPMbOks9Hk/FVy0vWjc015hvsaR8xYoF8vJR3OUow6M7FnCwgINwyv8BaPYDaMn+0lwAAAAASUVORK5CYII=", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.80901825,"math_prob":0.9912809,"size":21955,"snap":"2022-27-2022-33","text_gpt3_token_len":6722,"char_repetition_ratio":0.13849027,"word_repetition_ratio":0.24978317,"special_character_ratio":0.35153723,"punctuation_ratio":0.15402788,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.98722595,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-06-26T01:17:52Z\",\"WARC-Record-ID\":\"<urn:uuid:4f69d7a6-5f03-42d1-be88-3854529fb49e>\",\"Content-Length\":\"374661\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:459542c6-a37e-46ed-bc58-4cbe02edbde3>\",\"WARC-Concurrent-To\":\"<urn:uuid:e0b33db5-756e-41cb-b176-247e2a6e5931>\",\"WARC-IP-Address\":\"150.229.0.204\",\"WARC-Target-URI\":\"https://cran.csiro.au/web/packages/prioriactions/vignettes/sensitivities.html\",\"WARC-Payload-Digest\":\"sha1:JD5XPJ675DDUTWMT6DV7SWU2ZBZIYXKO\",\"WARC-Block-Digest\":\"sha1:JMQPKDEB7FLB3AU6CURXK5GNFOB6CXWC\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-27/CC-MAIN-2022-27_segments_1656103036363.5_warc_CC-MAIN-20220626010644-20220626040644-00361.warc.gz\"}"}
https://cran.microsoft.com/snapshot/2018-07-17/web/packages/funrar/vignettes/sparse_matrices.html
[ "# Sparse Matrices Usefulness\n\nWhen a matrix contains a lot of zero, there is no need to store all its values. But only the non-zero values, for example the following matrix:\n\n$\\begin{equation} M = \\bordermatrix{ ~ & \\text{sp. A} & \\text{sp. B} & {sp. C} \\cr \\text{site 1} & 1 & 0 & 0 \\cr \\text{site 2} & 0 & 1 & 1 \\cr \\text{site 3} & 0 & 1 & 0 \\cr} \\end{equation}$\n\ncan be stored using only a matrix with non zero-values $$S$$, with row index $$i$$ and column index $$j$$:\n\n$\\begin{equation} S = \\begin{matrix} i & j & \\text{value} \\\\ \\text{site 1} & \\text{sp. A} & 1 \\\\ \\text{site 2} & \\text{sp. B} & 1 \\\\ \\text{site 3} & \\text{sp. B} & 1 \\\\ \\text{site 2} & \\text{sp. C} & 1 \\end{matrix} \\end{equation}$\n\nIf your site-species matrix is big, it may contain a lot zero because it is very unlikely that all species are present at all sites when looking at thousands of species and hundreds of sites. Thus, the sparse matrix notation would save a good amount of lines (look how $$S$$ compared to $$M$$).\n\n# Generate a matrix with 1000 species and 200 sites\nmy_mat = matrix(sample(c(0, 0, 0, 0, 0, 0, 1), replace = TRUE, size = 200000),\nncol = 1000, nrow = 200)\ncolnames(my_mat) = paste0(\"sp\", 1:ncol(my_mat))\nrownames(my_mat) = paste0(\"site\", 1:nrow(my_mat))\n\nmy_mat[1:5, 1:5]\n## sp1 sp2 sp3 sp4 sp5\n## site1 0 0 0 0 0\n## site2 0 0 0 0 0\n## site3 0 1 0 0 0\n## site4 0 0 0 1 0\n## site5 0 0 0 0 0\n\nfunrar lets you use sparse matrices directly using a function implemented in the Matrix package. When your matrix is filled with 0s it can be quicker to use sparse matrices. To know if you should use sparse matrices you can compute the filling of your matrix, i.e. the percentage of non-zero cells in your matrix:\n\nfilling = 1 - sum(my_mat == 0)/(ncol(my_mat)*nrow(my_mat))\n\nfilling\n## 0.1433\n\nTo convert from a normal matrix to a sparse matrix you can use as(my_mat, \"sparseMatrix\"):\n\nlibrary(Matrix)\n\nsparse_mat = as(my_mat, \"sparseMatrix\")\n\nis(my_mat, \"sparseMatrix\")\n## FALSE\nis(sparse_mat, \"sparseMatrix\")\n## TRUE\n\nit completely changes the structure as well as the memory it takes in the RAM:\n\n# Regular Matrix\nstr(my_mat)\n## num [1:200, 1:1000] 0 0 0 0 0 0 0 0 1 0 ...\n## - attr(*, \"dimnames\")=List of 2\n## ..$: chr [1:200] \"site1\" \"site2\" \"site3\" \"site4\" ... ## ..$ : chr [1:1000] \"sp1\" \"sp2\" \"sp3\" \"sp4\" ...\nprint(object.size(my_mat), units = \"Kb\")\n## 1628.6 Kb\n# Sparse Matrix from 'Matrix' package\nstr(sparse_mat)\n## Formal class 'dgCMatrix' [package \"Matrix\"] with 6 slots\n## ..@ i : int [1:28660] 8 14 40 50 53 55 56 61 71 98 ...\n## ..@ p : int [1:1001] 0 25 59 88 118 149 173 196 228 260 ...\n## ..@ Dim : int [1:2] 200 1000\n## ..@ Dimnames:List of 2\n## .. ..$: chr [1:200] \"site1\" \"site2\" \"site3\" \"site4\" ... ## .. ..$ : chr [1:1000] \"sp1\" \"sp2\" \"sp3\" \"sp4\" ...\n## ..@ x : num [1:28660] 1 1 1 1 1 1 1 1 1 1 ...\n## ..@ factors : list()\nprint(object.size(sparse_mat), units = \"Kb\")\n## 406.9 Kb\n\nsparse matrices reduce the amount of RAM necessary to store them. The more zeros there are in a given matrix the more RAM will be spared when turning it into a sparse matrix.\n\n## Benchmark\n\nWe can now compare the performances of the algorithms in rarity indices computation between a sparse matrix and a regular one, using the popular microbenchmark R package:\n\nlibrary(funrar)\n\n# Get a table of traits\ntrait_df = data.frame(trait = runif(ncol(my_mat), 0, 1))\nrownames(trait_df) = paste0(\"sp\", 1:ncol(my_mat))\n\n# Compute distance matrix\ndist_mat = compute_dist_matrix(trait_df)\n\nif (requireNamespace(\"microbenchmark\", quietly = TRUE)) {\nmicrobenchmark::microbenchmark(\nregular = distinctiveness(my_mat, dist_mat),\nsparse = distinctiveness(sparse_mat, dist_mat))\n}\n\n### Systematic benchmark\n\nWe generate matrices with different filling rate and compare the speed of regular matrix and sparse matrices computation.\n\ngenerate_matrix = function(n_zero = 5, nrow = 200, ncol = 1000) {\nmatrix(sample(c(rep(0, n_zero), 1), replace = TRUE, size = nrow*ncol),\nncol = ncol, nrow = nrow)\n}\n\nmat_filling = function(my_mat) {\nsum(my_mat != 0)/(ncol(my_mat)*nrow(my_mat))\n}\n\nsparse_and_mat = function(n_zero) {\nmy_mat = generate_matrix(n_zero)\ncolnames(my_mat) = paste0(\"sp\", 1:ncol(my_mat))\nrownames(my_mat) = paste0(\"site\", 1:nrow(my_mat))\n\nsparse_mat = as(my_mat, \"sparseMatrix\")\n\nreturn(list(mat = my_mat, sparse = sparse_mat))\n}\n\nn_zero_vector = c(0, 1, 2, 49, 99)\nnames(n_zero_vector) = n_zero_vector\n\nall_mats = lapply(n_zero_vector, sparse_and_mat)\n\nmat_filling(all_mats$0$mat)\n## 1\nmat_filling(all_mats$99$mat)\n## 0.009895\n\nNow we can compare the speed of the algorithms:\n\nif (requireNamespace(\"microbenchmark\", quietly = TRUE)) {\nmat_bench = microbenchmark::microbenchmark(\nmat_0 = distinctiveness(all_mats$0$mat, dist_mat),\nsparse_0 = distinctiveness(all_mats$0$sparse, dist_mat),\nmat_1 = distinctiveness(all_mats$1$mat, dist_mat),\nsparse_1 = distinctiveness(all_mats$1$sparse, dist_mat),\nmat_2 = distinctiveness(all_mats$2$mat, dist_mat),\nsparse_2 = distinctiveness(all_mats$2$sparse, dist_mat),\nmat_49 = distinctiveness(all_mats$49$mat, dist_mat),\nsparse_49 = distinctiveness(all_mats$49$sparse, dist_mat),\nmat_99 = distinctiveness(all_mats$99$mat, dist_mat),\nsparse_99 = distinctiveness(all_mats$99$sparse, dist_mat),\ntimes = 5)\n\nautoplot(mat_bench)\n}" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.5115806,"math_prob":0.99911374,"size":5203,"snap":"2022-27-2022-33","text_gpt3_token_len":1771,"char_repetition_ratio":0.15983842,"word_repetition_ratio":0.08819876,"special_character_ratio":0.38170287,"punctuation_ratio":0.18473895,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9989084,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-06-25T15:08:16Z\",\"WARC-Record-ID\":\"<urn:uuid:fb692327-fdc6-4479-934e-127e8cc5d024>\",\"Content-Length\":\"23240\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:a7b546a7-1182-4ffd-930f-7809d0dbabb4>\",\"WARC-Concurrent-To\":\"<urn:uuid:6d2c0d1a-ccba-423d-bed7-05c1395958ea>\",\"WARC-IP-Address\":\"13.66.202.75\",\"WARC-Target-URI\":\"https://cran.microsoft.com/snapshot/2018-07-17/web/packages/funrar/vignettes/sparse_matrices.html\",\"WARC-Payload-Digest\":\"sha1:7IJZGCKX6YEHUTVSCITASGNXIBMB6ISM\",\"WARC-Block-Digest\":\"sha1:2M5ROR7DTWV4KBW45JNLLDUJPHU3QIOZ\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-27/CC-MAIN-2022-27_segments_1656103035636.10_warc_CC-MAIN-20220625125944-20220625155944-00746.warc.gz\"}"}
https://www.lsjcrp.co/how-to-find-interest-expense-how/
[ "# how to find interest expense How", null, "How to Find Interest and Expense in Excel\n· How to Find Interest and Expense in Excel. One area where Microsoft Excel shines is in solving financial problems. Excel contains a broad range of financial functions that can\nWhat is interest expense?\nDefinition of Interest Expense Interest expense is the cost of borrowing money during a specified period of time. Interest expense is occurring daily, but the interest is likely to be paid monthly, quarterly, semiannually, or annually. Example of Interest Expense Let’s\n\n## How to Calculate Carrying Value of a Bond (with Pictures)\n\n· Calculate interest expense. In order to properly report amortization, we will also need the know the amount of interest expense paid to bondholders over the same period. This is the amount of the coupon payment, based on a percentage of the par value. It is\nCost of Debt Formula\nCost of Debt Formula – Example #1 A company named Viz Pvt. Ltd took loan of \\$200,000 from a Bank at the rate of interest of 8% to issue company bond of \\$200,000. Based on the loan amount and rate of interest, interest expense will be \\$16,000 and the tax rate\nTimes interest earned (TIE) ratio\nCalculating the Times Interest Earned Ratio For the most recent year, Back Alley Boys, Inc., had sales of \\$250,000, cost of goods sold of \\$80,000, depreciation expense of \\$27,000, and additions to retained earnings of \\$33,360. The firm currently has 20,000 shares\nCapitalization of Interest\nCapitalized interest is US GAAP term that refers to the part of interest expense that is capitalized as part of the cost of asset. IFRS uses the term borrowing costs for costs incurred in relation to a debt used for construction of the asset.\nMCD Interest Expense\nInterest Expense is the amount reported by a company or individual as an expense for borrowed money. McDonald’s’s interest expense for the three months ended in Dec. 2020 was \\$ -323 Mil.Its interest expense for the trailing twelve months (TTM) ended in Dec. 2020 was \\$-1,224 Mil.\nInstructions for Form 8990 (05/2020)\n· Interest expense limitations. An expense that has been disallowed, deferred, or capitalized in the current tax year, or which has not yet been accrued, is not taken into account for section 163(j) purposes. Section 163(j) applies after any basis limitation and before\nHow to Calculate Expense-to-Revenue Ratio\nFind a bank’s total non-interest expense on its income statement. A bank typically provides the total amount of non-interest expense, which includes items such as salaries, rent, depreciation and utilities.\nXero Community\nYes, you can record the interest added to the loan as a transaction in Xero. If the the loan is set up as a liability account then this can be done with a journal: credit loan account and debit loan interest expense …\nApple Interest Expense\nInterest Expense is the amount reported by a company or individual as an expense for borrowed money. Apple’s interest expense for the three months ended in Dec. 2020 was \\$ -638 Mil.Its interest expense for the trailing twelve months (TTM) ended in Dec. 2020 was \\$-2,726 Mil.\n\n## What Is the Interest Coverage Ratio and How Do You …\n\nInterest Coverage Ratio = Earnings Before Interest and Taxes/Interest Expense If you have the EBIT and interest expense in front of you, you’re most of the way to figuring out your ICR.\n\n## What is Debenture interest in accounting?\n\n· You can find interest expense on your income statement, a common accounting report that’s easily generated from your accounting program. Interest expense is usually at the bottom of an income statement, after operating expenses. Sometimes is its own line.\n\n## How to find salary and interest expense in Dominos …\n\nHow to find salary and interest expense in Dominos income statement? 0 Veena_pampady Hi Sir, Could you please help me from the video of dominos pizza income satement help me how to conclude answers for the below questions. In the Dominos Pizza\n\n## Times interest earned ratio — AccountingTools\n\nEarnings before interest and taxes ÷ Interest expense = Times interest earned A ratio of less than one indicates that a business may not be in a position to pay its interest obligations, and so is more likely to default on its debt; a low ratio is also a strong indicator of impending bankruptcy .\n\n## what is an interest expense?? how to find it out from an …\n\nThis yearly fees it has to pay is called interest expense. Most income statements will have an item called “Interest” or “Financing Charges” Mar 24 2013 12:01 PM 0 bijay interest is outflow of cash. this is amount u need to pay for ur borrowed loan and debt . 0" ]
[ null, "https://i0.wp.com/media.cheggcdn.com/media%2Fc52%2Fc524c7aa-f4ce-4bbd-9a84-5869aa95e36c%2Fimage.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.9557963,"math_prob":0.7459524,"size":4569,"snap":"2021-43-2021-49","text_gpt3_token_len":1001,"char_repetition_ratio":0.18444687,"word_repetition_ratio":0.1056701,"special_character_ratio":0.22455679,"punctuation_ratio":0.092889905,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9807131,"pos_list":[0,1,2],"im_url_duplicate_count":[null,1,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-10-28T02:38:01Z\",\"WARC-Record-ID\":\"<urn:uuid:0ac47ae5-4953-45ee-ba13-e5b5f8e8a9ac>\",\"Content-Length\":\"10110\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:a4c89181-0c84-44b7-9395-fd8587c521a8>\",\"WARC-Concurrent-To\":\"<urn:uuid:e2796e77-7c14-49da-9fdc-721209848cba>\",\"WARC-IP-Address\":\"104.21.78.113\",\"WARC-Target-URI\":\"https://www.lsjcrp.co/how-to-find-interest-expense-how/\",\"WARC-Payload-Digest\":\"sha1:FIZIKBA6VZQOHC5X4WTGL35YEMFC6EGX\",\"WARC-Block-Digest\":\"sha1:VCLI2HH5ORJXUW5ZIK6WLVXTMKAFO2Z6\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-43/CC-MAIN-2021-43_segments_1634323588246.79_warc_CC-MAIN-20211028003812-20211028033812-00206.warc.gz\"}"}
https://m.scirp.org/papers/78849
[ "The Distribution of Returns\nShow more\nAbstract: The distribution of the returns on investment depends on the rules in the economic system. The article reviews various return distributions, ranging from equity securities in equilibrium, to antiques bought at auction, to debt instruments with uncertain payouts. A general methodology is provided to construct distributions of returns.\n\n1. Introduction\n\nThis article derives the distribution of returns for a variety of assets, liabilities and accounting ratios by asserting two things. The first assertion is that for equity securities that returns are not data, rather prices are data. Returns are transformations of data. The second is that the form of calculating returns and the rules in the economic system determine the distribution that has to be involved. The exception to this would be for instruments like certificates of deposit or fixed annuities where the return is stated, and cash flows follow from the return.\n\nIn addition to the form of the calculation, the number of potential buyers and sellers matters; whether errors are independent; the method transactions happen in, such as double auctions, English or Dutch-style auctions and so forth; whether markets are assumed to be in equilibrium or far from equilibrium as was the case in the 2008 financial crisis; how liquidity enters the market; the terminal state of the asset such as a surviving firm, cash, bankruptcy and so forth; and any other constraints such as asymmetric information.\n\nAssuming the normality or lognormality of returns is nearly ubiquitous in economics. Either of these distributions solves a key problem in mean-variance models in that a covariance matrix needs to exist in the data generation process. Normality is also nice in that it appears in nature quite often. While Markowitz’s initial paper appeared in 1952, the first empirical objection was by Mandelbrot in 1963 .\n\nMandelbrot’s paper asserted that the data appeared to be some form of Paretian distribution . This was followed on by papers by Eugene Fama ; and Fama and Roll in to produce alternative rules and assumptions. Empirical rejection of the models was performed by Fama and MacBeth . Empirical contradictions for the various forms of the Capital Asset Pricing Models are cataloged by Fama and French in and for the Black-Scholes Option Pricing Model by Yilmaz in his master’s thesis .\n\nThe problem created by empirical rejection was that it does not provide a usable solution for economics. While a segment of economics adopted the Fama-French model as an alternative hypothesis, this model is not explicitly grounded in theory . Pearson-Neyman decision theory would encourage the adoption of this model, but Fisherian Likelihood-based methods would merely have rejected mean-variance finance and not provided an alternative solution.\n\nThe challenge to economics is that it is constantly attempting to solve inverse problems. When someone is observed purchasing an orange, economists assume that it is the solution to that person’s problem. Economists can only see the solutions people use, not the problems which underlie them. The goal of economics is to reverse engineer a generalized solution making process to produce testable predictions. Empirically falsifying a theory without a replace- ment left financial economics in an untenable position.\n\nThe difficulty, as will be shown in Sections 3 and 10.4, is that the distributions involved lack a first moment and in logarithmic form lack a covariance matrix. Nothing necessary for mean-variance finance to function survives, but in addition, neither does the Fama-French model as it exists today.\n\nA population study of data in the Center for Research in Security Prices was conducted in to test the central claims here and mean-variance finance was rejected with posterior odds of more than ${10}^{8500000}:1$ , given a prior probability of $1:999999$ . As the Paretian alternative was given only one chance in a million of being correct prior to seeing the data and with it being rejected so resoundingly, the mean-variance family of models are dead without doubt.\n\nFortunately, knowing the distributions involved permits economic model building. Although this article discusses probability density functions, they should really be thought of as Bayesian likelihood functions. As shown in , admissible non-Bayesian solutions do not exist for most of the distributions involved here. The reason is less than obvious.\n\nIn the early days of statistics, a fundamental problem was observed. As a statistic is any function of the data and since there are an infinite number of functions, then which function should be used to estimate a parameter? Why would $\\sum \\left(sin\\left({x}_{i}\\right)\\right)$ be a bad parameter estimator for the location of the mean of the normal distribution? How does one know that the sample average is a good estimator and that a better estimator does not exist? For the Gaussian, the mean, median and mode are co-located. Why not choose the mode over the mean?\n\nFortunately, this problem was solved by Abraham Wald . His solution was clever and it came with unexpected results. Using Frequentist axioms, Wald discovered that all Bayesian solutions were admissible and that non-Bayesian solutions were admissible when they either matched the Bayesian solution in every sample or at the limit. The converse is not true.\n\nTo understand why this might be the case, consider solving a problem using either a subjective Bayesian method or an objective non-Bayesian method. If the sample size is large enough, then the two methods must converge if the non-Bayesian method is valid. A subjective understanding of the world must converge to the objective understanding of the world if the sample size were large enough. On the other hand, if the non-Bayesian method did not arrive at nearly the same place, then it does not match reality. Since non-Bayesian me- thods are conditioned on their model in use, that model in use cannot be true. Instead, the non-Bayesian model was a misunderstanding of the universe.\n\nBecause the distributions involved lack a sufficient statistic, it is necessary that non-Bayesian methods will lose information while Bayesian methods will not as the Bayesian likelihood function is always minimally sufficient. It appears that this relationship between sufficiency and admissibility was first discovered by E.T. Jaynes .\n\nTo avoid these problems in model building, it is enough to note that for independent draws of a variable that if the density function is\n\n$Pr\\left(x|\\mu \\right)=\\frac{1}{\\text{π}}\\frac{1}{1+{\\left(x-\\mu \\right)}^{2}},\\forall x\\in \\chi .$ (1)\n\nwhere $\\chi$ is the sample space, then the Bayesian likelihood function is\n\n$Pr\\left(x|\\mu \\right)=\\frac{1}{\\text{π}}\\frac{1}{1+{\\left(x-\\mu \\right)}^{2}},\\forall \\mu \\in \\Theta ,$ (2)\n\nwhere $\\Theta$ is the parameter space. This allows economics to make a robust movement to Bayesian decision theory which is well developed and strongly resembles methods already used by economists. It also differs in that likelihood functions are not probability densities and need not sum to unity.\n\nThe prior literature on this topic is split as the statistical and mathematical literature generally do not agree with the economic literature. Although work has carried on in a limited form in the economic literature since Mandelbrot and Fama, most of it has been an attempt to find the best fit distribution. While this has held some sway in the applied component of finance, this is a non-normative viewpoint. Overwhelmingly the literature has been moved to some version of a normal distribution with heteroskedasticity. Unfortunately, attempts to maintain or hold onto normality lead to incorrect solutions.\n\nThe statistical literature on this topic is settled, though somewhat sparse. The literature began with correspondence from Poisson to Laplace noting an exception to the central limit theorem. Poisson observed that the distribution $f\\left(x\\right)={\\left[\\text{π}\\left(1+{x}^{2}\\right)\\right]}^{-1}$ was a counterexample to the theorem .\n\nThe next appearance of this exception is in a battle in the literature between Augustin Cauchy and Irénée-Jules Bienaymé. Bienaymé had written an article showing that ordinary least squares was optimal. Cauchy had just published a method of regression and took this as a personal attack. He searched for a circumstance where the method of least squares would always produce an invalid solution. He arrived at the same solution as Poisson and then dropped the matter .\n\nThe issue moves into the background again until the Pitman-Koopman- Darmois theorem appears. Ronald Fisher had just discovered the existence of sufficient statistics and this raised the question of when, why and how does a sufficient statistic exist. Pitman, Koopman, and Darmois simultaneously dis- covered the same effect. A statistic sufficient for a parameter only exists for members of the exponential family. Koopman, in particular, showed the excep- tion of Poisson, now called the Cauchy distribution could not have a sufficient point statistic . This is important because non-Bayesian point estimators would lose information if used.\n\nIndeed, the minimum variance unbiased estimator for the Cauchy distribu- tion purposefully discards information. Since the Cauchy distribution lacks a mean, finding the sample average is pointless. Like all distributions, it does have a median. Rothenberg, et al., in determined that the mean of the central twenty-four percent is the minimum variance unbiased estimator of the popula- tion median. The remaining seventy-six percent of the data is discarded. The Bayesian estimator uses all of the data, and the estimate cannot be worse, in the Wald sense, than Rothenberg’s method.\n\nBayesian methods are the oldest probability interpretation beginning with the writing of Thomas Bayes . Formal axiomatization does not occur until later when de Finetti creates the first axioms of probability . Other Bayesian axiom systems are also developed, notably by Savage in and Cox in . The writings of Abraham Wald would produce foundational work in decision theory, for both the Bayesian and the Pearson-Neyman school of thought .\n\nIn addition to work on probability and statistics, basic work on probability distributions was begun by Pearson . The work would lead others to look at the properties of random variables drawn from these distributions such as additivity and the impact of multiplication or division. Curtiss in published a method to determine the distribution of variables where there is multiplication or division. This was slightly generalized by Gurland in . For the joint normal case, this was expanded by Marsaglia .\n\nSolving for the ratio of two random variates permits a general solution to the problems presented here.\n\nFinally, work was performed by Mann and Wald in , with subsequent work by John White in and M.M. Rao in on autogregressive processes. Although not Bayesian in nature, these methods have a Bayesian interpretation that will be discussed later.\n\nThe economic literature presumes normality and so does not map to the mathematical or statistical literature.\n\nThe paper provides the method of Curtiss found in to move the economic literature back to the mathematical literature and provides other related tools. It starts with the simple assumptions of Markowitz and adds various complications such as correlated errors, systemic disequilibrium, alternative auction types, budget and liquidity limitations, bond certainties, dividends and regression methods. The purpose of this is not to be exhaustive, but rather to show how to approach the presence of uncertainty. The list of economic and financial problems not included in the paper is extensive, but those will be the work of others.\n\nBecause economic theory rests heavily upon its mathematics, this paper argues that the theory needs a fundamentally different grounding. Because most distributions lack a first moment, nothing resembling mean-variance finance remains possible. This goes deep into the risk management, legal and regulatory environment. Even at the state level, the Uniform Prudent Investor Act is predicated on the validity of a set of mathematical structures that do not exist. A raft of fundamental ideas in models where capital is present will need to be reviewed and reconsidered as to their implications.\n\n2. A General Method to Derive Distributions of Returns for Equity Assets Using Ratios\n\n2.1. Introduction\n\nThis article deals with four types transformations. They are $\\frac{{p}_{t+1}}{{p}_{t}}$ ,\n\n$log\\left({p}_{t+1}\\right)-log\\left({p}_{t}\\right)$ , ${p}_{t+1}=R{p}_{t}+{ϵ}_{t+1}$ and $\\mathrm{log}\\left({p}_{t+1}\\right)=R\\mathrm{log}\\left({p}_{t}\\right)+{ϵ}_{t+1}$ . One of\n\nthe difficulties has been that economic models have been constructed in one transformation but tested in another. While the budget constraint of the Capital Asset Pricing Model and the Security Market Line Beta representation are linearly additive in errors, the logarithmic approximation is usually tested resulting in a test of a different multiplicative model.\n\nAs will be shown, these transformations have different results. The model in use and the test of the model should match if at all possible. A goal of this article is to provide a deeper understanding of the consequences of the tools used.\n\nAs a simplification, $\\frac{{p}_{t+1}}{{p}_{t}}-1$ will be studied as $\\frac{{p}_{t+1}}{{p}_{t}}$ . The subtraction 1 has\n\nno impact on the distribution other than to shift it and constantly writing -1 does nothing to improve clarity.\n\nOf the two classes of securities; equities and debt; equities are unique in that the final value is unknown. The distribution of returns for equity securities depends upon the distribution of potential valuations at the time of sale and the distribution of potential valuations at the time of purchase. The reward is the ratio of future values to present values.\n\nDefinition 1. The reward for investing is defined as the future value divided by the present value. The return is the reward minus one.\n\nThere are three mechanisms to derive a distribution of rewards, or its cousin returns. The first, and standard method, is to derive the ratio distribution directly. This method was first described by Curtiss . The second would be to convert the data into polar coordinates and to indirectly solve the problem using the angle of the return rather than a direct attack on the slope. The third is to regress the future value from the present value.\n\n2.2. Curtiss’ Method\n\nCurtiss allows a general solution for the cases where there are two random variables, Y and X, related through the relationship\n\n$Z=\\frac{Y}{X}.$ (3)\n\nThe joint probability distribution for X and Y is $f\\left(x,y\\right)$ . If $D\\left(z\\right)$ is the cumulative density function for z, and $p\\left(z\\right)$ is its probability density function, then they must be related through some transformation of the joint density function of X and Y.\n\n1One could also assign an aribtrary density at $x=0$ because the impact on the total sum would only be $k\\text{d}x$ which would vanish at the limit.\n\n2For most ordinary cases and all cases in this article, the integrals can be assumed to be Lebesgue integrals or in some special cases not used here, they can be assumed to be Riemann integrals. See Curtiss in for a complete discussion.\n\nBecause this is a ratio, zero could potentially cause difficulty. This difficulty is avoided by also noting that the $\\mathrm{Pr}\\left(x=0\\right)=0$ since the measure of a countable point over a continuum is zero.1 Although its probability is zero, this does not make it an impossible event, only an event that can be removed as any other similar pole could without causing unintended consequences. All impossible events have a probability of zero, but not all events with a probability of zero are impossible.\n\nNonetheless, it does require that any solution is partitioned into the sets above and below zero. As a consequence, although\n\n$D\\left(z\\right)=\\mathrm{Pr}\\left(Z\\le z\\right),$ (4)\n\nThis must be written as\n\n$D\\left(z\\right)=\\mathrm{Pr}\\left(Y\\ge zX|X<0\\right)+\\mathrm{Pr}\\left(Y\\le zX|X>0\\right).$ (5)\n\nThis is extended into functional form through the equation\n\n$D\\left(z\\right)={\\int }_{-\\infty }^{0}{\\int }_{zx}^{0}\\text{ }f\\left(x,y\\right)\\text{d}y\\text{d}x+{\\int }_{0}^{\\infty }{\\int }_{0}^{zx}f\\left(x,y\\right)\\text{d}y\\text{d}x,$ (6)\n\nwhere the integrals are assumed to be Lebesgue-Stieltjes integrals.2\n\nThe probability density function for $d\\left(z\\right)$ is\n\n$p\\left(z\\right)=\\frac{\\text{d}\\left[D\\left(z\\right)\\right]}{\\text{d}z},$ (7)\n\nwhich can be expressed as\n\n$p\\left(z\\right)={\\int }_{-\\infty }^{\\infty }|x|f\\left(x,zx\\right)\\text{d}x.$ (8)\n\n2.3. A Trigonometric Method\n\nA second solution is to note the relationship between a slope and an angle. If the reward for investing is Z as above then relationship between $\\Theta$ and Z is\n\n$\\Theta ={\\mathrm{tan}}^{-1}\\left(Z\\right),$ (9)\n\nwhile\n\n$\\Omega =\\sqrt{{X}^{2}+{Y}^{2}}.$ (10)\n\nThe transformation of the function requires including the Jacobian for the tranformation of variables. Transforming the problem into polar coordinates results in\n\n$D\\left(z\\right)={\\int }_{-\\frac{\\text{π}}{2}}^{ta{n}^{-1}\\left(z\\right)}{\\int }_{0}^{\\infty }f\\left(\\omega ,\\theta \\right)\\omega \\text{d}\\omega \\text{d}\\theta +{\\int }_{\\frac{\\text{π}}{2}}^{ta{n}^{-1}\\left(z\\right)+\\text{π}}{\\int }_{0}^{\\infty }f\\left(\\omega ,\\theta \\right)\\omega \\text{d}\\omega \\text{d}\\theta .$ (11)\n\nThe equation presumes no limitation on liability. The equation would need to be adjusted for the limitation of liability. This form has two potential advantages, one pedagogic, the other computational.\n\nSince the cumulative density function for the standard Cauchy distribution is ${\\text{π}}^{-1}ta{n}^{-1}\\left(\\stackrel{˜}{x}\\right)$ , this implies that a solution will be an angular transformation of the Cauchy distribution. This can be observed in the limits of the integrals. Using the trigonometric method makes it easier to see the underlying relationship between returns and the Cauchy distribution. Secondarily, some functions are simpler to solve in polar coordinates.\n\n2.4. Ratio Distributions Based on Equilibrium Prices\n\nWealth invested in a security at time t is the price times the quantity owned at time t, that is to say ${w}_{t}={p}_{t}×{q}_{t},\\forall t$ . For equity securities, not exchanged for cash or bankrupt, then the split adjusted price is equivalent to assuming that ${q}_{t}=1,\\forall t$ . In that circumstance, the return on cash flows becomes the return on prices. To derive the distribution, with respect to the equilibrium prices, it is assumed that\n\n${p}_{t}={p}_{t}^{*}+{ϵ}_{t},\\forall t.$ (12)\n\nAs only the distribution of errors from the equilibrium are of interest the distribution will be of\n\n${ϵ}_{t}={p}_{t}-{p}_{t}^{*},\\forall t.$ (13)\n\nUsing this transformation transfers the point of calculation from $\\left({p}_{t},{p}_{t+1}\\right)$ to $\\left(0,0\\right)$ . Because this translation moves the ratio of prices to $\\left(0,0\\right)$ it will be necessary to translate the final distribution by R, which could be defined as\n\n$R=\\frac{{p}_{t+1}^{*}}{{p}_{t}^{*}}.$ (14)\n\n3. Distribution for Going Concerns in Equilibrium\n\nFor historical reasons and because the complications of real life will be added later, this is being constructed in a classic Markowitzian model with many buyers and many sellers. There are no transaction costs, either there is infinite liquidity, or there is no market maker. Transactions occur in a double auction where potential buyers compete for best bid and sellers compete for best bid. Markets are not systematically away from equilibrium.\n\nBecause this is a double auction in equilibrium, there is no winner’s curse. The rational behavior is for each actor to bid their expectation. The sampling distribution of the limit book will be normally distributed due to the central limit theorem. If the Markowitzian assumption of price taking behavior is included, then the appraisal errors are being committed by the counter-party. Additionally, it will be assumed that errors are independent. This may not be the case for some types of transactions, such as program trading.\n\nAs with Capital Asset Pricing Model style problems, there is no presumed positivity of future price. The assumption of limited liability will be added in Subsection 3.3. The sample space is the real numbers for future values of p.\n\nSince both the entry and exit order should have normally distributed order books, it follows that the likelihood function is the ratio of two normal distributions. This solution is well known in statistics as the Cauchy distribution. The Cauchy distribution has no mean, and consequently, under the basic initial assumptions of mean-variance models, it is impossible for mean-variance finance to exist.\n\nUsing the method described in Section 2.4 one quickly arrives at the Cauchy distribution under the assumptions of the Markowitz style models as shown in Section 3.1 for the distribution of returns around the equilibrium points.\n\n3.1. Using Curtiss’ Method to Arrive at the Distribution\n\nCurtiss’ method involves solving\n\n$p\\left({r}_{t}\\right)={\\int }_{-\\infty }^{\\infty }\\frac{|{\\epsilon }_{t}|}{2\\text{π}{\\sigma }_{t}{\\sigma }_{t+1}}\\mathrm{exp}\\left[-\\frac{1}{2}\\left(\\frac{{\\epsilon }_{t}^{2}}{{\\sigma }_{t}^{2}}+\\frac{{r}_{t}^{2}{\\epsilon }_{t}^{2}}{{\\sigma }_{t+1}^{2}}\\right)\\right]\\text{d}{\\epsilon }_{t}$ (15)\n\ncauses us to arrive at\n\n$p\\left({r}_{t}\\right)=\\frac{1}{\\text{π}}\\frac{\\Gamma }{{\\Gamma }^{2}+{r}_{t}^{2}},\\Gamma =\\frac{{\\sigma }_{t+1}}{{\\sigma }_{t}}.$ (16)\n\nThis equation still needs to be shifted by R. This preserves the nice interpre- tation of $\\Gamma$ as a measure of price heteroskedasticity so that the final form is\n\n$p\\left({r}_{t}\\right)=\\frac{1}{\\text{π}}\\frac{\\Gamma }{{\\Gamma }^{2}+{\\left({r}_{t}-R\\right)}^{2}}.$ (17)\n\n3.2. The Trigonometric Method\n\nTo provide an example of the trigonometric solution, consider the simple case where ${\\sigma }_{t}={\\sigma }_{t+1}=1$ . Noting the symmetry, only one of the two integrals needs solved and it would be multiplied by two. Since in equilibrium the center of location is at (0,0), the cumulative density function is\n\n$D\\left({r}_{t}\\right)=\\frac{2}{\\text{2π}}{\\int }_{-\\frac{\\pi }{2}}^{ta{n}^{-1}\\left({r}_{t}\\right)}{\\int }_{0}^{\\infty }\\omega {\\text{e}}^{-\\frac{{\\omega }^{2}}{2}}\\text{d}\\omega \\text{d}\\theta$ (18)\n\n$D\\left({r}_{t}\\right)=\\frac{1}{\\text{π}}{\\int }_{-\\frac{\\text{π}}{2}}^{ta{n}^{-1}\\left({r}_{t}\\right)}\\left[\\underset{\\omega \\to \\infty }{lim}{\\text{e}}^{-\\frac{{\\omega }^{2}}{2}}-\\underset{\\omega \\to 0}{lim}{\\text{e}}^{-\\frac{{\\omega }^{2}}{2}}\\right]\\text{d}\\theta$ (19)\n\n$D\\left({r}_{t}\\right)=\\frac{1}{\\text{π}}{\\int }_{-\\frac{\\text{π}}{2}}^{ta{n}^{-1}\\left({r}_{t}\\right)}\\text{d}\\theta$ (20)\n\n$D\\left({r}_{t}\\right)=\\frac{1}{\\text{π}}ta{n}^{-1}\\left({r}_{t}\\right)+\\frac{1}{2}.$ (21)\n\nThe density function is\n\n$p\\left({r}_{t}\\right)=\\frac{1}{\\text{π}\\left(1+{r}_{t}^{2}\\right)},$ (22)\n\nwhich is the Cauchy distribution. The advantage of this method is at least partially pedagogic in that the relationship to the Cauchy distribution is obvious.\n\nA review of Equation (18) shows that it could be broken up into two different densities. The distribution of $\\omega$ is\n\n$p\\left(\\omega \\right)=\\omega {\\text{e}}^{\\frac{-{\\omega }^{2}}{2}},$ (23)\n\nwhile the distribution of of $\\theta$ is\n\n$p\\left(\\theta \\right)=\\frac{1}{\\text{π}}.$ (24)\n\nEquation (23) is the Rayleigh distribution, which is a special case of the Weibull distribution or the $\\chi$ distribution . Equation (24) is the uniform distribution. This is also a restatement of Gull’s Lighthouse problem . Both $\\omega$ and $\\theta$ are independent of each other.\n\nThe author believes that greater knowledge may develop by exploring the role that the properties of the polar coordinate distributions possess. The uniform distribution, like the Cauchy is perfectly imprecise, that is it has no variance unless bounded. The Weibull is an extreme value distribution and under the Rayleigh parameterization implies that large values are probable. As the Rayleigh distribution, it is the limiting distribu- tion of the vector sum with “random amplitudes and uniformly distributed phases” . Through the $\\chi$ distribution it is the distribution of the square root of the sum of squares of independent draws from a normal distribution.\n\nA further reason to consider this linkage is the work performed by Mc- Cullaugh in and Burdzy in on the linkage between the Cauchy distribu- tion and the complex plane, which is tightly linked to trigonometric solutions through Euler’s formula:\n\n${\\text{e}}^{ix}=cos\\left(x\\right)+isin\\left(x\\right).$ (25)\n\nAlthough more metaphorical and intuitive than rigorous, it may serve to point out the error at time t is real in the sense that it is about to happen while the second error is, or at least feels, more imaginary in that it projections are being made, possibly decades in advance. While this work is being done in ${ℝ}^{2}$ significant work has been done in $ℂ$ instead, beginning with work by Burdzy in .\n\n3.3. Limitation of Liability\n\nThe limitation of liability truncates the Cauchy distribution. Its parameters become\n\n$p\\left({r}_{t}\\right)={\\left[\\frac{\\text{π}}{2}+ta{n}^{-1}\\left(\\frac{R}{\\Gamma }\\right)\\right]}^{-1}\\frac{\\Gamma }{{\\Gamma }^{2}+{\\left({r}_{t}-R\\right)}^{2}}$ (26)\n\nThis could be solved, as above, by restricting values for ${p}_{t}$ and ${p}_{t+1}$ to greater than zero.\n\nAn alternative representation would be to note that in bankruptcy ${q}_{t+1}=0$ and so it is not a ratio of prices but quantities. That is to say, the ratio distribu- tion of prices is multiplied by the ratio distribution of quantities. Given that the firm neither goes bankrupt nor merges out of existence during the interval, $Pr\\left({q}_{t+1}={q}_{t}\\right)=1$ .\n\nThe truncated Cauchy distribution is reasonable approximation of returns on equity, even without discussing the issues of liquidity or the budget constraint discussed in Section 11. This is extensively discussed in . The annual returns for going concerns, less the impact of dividends, collected from the population of data at the Center for Research on Security Prices and excluding such firms as shell companies and closed-end funds for the years 1962-2013 are shown graphically in Figure 1. The best fit models from parameters implied by the data are provided as well.\n\nFigure 1. Empirical distribution versus implied Cauchy and Gaussian models from the data.\n\nThe three curves of 1 are disaggregated returns. This differs from the standard market returns shown throughout the literature, but rather are trade-by-trade returns across the period. All three curves are smoothed with spline fitting by Microsoft’s Excel. The first curve is the empirical distribution of annual returns over the period. The second is the best fit Cauchy and Gaussian model of distributions. The Gaussian fits so poorly because the tails are so dense and long.\n\nThe Gaussian model has two conflicting issues, modeling the high density region and modeling the tails. Because of the squared impact of attempting to measure the variance the Gaussian model is flattened in the dense region, but still too thin at the extrema of the tails. Because the Cauchy model is a peaked distribution with long tails, there is no mathematical conflict in fitting a curve.\n\nThe fact of heavy tails has not been in dispute since at least Mandelbrot’s article, but an explanation as to why it exists has not been made . Figure 1 is nothing more than a reminder of facts long settled but explained as anomalies. This is not an anomaly. This is how equity securities are supposed to work.\n\n3.4. Observations on the Nature of the Cauchy Distribution\n\n3.4.1. Lack of a Mean\n\nConsider a generic variable, ${x}_{i}$ , drawn from a Cauchy distribution, regardless if the form is a time series or some other data form, there is an understood relationship between the sampling distribution of the mean, ${\\stackrel{¯}{S}}_{n}$ , for a sample size of n and the density function of the raw data.\n\nIn order to shorten the exposition and without loss of generality, assume that ${x}_{i}$ is drawn from the standard Cauchy distribution, that is\n\n$f\\left(x\\right)=\\frac{1}{\\text{π}}\\frac{1}{1+{x}^{2}}.$ (27)\n\nThe sum of n Cauchy variates is\n\n${S}_{n}=\\underset{i=1}{\\overset{n}{\\sum }}\\text{ }\\text{ }{x}_{i}$ (28)\n\nand the sample mean is\n\n${\\stackrel{¯}{S}}_{n}=\\frac{{S}_{n}}{n}.$ (29)\n\nThe distribution of the sample mean can be found by using the characteristic function for the Cauchy distribution. The characteristic function is\n\n$\\begin{array}{c}\\varphi \\left(\\tau \\right)={\\int }_{-\\infty }^{\\infty }{\\text{e}}^{ix\\tau }\\frac{1}{\\text{π}}\\frac{1}{1+{x}^{2}}\\text{d}x\\\\ =\\frac{1}{\\text{π}}{\\int }_{-\\infty }^{\\infty }\\frac{cos\\tau x+isin\\tau x}{1+{x}^{2}}\\text{d}x\\\\ =\\frac{2}{\\text{π}}{\\int }_{0}^{\\infty }\\frac{cos\\tau x}{1+{x}^{2}}\\text{d}x={\\text{e}}^{-|\\tau |}.\\end{array}$ (30)\n\nThe characteristic function for the sum of n independent draws from the distribution described by Equation (27) is the product of the individual charac- eristic functions resulting in a joint characteristic function of\n\n$\\varphi {\\left(\\tau \\right)}^{n}.$ (31)\n\nInverting the prior process yields\n\n$f\\left({S}_{n}\\right)=\\frac{1}{2\\text{π}}{\\int }_{-\\infty }^{\\infty }{\\text{e}}^{-i{S}_{n}\\tau -n|\\tau |}\\text{d}\\tau =\\frac{1}{\\text{π}}\\frac{n}{{n}^{2}+{S}_{n}^{2}}.$ (32)\n\nConverting to the distribution of the sample mean yields\n\n$f\\left({\\stackrel{¯}{S}}_{n}\\right)=f\\left({S}_{n}\\right)\\frac{\\text{d}{S}_{n}}{\\text{d}{\\stackrel{¯}{S}}_{n}}=\\frac{1}{\\text{π}}\\frac{1}{1+{\\stackrel{¯}{S}}_{n}^{2}}.$ (33)\n\nThe sampling distribution of the mean maps to the distribution of the raw data. The unexpected implication is that there is no difference in information about the center of location between looking at the sample mean of one thousand draws, two draws or simply looking at one draw of the raw data. This is equivalent to saying there is no gain in information by calculating the mean of any size over simply looking at one raw data point in determining the true center of location.\n\nThis is deeply problematic for the continued use of sample means or least- squares style methods in economics. The inference is purely random because the Cauchy distribution has no population mean and so the sample mean does not converge on a single point. The most that can be said about the center of location given the sample mean is that it is somewhere in the real numbers. As a consequence, when using mean-based methods, an inference regarding the true parameter $\\beta$ will be equivalent to having a sample size of one regardless of the true sample size. Such a finding is catastrophic for standard econometric methods. It can also be catastrophic to standard economic models involving capital.\n\n3.4.2. Lack of Independence\n\nThe multivariate Cauchy distribution is a symmetric special case of the multivariate Student distribution. For the two dimensional case it is\n\n$\\frac{1}{2\\text{π}}\\left[\\frac{\\Gamma }{{\\left({\\Gamma }^{2}+\\underset{i=1}{\\overset{2}{\\sum }}{\\left({r}_{i}-{R}_{i}\\right)}^{2}\\right)}^{\\frac{3}{2}}}\\right].$ (34)\n\nFor the three dimensional case the density is\n\n$\\frac{1}{{\\text{π}}^{2}}\\frac{{\\Gamma }^{2}}{\\sqrt{{\\Gamma }^{3}}{\\left(\\Gamma +\\underset{i=1}{\\overset{3}{\\sum }}{\\left({r}_{i}-{R}_{i}\\right)}^{2}\\right)}^{2}}.$ (35)\n\nNotice that at no point does a covariance matrix or some structure similar to a covariance matrix appear. Also note that the nth dimensional distribution is not just the n product of the univariate distributions. It is not obvious, but care must be taken, that when solving as a student distribution that the traditional meaning of $\\mu$ as a mean and $\\sigma$ as a standard deviation in Student’s t distribution changes to $\\mu$ as a mode and $\\sigma$ as a scale parameter. More particularly, $\\sigma$ is the half-width at half-maximum.\n\n4. Assets Purchased in Single Auctions and Subject to the Winner’s Curse\n\nWhile stocks, in equilibrium, are not subject to a winner’s curse, many assets are. This is because the high, or in some cases low, bidder purchases the asset. The difficulty is created as above, by each party bidding their expectation. While the sampling distribution of the mean is the Gaussian distribution, the sampling distribution of the extrema is the Gumbel distribution.\n\nThe determination of the ratio of two Gumbel distributions is complicated by the fact that there are multiple types of buyers. Professional buyers, collectors, and novice buyers may face different conditional distributions due to different information sets and different pricing goals.\n\nAn antique dealer in a network of dealers, or a construction contractor that regularly subcontracts, have significant information about the wholesale value while a novice actor generally can, at best, see retail pricing. Although the functional form for either will be the same, they would not be if the dealer did not purchase the asset at an auction. Rather than this auction based example, the dealers’ returns would depend on the model of the dealer market.\n\nThe form of the Gumbel distribution for a single-sided, high-bid auction purchase is\n\n$p\\left({\\epsilon }_{t}\\right)=\\frac{1}{{\\sigma }_{t}}{\\text{e}}^{-\\left(\\frac{{\\epsilon }_{t}}{{\\sigma }_{t}}-{\\text{e}}^{-\\frac{{\\epsilon }_{t}}{{\\sigma }_{t}}}\\right)},\\forall t.$ (36)\n\nAssuming the errors are independent and markets are in equilibrium, then\n\n$p\\left({r}_{t}\\right)={\\int }_{-\\infty }^{\\infty }|{\\epsilon }_{t}|\\frac{exp\\left(-\\frac{{r}_{t}{ϵ}_{t}}{{\\sigma }_{t+1}}-{\\text{e}}^{-\\frac{{r}_{t}{ϵ}_{t}}{{\\sigma }_{t+1}}}-\\frac{{ϵ}_{t}}{{\\sigma }_{t}}-{\\text{e}}^{-\\frac{{ϵ}_{t}}{{\\sigma }_{t}}}\\right)}{{\\sigma }_{t}{\\sigma }_{t+1}}\\text{d}{\\epsilon }_{t},$ (37)\n\nremembering that the errors are centered around zero and not R. In a numerical solution, returns will need to be shifted by R.\n\n3The author would prefer to name it the Maxham Distribution after his wife's maiden name since this does not appear to be a named distribution.\n\nThe integral of the ratio of two Gumbel distributions is unknown. This creates two possible solutions. First, the method of histograms is available . The second choice is to construct numerical approximations of the integral.\n\nThe second choice has the advantage that it is not strictly dependent on historical conditions. Still, this forces the construction of tables rather than allow for true parametric solutions. For ${\\sigma }_{t}={\\sigma }_{t+1}=1;R=1$ the plot of the reward for investing is shown in Figure 2.3\n\nFigure 2. Reward for investing in asset with winner’s curse and selling with winner’s curse.\n\n5. Distribution of Accounting Ratios and Equity Returns with Dependent Errors\n\nAccounting ratios and returns on equity securities without independent errors have a distribution that is very close to the Cauchy distribution. In this case, it is presumed that there is support on the entire real line. Adjustments for truncation would be necessary. The assumption is that an equilibrium exists. In this case, the joint distribution of errors is the bivariate normal centered on (0,0), but ${\\epsilon }_{t+1}$ is correlated with ${\\epsilon }_{t}$ through a correlation coefficient, $\\rho$ .\n\nThe distinction with the derivation of the Cauchy distribution is that for the Cauchy distribution, the covariance matrix for the normal distribution is\n\n$\\Sigma =\\left[\\begin{array}{cc}{\\sigma }_{t,t}& 0\\\\ 0& {\\sigma }_{t+1,t+1}\\end{array}\\right],$ (38)\n\nwhile in this case\n\n$\\Sigma =\\left[\\begin{array}{cc}{\\sigma }_{t,t}& {\\sigma }_{t,t+1}\\\\ {\\sigma }_{t,t+1}& {\\sigma }_{t+1,t+1}\\end{array}\\right].$ (39)\n\nUsing Curtiss’ method, the unshifted distribution of returns is\n\n$p\\left({r}_{t}\\right)=\\frac{{\\sigma }_{t}{\\sigma }_{t+1}\\sqrt{1-\\frac{{\\sigma }_{t,t+1}^{2}}{{\\sigma }_{t}^{2}{\\sigma }_{t+1}^{2}}}}{\\text{π}\\left({r}_{t}^{2}{\\sigma }_{t}^{2}-2{r}_{t}{\\sigma }_{t,t+1}+{\\sigma }_{t+1}^{2}\\right)}.$ (40)\n\nIf the above equation was multiplied by\n\n$\\frac{\\frac{1}{{\\sigma }_{t}^{2}}}{\\frac{1}{{\\sigma }_{t}^{2}}},$ (41)\n\nthen the relationship between the Cauchy distribution becomes a bit more obvious by setting\n\n$\\Gamma =\\frac{{\\sigma }_{t+1}}{{\\sigma }_{t}}.$ (42)\n\nIn that case, the distribution becomes\n\n$p\\left({r}_{t}\\right)=\\frac{\\Gamma \\sqrt{1-{\\rho }^{2}}}{\\text{π}\\left({r}_{t}^{2}-2{r}_{t}{\\sigma }_{t,t+1}/{\\sigma }_{t}^{2}+{\\Gamma }^{2}\\right)}.$ (43)\n\nAs with the Cauchy distribution, the return needs to be shifted by R so that the final formula is\n\n$p\\left({r}_{t}\\right)=\\frac{\\Gamma \\sqrt{1-{\\rho }^{2}}}{\\text{π}\\left({\\left({r}_{t}-R\\right)}^{2}-2\\left({r}_{t}-R\\right){\\sigma }_{t,t+1}/{\\sigma }_{t}^{2}+{\\Gamma }^{2}\\right)},$ (44)\n\nor with fewer parameters to estimate\n\n$p\\left({r}_{t}\\right)=\\frac{{\\sigma }_{t}{\\sigma }_{t+1}\\sqrt{1-\\frac{{\\sigma }_{t,t+1}^{2}}{{\\sigma }_{t}^{2}{\\sigma }_{t+1}^{2}}}}{\\text{π}\\left({\\left({r}_{t}-R\\right)}^{2}{\\sigma }_{t}^{2}-2\\left({r}_{t}-R\\right){\\sigma }_{t,t+1}+{\\sigma }_{t+1}^{2}\\right)}.$ (45)\n\nAlthough the assumption of independence of errors is reasonable, program trading where few actors could be involved in moving large portfolios that are evaluated jointly, it is quite possible that in the case of quick turnover that the appraisal errors are highly associated with both the purchase and selling of a block of assets.\n\n6. The Distribution of Returns with Markets in Disequilibrium\n\nIt is difficult to discuss markets in disequilibrium in economics. Events such as the financial crash of 2008 are problematic for equilibrium models. If the market is away from equilibrium at time t, then rather than considering\n\n${p}_{t}={p}_{t}^{*}+{ϵ}_{t}$ (46)\n\nthe model should be\n\n${p}_{t}={p}_{t}^{*}+{\\mu }_{t}+{ϵ}_{t}.$ (47)\n\nIf $\\mu >0$ then returns should be smaller and, conversely, where $\\mu <0$ then returns should be larger. The question is “what is ${\\mu }_{t}$ ?” If ${\\mu }_{t}$ is thought of as part of the error term, then it is a systematic bias. If it is thought as a systematic shift in the equilibrium, then the present value of cash flows does not equal the price where there is no pressure for change. In neither case, $\\mu$ vanishes from the numerator on the assumption that over time, prices must reflect future cash flows.\n\nThe two solutions imply different distribution rules.\n\n6.1. Placing the Shift in the Error Term\n\nIf the market is believed to be away from the implied curve in equilibrium then it cannot be assumed that errors are centered on zero. If it is assumed that assets will be sold when market prices are no longer sticky and away from zero, then the mean error will be located at $\\left({\\mu }_{t},0\\right)$ . If it also presumed that\n\n$\\Gamma =\\frac{{\\sigma }_{t+1}}{{\\sigma }_{t}},$ (48)\n\nthen it is possible to state everything in reference to time t. Using Curtiss’ method\n\n$\\begin{array}{c}p\\left({r}_{t}\\right)=\\frac{\\Gamma {\\text{e}}^{-\\frac{{\\mu }_{t}^{2}}{{\\sigma }_{t}}}\\left(\\sqrt{\\text{π}}{\\mu }_{t}{\\text{e}}^{\\frac{{\\Gamma }^{2}{\\mu }_{t}^{2}}{{\\left({r}_{t}-R\\right)}^{2}+{\\Gamma }^{2}{\\sigma }_{t}}}\\text{erf}\\left(\\frac{{\\mu }_{t}}{{\\sigma }_{t}\\sqrt{\\frac{\\frac{{\\left({r}_{t}-R\\right)}^{2}}{{\\Gamma }^{2}}+{\\sigma }_{t}}{{\\sigma }_{t}^{2}}}}\\right)\\right)}{4\\text{π}{\\sigma }_{t}\\left({\\left({r}_{t}-R\\right)}^{2}+{\\Gamma }^{2}{\\sigma }_{t}\\right)\\sqrt{\\frac{{\\left({r}_{t}-R\\right)}^{2}+{\\Gamma }^{2}{\\sigma }_{t}}{{\\Gamma }^{2}{\\sigma }_{t}^{2}}}}\\\\ \\text{\\hspace{0.17em}}\\text{\\hspace{0.17em}}+\\frac{\\Gamma {\\text{e}}^{-\\frac{{\\mu }_{t}^{2}}{{\\sigma }_{t}}}\\left(\\sqrt{\\text{π}}{\\mu }_{t}{\\text{e}}^{\\frac{{\\Gamma }^{2}{\\mu }_{t}^{2}}{{\\left({r}_{t}-R\\right)}^{2}+{\\Gamma }^{2}{\\sigma }_{t}}}+{\\sigma }_{t}\\sqrt{\\frac{{\\left({r}_{t}-R\\right)}^{2}+{\\Gamma }^{2}{\\sigma }_{t}}{{\\Gamma }^{2}{\\sigma }_{t}^{2}}}\\right)}{4\\text{π}{\\sigma }_{t}\\left({\\left({r}_{t}-R\\right)}^{2}+{\\Gamma }^{2}{\\sigma }_{t}\\right)\\sqrt{\\frac{{\\left({r}_{t}-R\\right)}^{2}+{\\Gamma }^{2}{\\sigma }_{t}}{{\\Gamma }^{2}{\\sigma }_{t}^{2}}}}.\\end{array}$ (49)\n\nBuried inside this extensive expression is the Cauchy distribution. It is important to remember that if ${\\mu }_{t}<0$ then returns will be shifted to the right from equilibrium returns and conversely for ${\\mu }_{t}>0$ .\n\nMarsaglia’s Extension of Curtiss’ Method for the Normal Case\n\nMarsaglia in extended Curtiss’ work by considering the more general case of\n\n$\\frac{a+x}{b+y},$ (50)\n\nwhere x and y are independent standard normal random variates, while a and b are constants. He extended this work to cover the cumulative density function for computational ease . If $a=0$ , then this is equivalent to Equation (49) with several additional simplifying assumptions.\n\nIn the simplified case of Marsaglia , he finds that the distribution is a convex combination of the Cauchy distribution and a distribution that can either be unimodal or bimodal and is the product of a Cauchy distribution and other terms extracted from the normal distributions and constants. The conden- sed general solution to Marsaglia’s problem is:\n\n$p\\left(z\\right)=\\frac{exp\\left[-\\frac{1}{2}\\left({a}^{2}+{b}^{2}\\right)\\right]}{\\text{π}\\left(1+{z}^{2}\\right)}\\left[1+qexp\\left(\\frac{1}{2}{q}^{2}\\right){\\int }_{0}^{q}exp\\left(-\\frac{1}{2}{x}^{2}\\right)\\text{d}x\\right],q=\\frac{b+az}{\\sqrt{1+{z}^{2}}}$ (51)\n\nFor purposes of this article,\n\n$a=0,b={\\mu }_{t}=\\frac{{\\stackrel{¯}{p}}_{t}-{p}_{t}^{*}}{{\\sigma }_{t}},\\text{\\hspace{0.17em}}\\text{\\hspace{0.17em}}\\text{and}\\text{\\hspace{0.17em}}\\text{\\hspace{0.17em}}z={r}_{t}.$ (52)\n\nThis splits the equation into two parts. The first part,\n\n$\\frac{exp\\left[-\\frac{1}{2}{\\mu }_{t}^{2}\\right]}{\\text{π}\\left(1+{r}_{t}^{2}\\right)},$ (53)\n\nis the product of the Cauchy distribution of returns with an the non-normalized Gaussian kernel. The second portion,\n\n$1+\\frac{q}{exp\\left(-\\frac{1}{2}{q}^{2}\\right)}{\\int }_{0}^{q}exp\\left(-\\frac{1}{2}{x}^{2}\\right)\\text{d}x,$ (54)\n\nis one plus the elasticity of q with respect to the cumulative density function of q. As the available prices are systematically far from the equilibrium the distribu- tion becomes inelastic. This stiffness of outcomes is generated by the fact that as ${\\mu }_{t}$ goes to zero, the distribution goes to the Cauchy distribution. Conversely, as ${\\mu }_{t}$ becomes far from the equilibrium price, such as when ${\\mu }_{t}>4$ then the role of the Cauchy distribution gets close to zero. The other distribution has all of its moments.\n\nAs a mixture, there are no moments, but the effect of the Cauchy distribution becomes small. This narrowing implies that as bubbles go on a poor outcome becomes increasingly certain while after a bear market a good outcome becomes increasingly certain.\n\nIf prices being far from an equilibrium can be thought of as type I or type II errors, then Equation (49) could be thought of as the statistical basis for value investing. Benjamin Graham’s and David Dodd’s “margin of safety” required of all investors would have a parallel “margin of excitement” for speculative investors, adapting the parlance of Graham’s book, The Intelligent Investor .\n\nThis parallels the conversion of the cumulative density of returns into a Bernoulli distribution. Consider the problem of the\n\n$Pr\\left({r}_{t}\\ge j|{p}_{t}\\le k\\right).$ (55)\n\nIn this equation, j is a sufficient return to meet planned goals, while k is some limit price. Either the goal is met or it is not met. The variance maximizes when the probability of either case is fifty percent. A portfolio would carry a binomial distribution.\n\nAs ${p}_{t}$ became large, the probability would become small and the variability of outcomes would decline. Conversely, as ${p}_{t}$ became small, the probability would become large and the variability of outcomes would decline. The instinct of the economist would be to ask “what is preventing the security from being at its equilibrium price” and the simple answer is “that is precisely what a type I or type II error would be in this case.”\n\n6.2. A Shift Moves the Equilibrium Away from the Present Value of Cash Flows\n\nIn this case,\n\n${R}_{t}=\\frac{{p}_{t+1}^{*}}{{p}_{t}^{*}+{\\mu }_{t}}.$ (56)\n\nIt follows that the errors would be a truncated Cauchy distribution, but shifted for the price shift.\n\n6.3. Convex Combination\n\nIt is also quite possible that ${\\mu }_{t}$ is split between a systematic bias and an equilibrium shift. How this function works in the real world is an empirical question to test under Bayesian model selection. If the shifting value were split into two components, ${\\mu }_{\\alpha }$ and ${\\mu }_{\\beta }$ , where ${\\mu }_{\\alpha }$ is the equilibrium shift and ${\\mu }_{\\beta }$ is the shift from bias, then the return distribution becomes\n\n$\\begin{array}{c}p\\left({r}_{t}\\right)=\\frac{\\Gamma {\\text{e}}^{-\\frac{{\\mu }_{\\beta }^{2}}{{\\sigma }_{t}}}\\left(\\sqrt{\\text{π}}{\\mu }_{\\beta }{\\text{e}}^{\\frac{{\\Gamma }^{2}{\\mu }_{\\beta }^{2}}{{\\left({r}_{t}-R-{\\mu }_{\\alpha }\\right)}^{2}+{\\Gamma }^{2}{\\sigma }_{t}}}\\text{erf}\\left(\\frac{{\\mu }_{\\beta }}{{\\sigma }_{t}\\sqrt{\\frac{\\frac{{\\left({r}_{t}-R-{\\mu }_{\\alpha }\\right)}^{2}}{{\\Gamma }^{2}}+{\\sigma }_{t}}{{\\sigma }_{t}^{2}}}}\\right)\\right)}{4\\text{π}{\\sigma }_{t}\\left({\\left({r}_{t}-R-{\\mu }_{\\alpha }\\right)}^{2}+{\\Gamma }^{2}{\\sigma }_{t}\\right)\\sqrt{\\frac{{\\left({r}_{t}-R-{\\mu }_{\\alpha }\\right)}^{2}+{\\Gamma }^{2}{\\sigma }_{t}}{{\\Gamma }^{2}{\\sigma }_{t}^{2}}}}\\\\ \\text{\\hspace{0.17em}}\\text{\\hspace{0.17em}}+\\frac{\\Gamma {\\text{e}}^{-\\frac{{\\mu }_{\\beta }^{2}}{{\\sigma }_{t}}}\\left(\\sqrt{\\text{π}}{\\mu }_{\\beta }{\\text{e}}^{\\frac{{\\Gamma }^{2}{\\mu }_{\\beta }^{2}}{{\\left({r}_{t}-R-{\\mu }_{\\alpha }\\right)}^{2}+{\\Gamma }^{2}{\\sigma }_{t}}}+{\\sigma }_{t}\\sqrt{\\frac{{\\left({r}_{t}-R-{\\mu }_{\\alpha }\\right)}^{2}+{\\Gamma }^{2}{\\sigma }_{t}}{{\\Gamma }^{2}{\\sigma }_{t}^{2}}}\\right)}{4\\text{π}{\\sigma }_{t}\\left({\\left({r}_{t}-R-{\\mu }_{\\alpha }\\right)}^{2}+{\\Gamma }^{2}{\\sigma }_{t}\\right)\\sqrt{\\frac{{\\left({r}_{t}-R-{\\mu }_{\\alpha }\\right)}^{2}+{\\Gamma }^{2}{\\sigma }_{t}}{{\\Gamma }^{2}{\\sigma }_{t}^{2}}}}.\\end{array}$ (57)\n\n7. The Distribution of Mergers for Cash\n\nCash-for-stock mergers are a special limiting case. Whereas stock-for-stock provides the selling shareholders a contingent claim, cash for stock provides perfect liquidity. As cash is expensive, a cash purchase should have additional properties.\n\nAs this process is being thought of in a Bayesian framework, any estimate of return must include the possibility that the firm will be purchased for cash by another party. Given a cash merger will occur, it will have a defined future value once the merger is announced. Prior to announcement a likelihood function is necessary to estimate a solution for pricing and returns. If it is assumed that the rates of return are efficiently priced once perfect liquidation is certain, then traditional economic tools should solve this problem. Going back to Equation (14) note that the future value is now fixed, given a cash-for-stock merger will happen with certainty.\n\nOf course this is not certain, so Bayes theorem provides a solution. If\n\n$\\varphi \\left(X|\\theta ;{M}_{c}\\right)\\pi \\left(\\theta ;{M}_{c}\\right),$ (58)\n\nwhere ${M}_{c}$ denotes a cash for stock merger, $\\varphi \\left(\\text{ }\\right)$ is the likelihood of observing data, given a set of parameters and the certainty of a cash for stock merger, times the probability of a cash for stock merger, then solving Equation (58) over the parameter space, $\\theta \\in \\Theta$ , provides a value proportionate to the posterior proba- bility for each possible value of the parameters. Once normalized and integrated over the parameters, the resulting predictive density is the best information about the distribution of future returns for a given security.\n\nThe concern here is the reward from investing from Equation (14). In that equation there are two prices, ${p}_{t}$ and ${p}_{t+1}$ . For a going concern, this is not an issue, because the firm will exist at time $t+1$ . If a firm is merged out of existence for cash before time $t+1$ then what rule can be created for the future value?\n\nIn fact, there are two possible rules, either equally good for specific purposes, and less good for other purposes. The first rule would be to look forward in time starting at time t and ending at time $t+1$ , partitioning the set into short, meaningful intervals. Then a probability of a merger completion would be calculated for each subinterval in the partitioned set. A likelihood function would also be created for each date.\n\nThe alternative rule would be to ask the probability of a cash-for-stock merger on or before the date denoted as $t+1$ . In that case, ${r}_{t}$ represents the reward received for having invested funds at time t. It does ignore reinvestment, which would be a separate question.\n\nThe question of a cash-for-stock merger has two important properties that can be illustrated in the derivation that is not done in prior derivations. The first is that a cash-for-stock merger has only one error in it, not two. The second, not mentioned above, is to separate the role of the investor and the economist or finance professional.\n\nIf it were known, with certainty, that a cash-for-stock merger was to occur, then the only question is what will the stock sell for in that merger.\n\nThe equation for the realized reward is\n\n${r}_{t}=\\frac{{w}_{t+1}}{{p}_{t}}=\\frac{1}{{\\text{e}}^{-\\mathrm{log}\\left({r}_{t}\\right)}},$ (59)\n\nwhere w is future wealth as there is no price, and which can be normalized to unity.\n\nThe reason for noting the relationship between nominal reward and logari- thmic rewards has to do with how errors are conceptualized. Are errors multiplicative as would be implied by the logarithmic form or are they additive as the raw form would imply?\n\nThe issue is both theoretical and empirical. If the distribution of returns appears as either what one would expect from additive errors, or what one would expect from multiplicative errors, then a fundamental relationship to reality can be discussed.\n\nThe derivation of the proof is built upon a key proof by Landon in that appears throughout economics and physics, but often without a realization of where that proof may have come from.\n\n7.1. Jaynes Generalization of Landon’s Proof\n\nE.T. Jaynes in tome on probability theory, Probability Theory: The Langu- age of Science, uses part of a subsection to point out the importance of Landon’s proof and to generalize it. Landon in was trying to solve the problem of noise in communication circuits. The proof was for a particular case, but the proof immediately caught the attention of both Harold Jeffreys and John Maynard Keynes.\n\nLandon’s proof has several important components for economics. For Jaynes, Jeffreys, and Keynes, the importance was in noting that “by minor changes in the wording” the proof, “can be interpreted either as calculating a probability distribution, or estimating a frequency distribution” . For purposes of this paper, the linkage between Bayesian and null hypothesis methods in this proof is unimportant. What is important is the distinction between methods available when there is one error in the decision process versus two errors as in normal equity trading. Additionally, the proof by Landon in allows a direct linkage between the subjective decisions of individual actors and the calculation of the distribution that exists in equilibrium\n\nBecause of the relationship between subjective personal realities and objective market relationships, there will be a slight notation change. For the personal calculated rewards of a subjective actor, the notation will be ${}_{i}{r}_{t}$ at time t while the equilibrium return will be ${r}_{t}$ .\n\nThis cumbersome notation is not present in Probability Theory: The Language of Science because Jaynes, a physicist, is not concerned with the relationship between subjective personal realities of the actors with market equilibrium as an economist would be concerned. Additionally, Jaynes uses Dirac notation for expectations, whereas here the expectation of some random variable x will be notated $E\\left(x\\right)$ . Although the physics notation is shorter, it is uncommon to see it in economics articles.\n\nModel Assumptions\n\nIt is assumed that the observed market return is ${r}_{t}$ and for this derivation, there will be additive errors. As with Markowitz, it will be assumed that there are many actors, or alternatively, that over time there will be many actors. With Landon’s original form of proof, the better assumption would be the latter. Further, it will be assumed that the markets are in equilibrium. As a consequence, any error term’s expectation is zero.\n\nIn equation\n\n${p}_{t+1}=R{p}_{t}+{\\epsilon }_{t+1}$ (60)\n\nthe error term is ${\\epsilon }_{t}$ . This represents the movement of the price around the equilibrium trade price through time. The concern here, however, is with personal errors. Market and personal errors will be denoted ${ϵ}_{t}$ or ${}_{i}{ϵ}_{t}$ .\n\nAs such, it is assumed that\n\n$E\\left({}_{i}{ϵ}_{t}\\right)=0.$ (61)\n\nFurther, for a given level of risk, it is assumed that\n\n$p\\left({}_{i}{r}_{t}|{\\sigma }_{t}\\right)$ (62)\n\nis known to each actor, denoted $i\\in I$ , where the set I indexes the market actors, and where ${\\sigma }_{t}$ is scale parameter, in this case, a measure of risk.\n\nLandon in then posited the question of the impact of a very small shock or error, ${}_{i}{ϵ}_{t}$ to the evaluation of ${}_{i}{r}_{t}$ by looking at the equation\n\n${}_{i}{{r}^{\\prime }}_{t}={}_{i}r{}_{t}+{}_{i}ϵ{}_{t},$ (63)\n\nwhere ${}_{i}{ϵ}_{t}$ is very small relative to ${\\sigma }_{t}$ . Landon also assumed that ${}_{i}{ϵ}_{t}$ had a probability of being observed equal to\n\n$q\\left({}_{i}{ϵ}_{t}\\right){\\text{d}}_{i}{ϵ}_{t},$ (64)\n\nand that this probability was independent of $p\\left({}_{i}{r}_{t}|{\\sigma }_{t}\\right)$ .\n\nThe objective distribution of ${{r}^{\\prime }}_{t}$ maps to some subjective value $p\\left({}_{i}{{r}^{\\prime }}_{t}\\right)$ and depends upon the probability of the specific error or shock by the actor(s) and the separate probability of ${{r}^{\\prime }}_{t}$ . The probability for this is\n\n$f\\left({{r}^{\\prime }}_{t}\\right)=\\int p\\left({}_{i}{{r}^{\\prime }}_{t}-{}_{i}ϵ{}_{t}|{\\sigma }_{t}\\right)q\\left({}_{i}ϵ{}_{t}\\right){\\text{d}}_{i}{ϵ}_{t}.$ (65)\n\nThis can be estimated by the nearby value ${r}_{t}$ by expansion about the nearby value. The distribution can be estimated by\n\n$\\begin{array}{c}f\\left({r}_{t}\\right)=p\\left({}_{i}{r}_{t}|{\\sigma }_{t}\\right)-\\frac{\\partial p\\left({}_{i}{r}_{t}|{\\sigma }_{t}\\right)}{\\partial {r}_{t}}{\\int }_{i}\\text{ }{ϵ}_{t}q\\left({}_{i}{ϵ}_{t}\\right){\\text{d}}_{i}{ϵ}_{t}\\\\ \\text{\\hspace{0.17em}}\\text{\\hspace{0.17em}}+\\frac{1}{2}\\frac{{\\partial }^{2}p\\left({}_{i}{r}_{t}|{\\sigma }_{t}\\right)}{\\partial {r}_{t}^{2}}{\\int }_{i}{ϵ}_{t}^{2}q\\left({}_{i}{ϵ}_{t}\\right){\\text{d}}_{i}{ϵ}_{t}+\\cdots ,\\end{array}$ (66)\n\nwhich can be notationally shortened to\n\n$f\\left({r}_{t}\\right)=p\\left({}_{i}{r}_{t}|{\\sigma }_{t}\\right)-E\\left({ϵ}_{t}\\right)\\frac{\\partial p\\left({}_{i}{r}_{t}|{\\sigma }_{t}\\right)}{\\partial {r}_{t}}+\\frac{1}{2}E\\left({ϵ}_{t}^{2}\\right)\\frac{{\\partial }^{2}p\\left({}_{i}{r}_{t}|{\\sigma }_{t}\\right)}{\\partial {r}_{t}^{2}}+\\cdots .$ (67)\n\nNoting that the expectation of ${ϵ}_{t}$ is zero and that the expectation of ${}_{i}{r}_{t}^{2}$ increments to ${\\sigma }_{t}^{2}+E\\left({}_{i}{ϵ}_{t}^{2}\\right)$ and the invariance property noted above, this leads to the equation\n\n$f\\left({r}_{t}\\right)=p\\left({}_{i}{r}_{t}|{\\sigma }_{t}\\right)+E\\left({}_{i}{ϵ}_{t}^{2}\\right)\\frac{{\\partial }^{2}p\\left({}_{i}{r}_{t}|{\\sigma }_{t}\\right)}{\\partial {\\sigma }_{t}^{2}}$ (68)\n\nwhich becomes\n\n$\\frac{\\partial p\\left({}_{i}{r}_{t}|{\\sigma }_{t}\\right)}{\\partial {\\sigma }_{t}}=\\frac{1}{2}\\frac{{\\partial }^{2}p\\left({}_{i}{r}_{t}|{\\sigma }_{t}\\right)}{{\\partial }_{i}{r}_{t}^{2}},$ (69)\n\nwhose known solution is the normal distribution.\n\n7.2. Implications\n\nLandon’s proof allows an expansion about an equilibrium value when there is only one error. For most of the ratio distributions covered in this paper, there does not exist a first moment as they are all transformations of the Cauchy distribution on at least the half-plane. As such, no expansion can be created. A key tool is lost to economics.\n\nBy construction, it appears that cash-for-stock should carry a log-normal distribution.\n\n8. Including the Impact of Bankruptcy\n\nBankruptcy is the simplest of the cases in that if the shareholders are wiped out, then ${q}_{t+1}=0$ . If ${B}^{\\prime }$ is the posterior probability of bankruptcy, then returns simply become $0×{B}^{\\prime }+\\left(1-{B}^{\\prime }\\right){R}^{\\prime }$ , where ${R}^{\\prime }$ is the posterior probability of returns for all other states. Of course in Bayesian statistics, these are not point estimates; the formula represents a joint distribution of returns and bankruptcy risk.\n\nIf returns were understood as independent of bankruptcy risk, then it would be the simple cross product over the parameter space. If the center of location and the scale parameter are a function of bankruptcy probability, then the situation becomes less clear.\n\nThe challenge is created by an absence of a unique or clear mechanism to model bankruptcy in the literature. Indeed, the plethora of ways to model bankruptcy generates a wide range of possible joint distributions. The prediction of potential future returns depends upon how the relationships among para- meters are conceptualized. Logically the center of location for returns should be a function of spread and bankruptcy risk. The center of location for spread should be a function of bankruptcy risk, and the probability of bankruptcy should be independent. This ignores the impact of skew, dividends payments and other types of data other than just returns. While there is only one way for variables to be independent, there are an infinite number of ways for them to be dependent. Including bankruptcy is an important and unsolved problem.\n\nA general outline of the predictive distribution for this problem is solved instead. The definition of the predictive distribution is\n\nDefinition 2 (Bayesian Predictive Distribution) If $\\stackrel{˜}{x}$ is a future value to be predicted from a matrix or vector of observed data $X$ , where the likelihood function uses a vector of parameters $\\theta$ , with $\\theta \\in \\Theta$ , where $\\Theta$ is the parameter space and $\\chi$ is the sample space, then the predictive probability that $\\stackrel{˜}{x}=k,k\\in \\chi$ is\n\n${\\pi }^{\\prime }\\left(\\stackrel{˜}{x}=k|X\\right)={\\int }_{\\theta \\in \\Theta }\\varphi \\left(\\stackrel{˜}{x}=k|\\theta \\right)\\pi \\left(\\theta |X\\right)\\text{d}\\theta ,$\n\nwhere ${\\pi }^{\\prime }$ is the predictive distribution, $\\pi$ is the posterior distribution, and $\\varphi$ is the likelihood function, for all $k\\in \\chi$ .\n\nConsidering only a model with a single location, scale and bankruptcy parameter, the predicted distribution of returns at time $t+1$ would be\n\n$p\\left({\\stackrel{˜}{r}}_{t+1}\\right)=\\underset{0}{\\overset{\\infty }{\\int }}\\underset{0}{\\overset{\\infty }{\\int }}\\underset{0}{\\overset{1}{\\int }}\\frac{p\\left(X|R;\\Gamma ;B\\right)p\\left(R|\\Gamma ;B\\right)p\\left(\\Gamma |B\\right)p\\left(B\\right)}{\\underset{0}{\\overset{\\infty }{\\int }}\\underset{0}{\\overset{\\infty }{\\int }}\\underset{0}{\\overset{1}{\\int }}p\\left(X|R;\\Gamma ;B\\right)p\\left(R|\\Gamma ;B\\right)p\\left(\\Gamma |B\\right)p\\left(B\\right)\\text{d}B\\text{d}\\Gamma \\text{d}R}\\text{d}B\\text{d}\\Gamma \\text{d}R$ (70)\n\n9. The Distribution of Returns for Zero Coupon Bonds\n\nThe only assets with a covariance matrix would be among n-risky fixed cash flows, where they share bankruptcy or some other risk. Zero coupon bonds with simultaneous maturity would be the simplest form of this. Several possibilities exist, such as the logistic distribution, the normal distribution or the multino- mial distribution would work, but a distribution with a covariance matrix would account for covariance among the factors relating to bankruptcy.\n\n10. The Likelihood Function for Solutions Involving Regression\n\n10.1. Introduction\n\nRegression creates a set of special cases and does not provide a neat or clear recommendation. The difficulty for regression that differs from non-Bayesian methods is that non-Bayesian methods are only concerned with the sample after it has been transformed by a statistical method. Ordinary least squares is an example of such a method. Bayesian statistics are concerned with how the data is generated in the first place. In practice, this means that many possible competing models co-exist and one hypothesis needs to exist for each possible model.\n\nDiscussions here cannot be exhaustive but can cover the major cases. Certain observations about the rules for regression are important here. First, for time series of the form\n\n${x}_{t+1}=\\beta {x}_{t}+{ϵ}_{t+1},|\\beta |<1,$ (71)\n\nthen the likelihood function is the normal distribution. Indeed, an assumption of normal returns implies Equation (71), which would imply that people anticipa- ted losses in every period. On the other hand, for the equation\n\n${x}_{t+1}=\\beta {x}_{t}+{ϵ}_{t+1},|\\beta |>1,$ (72)\n\nthe likelihood was shown by White in to be the Cauchy distribution. The reason White’s proof is not better known is due to the implications of White’s proof. Mann and Wald were able to show that the maximum likelihood estima- tor for $\\beta$ was the ordinary least squares estimator for all values of $\\beta$ , but White showed that the sampling distribution was the Cauchy distribution, implying that no solution existed for the problem .\n\nAlthough Thiel’s regression would still work as a substitute for an actual solution, this is shown in separate work to not be admissible .\n\nThis issue does not exist for Bayesian methods which do not depend upon point statistics to function.\n\nA rather peculiar problem is created by\n\n${x}_{t+1}=\\beta {x}_{t}+{ϵ}_{t+1},|\\beta |=1.$ (73)\n\nIn Bayesian methods the probability that $\\beta =1$ is zero. This is due to the fact that any countable subset of an uncountable set is of measure zero. Extending White’s logic, it is argued that the likelihood function for the equation\n\n${x}_{t+1}=\\beta {x}_{t}+{ϵ}_{t+1},|\\beta |\\ge 1,$ (74)\n\nis the Cauchy distribution. This would not be true for a non-Bayesian solution. For that, the Dickey-Fuller test statistic would be operative .\n\n10.2. White’s Proof\n\nWhite in worked on this problem in the Likelihoodist school of thinking. As with Landon in , the form of his proof has a Bayesian interpretation allowing a simple conversion from Likelihoodist to Bayesian thinking.\n\n10.2.1. Assumptions and Simplifications\n\nWhite made some simplifying assumptions that would result in no loss of generality or which would simplify notation. In particular, the notation for the vector of observations is\n\n${x}^{\\prime }=\\left({x}_{1},{x}_{2},\\cdots ,{x}_{t}\\right).$ (75)\n\nThe variance of the error is one, that is\n\n${\\sigma }^{2}=1.$ (76)\n\nAdditionally, the initial value is zero, that is\n\n${x}_{0}=0.$ (77)\n\nThe summation operator is without subscript or superscript and sums from one to T where T is the last observation. Following Mann and Wald in the maximum likelihood estimator is\n\n$\\stackrel{^}{\\beta }=\\frac{\\sum \\text{ }\\text{ }{x}_{t}{x}_{t-1}}{\\sum \\text{ }\\text{ }{x}_{t-1}^{2}}.$ (78)\n\nSeveral simplifying notations exist for matrix relationships In particular several $T×T$ matrices are created. These are\n\n$P=\\left[\\begin{array}{cccccccc}1+{\\beta }^{2}& -\\beta & 0& 0& & & & \\\\ -\\beta & 1+{\\beta }^{2}& -\\beta & 0& & & & \\\\ 0& -\\beta & 1+{\\beta }^{2}& -\\beta & & & & \\\\ & & & & \\ddots & & & \\\\ & & & & & -\\beta & 1+{\\beta }^{2}& -\\beta \\\\ & & & & & 0& -\\beta & 1\\end{array}\\right],$ (79)\n\n$A=-\\frac{1}{2}\\left[\\begin{array}{ccccccc}2\\beta & -1& 0& & & & \\\\ -1& 2\\beta & -1& & & & \\\\ 0& -1& 2\\beta & & & & \\\\ & & & \\ddots & & & \\\\ & & & & -1& 2\\beta & -1\\\\ & & & & 0& -1& 0\\end{array}\\right],$ (80)\n\nand\n\n$B=\\left[\\begin{array}{ccccccc}1& 0& 0& & & & \\\\ 0& 1& 0& & & & \\\\ 0& 0& 1& & & & \\\\ & & & \\ddots & & & \\\\ & & & & 0& 1& 0\\\\ & & & & 0& 0& 0\\end{array}\\right].$ (81)\n\nThe joint distribution of ${x}^{\\prime }$ is\n\n$f\\left({x}^{\\prime }\\right)=\\frac{\\mathrm{exp}\\left(-\\frac{1}{2}{x}^{\\prime }Px\\right)}{{\\left(2\\text{π}\\right)}^{\\frac{T}{2}}}$ (82)\n\nand\n\n$\\stackrel{^}{\\beta }-\\beta =\\frac{{x}^{\\prime }Ax}{{x}^{\\prime }Bx}.$ (83)\n\nThe standard methods of finding the distribution due to Cramer in of $\\stackrel{^}{\\beta }-\\beta$ were shown by White in to diverge.\n\n10.2.2. Observations about White’s Proof\n\nWhite’s proof determines that the sampling distribution of the slope estimate is the Cauchy distribution for this case. His proof was to show that the limiting distribution of Equation (83) is the same as that found in Equation (17). $\\stackrel{^}{\\beta }$ is a form of sample mean and as seen above in Equation (33), this is a catastrophic failure.\n\nAlthough this is catastrophic for non-Bayesian methods, it is not a problem for Bayesian methods. In particular, the form of the proof used by White has a Bayesian interpretation.\n\nBecause standard methods diverge, White uses the product of the square root of Fisher information and the likelihood function to gather information about the sampling distribution. White’s test statistic reframed into Bayesian language is the posterior density function. A question arises from White’s use of ordinary least squares here.\n\nOrdinary least squares is a form of the sampling mean and as shown in Equation (33) would have the same sampling distribution of the set of all possible slopes. Although this provides no information at all about the location of the non-existent population mean, it does provide the likelihood of a set of slopes where $|R|>1$ . At least as important, the solution would work in a Bayesian setting for $R\\ge 1$ as it would still be the same ratio distribution.\n\n10.3. Other Than Independent, Uncorrelated Errors\n\nAlthough White’s proof works fine for independent, uncorrelated errors, the other likelihoods would apply in other cases, such as an absence of independent errors and methods such as instrumental variable regression would still be necessary in cases where that would be appropriate.\n\nThe likelihood depends on model assumptions.\n\n10.4. Log-Log Models\n\nFor the case where the distribution of errors in raw form would be the Cauchy distribution, or where the likelihood function would be the Cauchy distribution, it is already known that the hyperbolic secant distribution is the distribution of a logarithmic based model. This is obvious in the relationship between the cumulative density functions of the Cauchy and hyperbolic secant model.\n\nThe cumulative density function for the Cauchy distribution is\n\n$\\frac{1}{2}+ta{n}^{-1}\\left(\\frac{x-\\mu }{\\gamma }\\right),$ (84)\n\nwhile the cumulative density function for the hyperbolic secant distribution is\n\n$\\frac{2}{\\text{π}}ta{n}^{-1}\\left\\{exp\\left[\\frac{\\text{π}}{2}\\left(\\frac{x-\\mu }{\\sigma }\\right)\\right]\\right\\}.$ (85)\n\nThe link between the two distributions is that if $X~ℂ\\left(0,1\\right)$ and $Y=\\frac{2}{\\text{π}}log|X|$ , then $Y~ℍ\\mathbb{S}\\left(0,1\\right)$ .\n\nOrdinary Least Squares\n\nA peculiar issue exists resulting from this relationship. Consider a regression model like\n\n$y={\\beta }_{1}{x}_{1}+{\\beta }_{2}{x}_{2}+{\\beta }_{0}+ϵ,$ (86)\n\nwhere ${x}_{1}$ and ${x}_{2}$ are logarithmic transformations of data drawn from a Cauchy distribution. Because a logarithmic model was used the central limit theorem still holds and so a covariance matrix will exist for the errors if ordinary least squares is used, although the actual likelihood function would be\n\n$\\frac{1}{2\\gamma }\\text{sech}\\left[\\frac{\\text{π}}{2}\\left(\\frac{y-{\\stackrel{^}{\\beta }}_{1}{x}_{1}-{\\stackrel{^}{\\beta }}_{2}{x}_{2}-{\\stackrel{^}{\\beta }}_{0}}{\\gamma }\\right)\\right].$ (87)\n\nThe important element of Equation (87) is that adding dimensions does not add a covariance matrix. Neither the Cauchy distribution nor the hyperbolic secant distribution has a structure similar to a covariance matrix. This is also true for the vector version of this, should multiple equations be estimated. The scale parameter changes, of course, for each model, but variables do not covary.\n\nThis does not exclude all forms of comovement, just that comovement described by the definition of covariance. Because of this, while ${x}_{1}$ and ${x}_{2}$ do not covary, they are also not independent either. This begs the interpretation of the covariance matrix in ordinary least squares since it is an estimator for a set of parameters that do not exist.\n\n10.5. Example-Zimbabwe\n\nConsider the special case of Zimbabwe documented by Richardson in . Zimbabwe had been called the “jewel of Africa”, due to its extensive natural resources and its ability to feed its people. Zimbabwe had a difficult colonial history. In the 1890’s the colonial government seized native lands and trans- ferred them to white colonists for farming. The consequence of this was that 4500 hundred white families owned almost all commercial farmland, while 840,000 black farmers worked on communal farms. The Mugabe government decided to return “stolen” land to the black population, although almost none of the existing white farmers could trace their families to the original colonists as the land had subsequently changed hands .\n\nThe transfer happened without compensation and was transferred to individuals in small plots who lacked the infrastructure and skills to manage such a farm. The resulting economic collapse is still felt to this day.\n\nThe question would be how to model this. Fortunately, Bayesian theory provides a disciplined solution called Bayesian model selection. In Bayesian model selection, the model is considered a parameter.\n\nThere are several possible hypothesis prior to seeing the actual data. The first would be that Zimbabwe grew constantly throughout the entire period so that the model would be\n\n$Mode{l}_{1}=\\left\\{{y}_{t+1}={\\beta }_{0}{y}_{t}+{\\alpha }_{0}+{ϵ}_{t+1},{\\beta }_{0}\\ge 1,\\forall t\\right\\}.$ (88)\n\nA second model would be that Zimbabwe grew, then collapsed and never recovered. That model would be\n\n$Mode{l}_{2}=\\left\\{\\begin{array}{l}{y}_{t+1}={\\beta }_{1}{y}_{t}+{\\alpha }_{1}+{ϵ}_{t+1},{\\beta }_{1}\\ge 1,\\forall t (89)\n\nObviously one could continue partitioning the set of data into greater and greater numbers of subsets. The first model has three parameters to estimate. They are $Mode{l}_{1},{\\beta }_{0}$ and ${\\alpha }_{0}$ . The second model has six parameters to estimate, they are $Mode{l}_{2},{\\beta }_{1},{\\beta }_{2},{\\alpha }_{1},{\\alpha }_{2}$ and $k$ . This would be the conceptual equivalent to a structural break in Frequentist statistics except that a probability distribu- tion would be assigned to possible dates for the break.\n\nOf course one could continue this process adding a third growth process. This would necessitate the a distribution for the set $\\left\\{{k}_{0},{k}_{1},{k}_{1}>{k}_{0}\\right\\}$ . This would need to be facilitated by a contingent distribution for ${k}_{1}$ given a value of ${k}_{0}$ .\n\nAlthough this would seem to create a likelihood of overfitting the model to the data, the Bayesian posterior density naturally penalizes increased model struc- ture in a mathematically coherent manner. Coherence, in this case, implying that fair gambles could be placed on models by governments and organizations.\n\n10.6. Example-Calculating Dividends\n\nDividends are a stream of payments. How these payments are estimated depends entirely on the question being answered. Asking “what is the anticipated dividend of CNA Financial Corporation” is quite a different question from “what are the total dividends to be paid by all members of the Standard and Poors 500”. It is not credible to believe they would be estimated in the same manner as differing information governs.\n\nFor the case of CNA Financial Corporation, the dividend policy appears at various times in the disclosure filings with the Securities and Exchange Commission. Because CAN’s board of directors is subject to time inconsistency a peculiar Bayesian problem forms, one that cannot truly be solved in a non-Bayesian manner. In particular, the problem is that the solution should be subgame imperfect. This implies that any model solution must be invalid unless it considers alternative models in its construction and assigns them a positive probability of being used.\n\nA second problem would exist for CNA Financial. There always exists a positive probability the firm will suspend or not declare a cash dividend. So any dividend model must contain two components. The first is an estimate of the dividend, given one is declared, times the probability of declaration; the second element is a dividend of zero times the complementary probability.\n\nFinally, it is probably better to model dividends either as a dividend yield or as a function of accounting measures such as income or free cash flows as the alternative policy to the stated one of the board. While it is not possible to state a clear likelihood function without facing a specific problem, some general principles can be discussed.\n\nFirst, the modeler has to determine in advance whether they are seeking a point estimate or a distribution of estimates. If a distribution is sought then the Bayesian predictive distribution should govern the process.\n\nOn the other hand, if a point estimate is required, a cost function should be applied to the predictive distribution and a minimization of cost sought. This cost function should either be the true cost function of being wrong for the subjective actor, or the cost function of the marginal actor. For the marginal actor, in most cases, where the distribution is truncated at zero, the all-or- nothing cost function should be used. The logic behind has to do with an understanding of the marginal actor and the center of location.\n\nIf it is assumed that the marginal actor defines pricing in the system, then the price by the marginal actor is without “error”. That is to say; it sits at the center of location for the distribution function. For a truncated distribution, this is usually at the mode. The all-or-nothing cost function, when applied to a continuous distribution, will be minimized by choosing the modal value.\n\nFinally, if it is assumed that the dividends are being declared in an expanding economy or one with a fiat currency subject to persisting inflation, then it is also reasonable to believe that the likelihood function will be one without a defined mean.\n\n11. Including the Budget Constraint\n\nThe impact of the budget constraint has two obvious solutions. The first is to explicitly model the cost of liquidity in the capital markets. Work on this can be found in Abbott’s chapter on measures of discount for liquidity and marketa- bility . The second would be to observe that only the numerator of the reward is impacted as someone cannot have a reward for an asset that he or she does not own, ignoring short-sales. As such, there is a numerator only if a coun- ter-party has sufficient funds and is willing to expend them at the desired price. This changes the solution from the probability of a return to the probability of a return given the budget constraint is met times the probability the budget constraint of the counter-party will be met.\n\n11.1. Abbott’s Formulation of Liquidity\n\nAbbott in observes that the cost of liquidity is directly related to the half-life of the order size in the dealer’s account. From the buyer’s point of view, the price is marked up by a liquidity cost to the value normally called the ask. The seller receives a marked down price normally called the bid. For a single buy, where ${q}_{t}$ is the quantity for sale, then the markup factor would be\n\n$exp\\left(\\lambda {q}_{t}\\right),$ (90)\n\nwhile the mark-down factor for a sale would be\n\n$exp\\left(-\\lambda {q}_{t}\\right).$ (91)\n\nThis implies that you could rewrite prices as\n\n${p}_{t}=\\mathrm{exp}\\left(\\lambda {q}_{t}\\right){{p}^{\\prime }}_{t}$ (92)\n\nand\n\n${p}_{t+1}=\\mathrm{exp}\\left(-\\lambda {q}_{t+1}\\right){{p}^{\\prime }}_{t+1}.$ (93)\n\nReformulating definition 1, we arrive at\n\n${r}_{t}=\\frac{\\mathrm{exp}\\left(-{\\lambda }_{t+1}{q}_{t+1}\\right){{p}^{\\prime }}_{t+1}}{\\mathrm{exp}\\left({\\lambda }_{t}{q}_{t}\\right){{p}^{\\prime }}_{t}}.$ (94)\n\nIf ${q}_{t}={q}_{t+1}$ and ${\\lambda }_{t}q={\\lambda }_{t+1}$ , then from Section 7 then $\\lambda$ follows a normal distribution.\n\nBecause most people are really concerned with their net return, the real issue presented by Abbott in is considering the net effect after liquidity costs. This could be presented as\n\n${{r}^{\\prime }}_{t}=\\frac{{{p}^{\\prime }}_{t+1}}{{{p}^{\\prime }}_{t}}.$ (95)\n\nThis allows us to escape the question regarding the distribution of the individual terms by using regression. His work considers the impact of volume on the bid-ask spread. The advantage of this method is that it allows a net predictive distribution for planning purposes by institutional investors.\n\nAbbott in extends this discussion to discuss illiquidity or market failure. As $\\lambda$ becomes large, the probability of no counter-party trade increases. Conversely, volume increases $\\lambda$ becomes small. This permits a discussion of a net return, given a trade happens, multiplied by the probability of that trade happening, which of course is essential to Bayesian thinking.\n\nOf course, if one does not assume that ${q}_{t}={q}_{t+1}$ , then an explicit modeling of q has to happen as well. While this is stationary, it is outside of the scope of this article to explore how to model this.\n\n11.2. Survival Functions\n\nThere is a second way to model the budget constraint. If the market maker is willing to buy or sell an asset at a cost, then it is as if there were no budget constraint.\n\nIf there is no market maker willing to buy an asset, then a sell must be inside the budget of the possible counterparties. This budget constraint is unknown, so needs to be modeled as a stochastic budget constraint. Further, the budget constraint should be a moving value as the money supply and disposable income changes.\n\nFor an asset purchased at time t at a price ${p}_{t}$ , the sale at time $t+1$ depends on the existence of sufficient funds for a return to exist. Logistic regression is the logical function here, with two provisos. The first is that when the price is equal to zero, then there is a one hundred percent chance of a trade happening, while the second condition is that the probability of a trade goes to zero as price tends toward infinity.\n\n12. Discussion\n\nDecision making under uncertainty requires an understanding of how that uncertainty is structured. This article provides a framework to approach chance and uncertainty in outcomes when a reward or growth is anticipated. Equation (60) can be thought of as covering far more than only stocks. It includes any event where consumption is voluntarily deferred in the present, with the belief that the result will be a greater outcome in the future.\n\nVoluntary marriage, voluntary involvement in religion, childrearing, the growth of output, profits and other social phenomena are covered by this math. The math differs from the math for phenomena such as defensive wars, insurance or casino gambling, for which the existing economic methods were well suited. It provides a split between models with anticipated gains versus those with anticipated losses.\n\nThe differences between the math revolve around the center of location and the spread parameter. The well-behaved properties of the Gaussian distribution are not appropriate for this class of problems.\n\nThat the center of location for the truncated distribution is the mode and that no first moment exists should also bring mean-variance finance to an end. Although one could have expected this earlier with the theoretical and empirical papers of Mandelbrot, Fama, MacBeth, French, and Roll; this provides a mathematical reason to exclude mean-variance models from any further use. - At least in its current form, there is no longer any reason to continue to support the Fama-French model as an alternative hypothesis.\n\nIt may appear problematic that the expectation of returns cannot exist, this is not the case. Humans anticipate the future. Other normative methods, such as Bayesian decision theory are not impacted by this loss of a tool.\n\nA rather simple solution to avoid the headaches involved in the change in math is to note an expected utility exists for models with concave utility functions or doubly bounded reward distributions. The math excludes any discussion of risk-neutral pricing. It also eliminates the study of risk-loving behavior unless an additional item is added to the utility function such as a utility for engaging in activity or excitement. Alternatively, these can be studied by modeling returns as sufficient returns, making it a Bernoulli trial, rather than continuous returns.\n\nAdding constraints on modeling is not a bad thing. Understanding the distributions allows for an understanding of how humans have to approach problems. It is certain that risk-loving behavior exists and risk-neutral behavior may also exist. Since this is the case, humans are doing something to overcome this issue. The enormous amount of physical and human capital is a testament to this fact.\n\nWhile this may seem like many tools have been lost, a gain is observed. The catalog of unexplained anomalies may shrink to nothing as most of them were predicated on finite variance or at least a mean. Issues such as heteroskedasticity in models are gone because these distributions are askedastic. Economists can now redirect their efforts and attentions to retesting old models to see how they fare under the math and toward building new ones.\n\nSome issues are not yet understood now, however. An index, such as the Standard and Poors 500 is now a statistic, and it is a statistic with unknown mathematical properties. Historically, the properties did not matter because it was approximately a weighted mean in a system believed to be well covered by the properties of the central limit theorem. Those properties may now matter. Also, traded variants as unit investment trusts may have very different properties. At this time we do not know. The traded form is an observable real world contract with specified properties. Linkages may exist among the securities by the contract that may not exist without it.\n\nA new concept of comovment is required as well in order to understand regression. The method of ordinary least squares implies that a series is convergent. These are divergent time series. Capital is a source and not a sink by its very nature. A way of understanding the Cauchy distribution is as the solution to a pendulum problem. If X maps onto Y and both are drawn from a Cauchy distribution, then one could view regression as a double pendulum problem. Solving $Y|X$ since both are diverging implies that for a given value of X which could have been viewed as a movement of a pendulum, Y is drawn from a second pendulum attached to the end of the first.\n\nThe most that could be said of an equation such as $y=\\beta x+\\alpha$ where x and y are drawn from a Cauchy distribution is that fifty percent of the time $y\\ge \\beta x+\\alpha$ and half of the time $y<\\beta x+\\alpha$ . While, of course, a density could be provided this allows items at any given point to diverge while remaining linked. The simple concept of the Capital Asset Pricing Model that if $\\beta =2$ then if asset x increases by 1% then it is to be expected that asset y will increase by 2% is too strong of a statement here. The interpretation should instead be that fifty-percent of the time it should be the case that asset y will increase two or more percent and half of the time, it will not.\n\nAdditionally, the problem of local volatility, that is a variance over an interval of time is probably meaningless. For the univariate Cauchy distribution, the scale parameter describes the half-width at half-maximum. That is the points\n\n$Pr\\left(\\mu ±\\gamma \\right)=\\frac{1}{2}Pr\\left(\\mu \\right)$ (96)\n\nand\n\n$\\frac{1}{\\text{π}}{\\int }_{\\mu -\\gamma }^{\\mu +\\gamma }\\frac{\\gamma }{{\\gamma }^{2}+{\\left(x-\\mu \\right)}^{2}}=\\frac{1}{2}.$ (97)\n\nSpectral analysis would be required to determine how long one swing of the spectrum of returns would be. For shorter time periods is not clear how well one could predict the local, realized variability.\n\nAs mentioned in Section 3.4.2 there is no covariance matrix. Although there is a linkage between the separate scale parameters to the joint scale parameter in the multivariate case, it is not clear that this survives truncating the distribution for the limitation of liability. Further, by having a single scale parameter, errors are spherical. The implication is that the errors in growing economies linked by trade are altered by that trade. Errors cannot be independent.\n\nThis discussion is necessarily incomplete. Individuals with capital in their models will likely be reporting unexpected side effects for quite some time. New ways of thinking, verified by empirical observation, will emerge and the core tools of microeconomics will come to the rescue of researchers.\n\n13. Conclusions\n\nIt is time for a change. It has been for quite some time. Now that a method of constructing distributions is understood, it is time to ask the questions believed answered earlier. Markowitz asked how humans made the risk and reward trade off . This must be asked again. To this, we should also ask how the banking system impacts that process.\n\nKnowledge of the likelihood function allows individuals to build and test economic models in a rational manner and also allows economists to minimize the number of required assumptions. Likewise, other fields that work with data that grow exponentially are impacted, they also have the same tools available. This does create a pedagogic issue however for undergraduates.\n\nFor business students, it will be necessary to teach both Bayesian and non-Bayesian methods. Null hypothesis methods will still be vital in fields such as marketing and accounting and of occasional use to fields like economics or finance. Conversely, there will be times where Bayesian methods will be of great value to marketing or accounting. It is time to build a book larger than Fisher’s cookbook solution to problems. The twentieth century began with only Bayesian methods, and null hypothesis methods exploded in value and use. The twenty-first century will need to bring balance to the utilization of both systems of thinking.\n\nThe twenty-first century is a time where tremendous levels of information will become available. Students and practitioners should not be taught one method or another, but both with a clear theoretical grounding in when one method or another method should be used and the trade-off that is created by such.\n\nResearch should proceed on anything that impacts cash flows, risks to those cash flows and the operation of financial intermediation through liquidity and credit services. This implies that bankruptcy, merger and dividend risk for equity securities are meaningful contributions. Likewise, the linkage between accountancy and market decision-making is possibly far more significant than in previous times. Under an assumption of efficient returns, how accountancy impacts decision-making was less important. Now that importance is no longer understood. Research should also proceed into the marketability of assets.\n\nIt is quite possible that since initial public offerings would have to be at least as good as existing securities in the secondary market, that initial offerings set the pricing for the system, that is they are the marginally priced security. While the ninety-day. Treasury bill was the implicit marginal asset under mean- variance finance, it may not be. As it stands, we do not know. Hence, the study of marketability discounts and the study of private firms may be critical to studying market pricing. It may be bills, it may be new public securities or it may be private firms with limited marketability. It is time to look.\n\nImplicit in the research agenda above but at least as important is the study of governmental stability, the nature of policies and taxation. It is reasonable to believe that policy impacts returns, but how this happens is less than clear. Without an assumption of market efficiency for returns, the nature of this question changes fundamentally.\n\nThe important result from the Capital Asset Pricing Model, where net returns above the risk-free rate drive the process is no longer supported by the math, but we do not know what is supported by the math. The most basic trade-off questions need to be researched.\n\nThe research agenda is vast, and the distinction between fantasy and reality will only be settled with time, data and well-structured inference.\n\nAcknowledgements\n\nThe empirical work was performed while a student at West Virginia University. My thanks in particular to Ashok Abbott for his extraordinary patience and to my wife for hers. I would additionally like to thank Dr. Markowitz. He provided empirical articles on the topic to me and, of course, started economics down this path by asking the central questions in the first place along with Dr. Roy.\n\nAppendix: Cancer and Other Related Problems\n\nWhile this article was intended for use with models of capital, this, in fact, applies to anything that would grow at an exponential rate in the absence of a boundary condition. To provide a second example, consider the implications different distributions would have on cancer growth rates.\n\nAlthough cancer grows in three dimensions, as in Equation (35), the multi- variate equivalents to most of the univariate issues has not been solved. Viewing a tumor in one dimenion does allow a discussion of how those differing equa- tions would be interpreted. For example, if cancer growth rates were well modeled by Equation (26), then this would imply that the cells acted as if independent. On the other hand, if the growth rates were to behave as in Equa- tion (37), it would imply that the cells with the highest, or lowest, depending on what was being modeled, growth rates determined the overall growth rate of the system. It would imply heterogeneous growth rates within the tumor.\n\nEquation (45) would imply that the growth rates depended on some factor, possibly a signal or a switch, while Equation (49) would imply a system in disequilibrium rather than in homeostasis.\n\nAdditionally, regression of data in raw form would have a posterior density of the Cauchy distribution and the hyperbolic secant distribution in log-log form in the case of flat priors.\n\nBecause Bayesian model selection allows the testing of multiple distributions and models are not restricted to single dimension models as implied in this article, for a given medical problem, Bayesian model selection will provide information about the underlying nature of the relationships among cells.", null, "Submit or recommend next manuscript to SCIRP and we will provide best service for you:\n\nAccepting pre-submission inquiries through Email, Facebook, LinkedIn, Twitter, etc.\n\nA wide selection of journals (inclusive of 9 subjects, more than 200 journals)\n\nProviding 24-hour high-quality service\n\nUser-friendly online submission system\n\nFair and swift peer-review system\n\nEfficient typesetting and proofreading procedure\n\nDisplay of the result of downloads and visits, as well as the number of cited articles\n\nMaximum dissemination of your research work\n\nSubmit your manuscript at: http://papersubmission.scirp.org/\n\nOr contact jmf@scirp.org\n\nCite this paper: Harris, D. (2017) The Distribution of Returns. Journal of Mathematical Finance, 7, 769-804. doi: 10.4236/jmf.2017.73041.\nReferences\n\n   Markowitz, H. (1952) Portfolio Selection. The Journal of Finance, 7, 77-91.\n\n   Mandelbrot, B. (1963) The Variation of Certain Speculative Prices. The Journal of Business, 36, 394-419.\nhttps://doi.org/10.1086/294632\n\n   Fama, E.F. (1963) Mandelbrot and the Stable Paretian Hypothesis. Journal of Business, 36, 420-429.\nhttps://doi.org/10.1086/294633\n\n   Fama, E. (1965) The Behavior of Stock Market Prices. Journal of Business, 38, 34-105.\nhttps://doi.org/10.1086/294743\n\n   Fama, E.F. and Roll, R. (1968) Some Properties of Symmetric Stable Distributions. Journal of the American Statistical Association, 63, 817-836.\n\n   Fama, E.F. and Roll, R. (1971) Parameter Estimates for Symmetric Stable Distributions. Journal of the American Statistical Association, 66, 331-338.\nhttps://doi.org/10.1080/01621459.1971.10482264\n\n   Fama, E.F. and MacBeth, J.D. (1973) Risk, Return, and Equilibrium: Empirical Tests. The Journal of Political Economy, 81, 607-636.\nhttps://doi.org/10.1086/260061\n\n   Fama, E.F. and French, K.R. (2008) Dissecting Anomalies. The Journal of Finance, 63, 1653-1678.\nhttps://doi.org/10.1111/j.1540-6261.2008.01371.x\n\n   Yilmaz, B.Z. (2010) Completion, Pricing and Calibration in a Levy Market Model. Master’s Thesis, The Institute of Applied Mathematics of Middle East Technical University, Ankara.\n\n   Fama, E.F. and French, K.R. (1992) The Cross-Section of Expected Stock. The Journal of Finance, 47, 427-465.\nhttps://doi.org/10.1111/j.1540-6261.1992.tb04398.x\n\n   Harris, D. (2015) A Population Test of Distribution Assumptions in Mean-Variance Models for the Years 1925-2013. Working Paper at SSRN, Amsterdam.\n\n   Harris, D. (2016) Why Practitioners Should Use Bayesian Statistics. Working Paper at SSRN, Amsterdam.\n\n   Parmigiani, G. and Inoue, L. (2009) Decision Theory: Principles and Approaches. Wiley Series in Probability and Statistics, Chichester, 155-171.\nhttps://doi.org/10.1002/9780470746684\n\n   Jaynes, E.T. (2003) Probability Theory: The Language of Science. Cambridge University Press, Cambridge, 205-207.\nhttps://doi.org/10.1017/CBO9780511790423\n\n   Stigler, S.M. (1974) Studies in the History of Probability and Statistics. Xxxiii: Cauchy and the Witch of Agnesi: An Historical Note on the Cauchy Distribution. Biometrika, 61, 375-380.\nhttps://doi.org/10.1093/biomet/61.2.375\n\n   Koopman, B.O. (1936) On Distributions Admitting a Sufficient Statistic. Transactions of the American Mathematical Society, 39, 399-409.\nhttps://doi.org/10.1090/S0002-9947-1936-1501854-3\n\n   Rothenberg, T.J., Fisher, F.M. and Tilanus, C.B. (1964) A Note on Estimation from a Cauchy Sample. Journal of the American Statistical Association, 59, 460-463.\nhttps://doi.org/10.1080/01621459.1964.10482170\n\n   Bayes, T. (1764) An Essay towards solving a Problem in the Doctrine of Chances. Philosophical Transactions, 53, 370-418.\nhttps://doi.org/10.1098/rstl.1763.0053\n\n   Savage, L.J. (1954) The Foundations of Statistics. John Wiley & Sons, New York.\n\n   Cox, R.T. (1961) The Algebra of Probable Inference. Johns Hopkins University Press, Baltimore.\n\n   Markowitz, H. and Usmen, N. (1996) The Likelihood of Various Stock Market Return Distributions, Part 1: Principles of Inference. Journal of Risk and Uncertainty, 13, 207-219.\nhttps://doi.org/10.1007/BF00056153\n\n   Curtiss, J.H. (1941) On the Distribution of the Quotient of Two Chance Variables. Annals of Mathematical Statistics, 12, 409-421.\nhttps://doi.org/10.1214/aoms/1177731679\n\n   Gurland, J. (1948) Inversion Formulae for the Distribution of Ratios. The Annals of Mathematical Statistics, 19, 228-237.\nhttps://doi.org/10.1214/aoms/1177730247\n\n   Marsaglia, G. (1965) Ratios of Normal Variables and Ratios of Sums of Uniform Variables. Journal of the American Statistical Association, 60, 193-204.\nhttps://doi.org/10.1080/01621459.1965.10480783\n\n   Marsaglia, G. (2006) Ratios of Normal Variables. Journal of Statistical Software, 16, 1-10.\nhttps://doi.org/10.18637/jss.v016.i04\n\n   Mann, H. and Wald, A. (1943) On the Statistical Treatment of Linear Stochastic Difference Equations. Econometrica, 11, 173-200.\nhttps://doi.org/10.2307/1905674\n\n   White, J.S. (1958) The Limiting Distribution of the Serial Correlation Coefficient in the Explosive Case. The Annals of Mathematical Statistics, 29, 1188-1197.\nhttps://doi.org/10.1214/aoms/1177706450\n\n   Rao, M.M. (1961) Consistency and Limit Distributions of Estimators of Parameters in Explosive Stochastic Difference Equations. The Annals of Mathematical Statistics, 32, 195-218.\nhttps://doi.org/10.1214/aoms/1177705151\n\n   NIST (2012) Nist/Sematech E-Handbook of Statistical Methods.\nhttp://www.itl.nist.gov/div898/handbook/\n\n   Beckmann, P. (1964) Rayleigh Distribution and Its Generalizations. Radio Science Journal of Research, 68D, 92-932.\nhttps://doi.org/10.6028/jres.068D.092\n\n   Gull, S.F. (1988) Bayesian Inductive Inference and Maximum Entropy. Kluwer Academic Publishers, Berlin.\nhttps://doi.org/10.1007/978-94-009-3049-0_4\n\n   McCullaugh, P. (1992) Conditional Inference and Cauchy Models. Biometrika, 79, 547-559.\n\n   Burdzy, K. (1984) Excursions of Complex Brownian Motion. University of California, Berkeley.\n\n   Berger, J.O. (1980) Statistical Decision Theory, Foundations, Concepts, and Methods. Springer Series in Statistics, New York.\nhttps://doi.org/10.1007/978-1-4757-1727-3\n\n   Graham, B. (1973) The Intelligent Investor: A Book of Practical Counsel. 4th Edition, Harper and Row, New York, 18-22.\n\n   Landon, V.D. (1941) The Distribution of Amplitude with Time in Fluctuation Noise. Proceedings IRE, 29, 50-54.\nhttps://doi.org/10.1109/JRPROC.1941.233980\n\n   Dickey, D.A. and Fuller, W.A. (1979) Distribution of the Estimators for Autoregressive Time Series with a Unit Root. Journal of the American Statistical Association, 74, 427-431.\n\n   Cramer, H. (1946) Mathematical Methods in Statistics. Princeton University Press, Princeton.\n\n   Ding, P. (2014) Three Occurrences of the Hyperbolic-Secant Distribution. The American Statistician, 68, 32-35.\nhttps://doi.org/10.1080/00031305.2013.867902\n\n   Richardson, C.J. (2005) How the Loss of Property Rights Caused Zimbabwe’s Collapse. Cato Institute Economic Development Bulletin, 4, 1-4.\n\n   Abbott, A. (2009) Valuation Handbook: Measures of Discount for Lack of Marketability and Liquidity. Wiley Finance, Hoboken, 474-507.\n\nTop" ]
[ null, "https://html.scirp.org/file/14-1490569x261.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.9296009,"math_prob":0.99399453,"size":81218,"snap":"2021-04-2021-17","text_gpt3_token_len":17008,"char_repetition_ratio":0.16740955,"word_repetition_ratio":0.015443719,"special_character_ratio":0.21005195,"punctuation_ratio":0.10738838,"nsfw_num_words":1,"has_unicode_error":false,"math_prob_llama3":0.9988749,"pos_list":[0,1,2],"im_url_duplicate_count":[null,7,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-04-11T06:31:09Z\",\"WARC-Record-ID\":\"<urn:uuid:90e79e84-2f37-4596-8271-28ab93ce00e2>\",\"Content-Length\":\"338019\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:56c55b3f-c193-4a48-ab5d-26ed0460e07d>\",\"WARC-Concurrent-To\":\"<urn:uuid:e69716ee-2e7f-43c7-a380-e78dcc4fbb4e>\",\"WARC-IP-Address\":\"192.111.37.22\",\"WARC-Target-URI\":\"https://m.scirp.org/papers/78849\",\"WARC-Payload-Digest\":\"sha1:TM3RRIDL3XD3C7NOALVYB4GXBDY4K3TE\",\"WARC-Block-Digest\":\"sha1:GYL5Q63YR6SAMH4YQNHUBQ2TUPTHZX3R\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-17/CC-MAIN-2021-17_segments_1618038061562.11_warc_CC-MAIN-20210411055903-20210411085903-00327.warc.gz\"}"}
https://hsci3023.scipop.net/2016/03/07/thought-experiment-about-von-baeyer-and-ap-physics/
[ "# Thought Experiment about von Baeyer and AP Physics\n\n​In imagining von Baeyer as a high school student presenting an unpublished manuscript of his book, Warmth Disperses and Time Passes to the AP physics committee, I believe that it would be fair for him to receive AP physics credit. The very nature of physics rests upon the concept of motion. And thermodynamics is a massive branch of physics, which deals with motion and heat processes. One of the main reasons why I think any committee members would immediately dismiss von Baeyer’s manuscript is that they would probably think it is a simple history of thermodynamics, rather than a deeper study about concepts. However, I do think that von Baeyer demonstrates a clear understanding of thermodynamic and physics concepts. For example when von Baeyer talks about Einstein’s equation (e = mc^2), he tells us that “mass, denoted by m, is a measure of inertia – the tendency of things to resist being set in motion when they are at rest and to resist changes in velocity when they are moving” (von Baeyer 124). In this instance, von Baeyer clearly defines a variable in the equation, and demonstrates clear understanding of the concept of inertia by giving us good definition. Another example is when von Baeyer discusses Bernoulli’s billiard model for a gas. He explains that “at the same time the pressure, which is force per unit area, will suffer a further reduction by a factor of four on account of the fourfold increase in the area of each side” (von Baeyer 70). Here, von Baeyer defines what pressure is and he even demonstrates the understanding of the reciprocal relationship between pressure and volume, that is, while one variable increases the other decreases.  Lastly, I think von Baeyer demonstrates his best knowledge when he discusses physical constants. First, von Baeyer says that “like all subfields of physics, thermodynamics is characterized by certain constants whose values we measure but otherwise take for granted” (von Baeyer 164). Next, he explains that “the natural constant that takes the place of c and h in thermodynamics is Boltzmann’s constant k, which converts absolute temperature into molecular energy, and the logarithm of probability to entropy” (von Baeyer 164). Here, von Baeyer makes an excellent assessment about the nature of physics. Physics is full of physical constants that have been experimentally measured throughout time by physicists. He tells us about the speed of light (c) in Einstein’s equation and Planck’s constant (h) in quantum mechanics and then relates them both to a thermodynamic constant, k, which is Boltzmann’s constant. Then he tells about Boltzmann’s constant, saying it is measured “in the scientific units for energy over temperature (joules per kelvin),” and it “amounts to about ten trillionths of a trillionth – a number that is far beyond the pale of human imagination” (von Baeyer 164). Again, von Baeyer knows what the definition of the constant is and is able to relate it to other constants in another subfield of physics. To me, this proves that von Baeyer has a high enough understanding in physics for the AP physics level. He touched upon and was able to explain concepts in motion (inertia, relativity), the pressure/volume relationship, and thermodynamics (Boltzmann’s constant), rather than just tell the history of it." ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.9308918,"math_prob":0.93486696,"size":3353,"snap":"2023-14-2023-23","text_gpt3_token_len":700,"char_repetition_ratio":0.14631233,"word_repetition_ratio":0.0,"special_character_ratio":0.19743513,"punctuation_ratio":0.08552632,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9582007,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-05-28T00:22:27Z\",\"WARC-Record-ID\":\"<urn:uuid:d6b1eee3-aca5-4489-9edb-83c6c5a7b69f>\",\"Content-Length\":\"31528\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:30b4d93d-99d2-4eec-9624-ce7e21245df6>\",\"WARC-Concurrent-To\":\"<urn:uuid:b09b8141-69c7-48e1-8233-1a9a309c5518>\",\"WARC-IP-Address\":\"35.209.254.61\",\"WARC-Target-URI\":\"https://hsci3023.scipop.net/2016/03/07/thought-experiment-about-von-baeyer-and-ap-physics/\",\"WARC-Payload-Digest\":\"sha1:QUSE4YTIANCIL3OK4SWM7FQAROBMRZI3\",\"WARC-Block-Digest\":\"sha1:WHPKNMTATSCCH7T3BZNUOS7ZVSHW573H\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-23/CC-MAIN-2023-23_segments_1685224643388.45_warc_CC-MAIN-20230527223515-20230528013515-00264.warc.gz\"}"}
https://books.google.no/books?qtid=177e78ea&dq=editions:UOM39015067252117&lr=&id=xDADAAAAQAAJ&hl=no&output=html_text&sa=N&start=170
[ "Søk Bilder Maps Play YouTube Nyheter Gmail Disk Mer »\nLogg på\n Bøker Bok", null, "To a given straight line to apply a parallelogram, which shall be equal to a given triangle, and have one of its angles equal to a given rectilineal angle.", null, "The synoptical Euclid; being the first four books of Euclid's Elements of ... - Side 41\nav Euclides - 1853\nUten tilgangsbegrensning - Om denne boken", null, "## Annual Report\n\n1894\n...to two right tingles, the two straight lines shall be parallel. 12. To describe a parallelogram that shall be equal to a given triangle, and have one of its angles equal to а given angle. 13. Show without producing the side of a triangle that the sura of its three interior...\nUten tilgangsbegrensning - Om denne boken", null, "## Treatise on Conic Sections\n\nApollonius (of Perga.) - 1896 - 254 sider\n...properties aa presented by him. The problem in Euclid i. 44 is \" to apply to a given straight line a parallelogram which shall be equal to a given triangle...have one of its angles equal to a given rectilineal angle.\" The solution of this clearly gives the means of adding together or subtracting any triangles,...\nUten tilgangsbegrensning - Om denne boken", null, "## Report of the Secretary for Public Instruction ...\n\n...— (i.) (a + b)* = (a + b)a + (a + b)b. (ii.) (a + b) a = o1 + ab. 20 4. To a given straight line apply a parallelogram which shall be equal to a given triangle, and have one of its angles equal to n given angle. 20 5. If a straight line is divided into any two parts, the sum of the squares on the...\nUten tilgangsbegrensning - Om denne boken", null, "## Report of the Council of Public Instruction of the North-West Territories of ...\n\n...of the triangle thus formed with the original one. 6. (a) Show how to describe a parallelogram that shall be equal to a given triangle and have one of its angles equal to a given angle. I. 42. (b) If the angle be 90° what kind of parallelogram would be described ? (c) Describe...\nUten tilgangsbegrensning - Om denne boken", null, "## Mathematics: Mechanic's bids and estimates. Mensuration for beginners. Easy ...\n\nSeymour Eaton - 1899 - 340 sider\n...other parallelograms are equal besides the pair of complements ? Lesson No. 20 PROPOSITION 44. PROBLEM To a given straight line to apply a parallelogram,...have one of its angles equal to a given rectilineal angle. Let AB be the given straight line, and C the given triangle, and D the given rectilineal angle...\nUten tilgangsbegrensning - Om denne boken", null, "## Sessional Papers, Volum 32,Utgave 10\n\n1899\n...1. How to bisect a given rectilineal angle, give demonstration. 2. To describe a parallelogram that shall be equal to a given triangle, and have one of its angles equal to a given rectilineal angle. 3. If the bisectrix of two angles of a triangle are equal show that the triangle is isosceles....\nUten tilgangsbegrensning - Om denne boken", null, "## Annual Report of the Commissioners ..., Volum 65\n\n1899\n...accepted. Dr. MORAN, Head Inspector. Mr. PEDLOW, District Inspector. A. 1. To a given straight line apply a parallelogram which shall be equal to a given triangle, and have an angle equal to a given one. 2. Prove that the square on the difference of two lines is less than...\nUten tilgangsbegrensning - Om denne boken", null, "## A Text-book of Euclid's Elements for the Use of Schools, Books I.-IV., Bok 1\n\nHenry Sinclair Hall, Frederick Haller Stevens - 1900 - 304 sider\n...(ii) If KB, KD are joined, the triangle AKB is equal to the triangle AKD. PROPOSITION 44. PROBLEM. To a given straight line to apply a parallelogram...triangle, and have one of its angles equal to a given angle. Let AB be the given straight line, C the given triangle, and D the given angle. It is required...\nUten tilgangsbegrensning - Om denne boken", null, "## Examination Papers\n\nUniversity of Toronto - 1900\n...EUCLID. [AC McKAY, BA Examiners :-! A. ODELL. [W. PBENDERGAST, BA 1. Describe a parallelogram that shall be equal to a given triangle and have one of its angles equal to a given angle. (Euclid, Book I, Prop. 42.) 2. Prove that the square described on the hypotenuse of a right...\nUten tilgangsbegrensning - Om denne boken", null, "## Calendar\n\nUniversity of Sydney - 1900\n...logarithms to base 10 of 5, 6, 7, 8, 9. GEOMETRY. 1. Describe a parallelogram that shall be equal in area to a given triangle, and have one of its angles equal to a given angle. 2. The side AB of a triangle ABC is greater than the side AC ; shew that the median AX makes...\nUten tilgangsbegrensning - Om denne boken" ]
[ null, "https://books.google.no/googlebooks/quote_l.gif", null, "https://books.google.no/googlebooks/quote_r.gif", null, "https://books.google.no/books/content", null, "https://books.google.no/books/content", null, "https://books.google.no/books/content", null, "https://books.google.no/books/content", null, "https://books.google.no/books/content", null, "https://books.google.no/books/content", null, "https://books.google.no/books/content", null, "https://books.google.no/books/content", null, "https://books.google.no/books/content", null, "https://books.google.no/books/content", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.836815,"math_prob":0.9803779,"size":3266,"snap":"2021-43-2021-49","text_gpt3_token_len":869,"char_repetition_ratio":0.21551196,"word_repetition_ratio":0.2893401,"special_character_ratio":0.2740355,"punctuation_ratio":0.21447721,"nsfw_num_words":1,"has_unicode_error":false,"math_prob_llama3":0.99657375,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-10-24T17:24:44Z\",\"WARC-Record-ID\":\"<urn:uuid:e678b066-08e3-466e-b7bf-496547846fc1>\",\"Content-Length\":\"33043\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:4ddb62c0-de3f-4fd6-90bf-0c5b096f4d69>\",\"WARC-Concurrent-To\":\"<urn:uuid:7ad695dd-dc28-4554-9ffe-7c78ed6fec75>\",\"WARC-IP-Address\":\"172.217.164.142\",\"WARC-Target-URI\":\"https://books.google.no/books?qtid=177e78ea&dq=editions:UOM39015067252117&lr=&id=xDADAAAAQAAJ&hl=no&output=html_text&sa=N&start=170\",\"WARC-Payload-Digest\":\"sha1:F7W66QCVPGM3AFT3EMMUD2AS3TF3K3P7\",\"WARC-Block-Digest\":\"sha1:W3DYS2KXW6EUTUIL4RIV6VGRJAWIOAW5\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-43/CC-MAIN-2021-43_segments_1634323586043.75_warc_CC-MAIN-20211024142824-20211024172824-00397.warc.gz\"}"}
https://pdfcoffee.com/addition-mathematic-form-5-progression-module-1-pdf-free.html
[ "# Addition Mathematic form 5 Progression module 1\n\n##### Citation preview\n\nSPM\n\nMODULE 1 ARITHMETIC PROGRESSION ORGANISED BY:\n\nJABATAN PELAJARAN NEGERI PULAU PINANG\n\nCHAPTER 1: ARITHMETIC PROGRESSION CONTENTS\n\nPAGE 2\n\n1.1 Identify characteristics of arithmetic progression 1.2 Determine whether a given sequence is an arithmetic progression 1.3 Determine by using formula: a) specific terms in arithmetic progressions b) the number of terms in arithmetic progressions\n\n1.4\n\n1.5\n\nFind a) The sum of the first n terms of arithmetic progressions b) The sum of a specific number of consecutive terms of arithmetic progressions c) The value of n , given the sum of the first n terms of arithmetic progressions.\n\nSolve problems involving arithmetic progressions\n\nSPM QUESTIONS\n\n3\n\n4-5\n\n6\n\n7\n\n8-10\n\nASSESSMENT\n\n11-12\n\n2\n\n13\n\nPROGRESSIONS ( Arithmetic Progression) ARITHMETIC PROGRESSION\n\nThe sum of the first n term: Sn = ______________\n\nThe nth term : Tn = ___________\n\nor Sn = ______________\n\nor Tn = ___________\n\na = _______________ d = _______________ l = _______________ n = _______________\n\nFill in the blank\n\n1.1 Identify characteristics of arithmetic progression: EXERCISE 1: Complete each of the sequence below to form an arithmetic progression. a) 2, _____ , 8 , ______ , 14 , 17\n\n3\n\nb) -2 , -5 , ______ , -11 , ________ 1 c) -4, ______ , ______ , ,2 2 d) 2x -3 , 2x -1 , __________ , __________ , 2x + 5\n\n1.2 Determine whether a given sequence is an arithmetic progression EXERCISE 2 : 1.\n\nDetermine whether a given sequence below is an arithmetic progression. a)\n\n5 , 11 , 17 , 23 , ………..\n\n( ____________________ )\n\nb)\n\n-20 , -50 , -30 , -35 , ……….\n\n( ____________________ )\n\nc)\n\n1 , 4 , 9 , 16 , ………\n\n( ____________________ )\n\nd) 2.\n\n2x + y , 4x – y , 6x -3y , …… ( ____________________ )\n\nk +3 , 2k + 6 ,8 are the first three terms of an arithmetic progression,find the value of k.\n\nNote: If x,y and z are three terms of an arithmetic progression , y–x=z-y\n\nGiven that x 2 ,5 x, 7 x  4 are three consecutive terms of an arithmetic progression W\n\n3.\n\nhere x has a positive value. Find the value of x.\n\n4. Given that the first three terms of an arithmetic progression are 2 y, 3 y  3 and 5y+1 . Find the value of y.\n\n4\n\n1.3\n\nDetermine by using formula: a. specific terms in arithmetic progressions b. the number of terms in arithmetic progressions\n\nTn  a  (n  1)d EXERCISE 3: 2. Find the 11th term of the arithmetic progression. 5 3, , 2,........ 2\n\n1. Find the 9th term of the arithmetic progression. 2, 5 , 8 , ….. Solution: a=2 d = 5-2=3 T9  2  (9  1)3 = _______ 3. For the arithmetic progression 0.7, 2.1 , 3.5, ….. ,find the 5th term .\n\n4. Find the nth term of the arithmetic progression 1 4, 6 ,9,..... 2\n\n5. Find the 7th term of arithmetic progression k, 2k + 1, 3k+2, 4k+3,….\n\n6. Given that arithmetic progression 9 +6x , 9+4x, 9+2x, …… Find the 10th term.\n\n5\n\nEXERCISE 4:\n\n6\n\n1. Find the number of terms of the arithmetic progression\n\n2. For the arithmetic progression 5 , 8 , 11 , ……. Which term is equal to 320 ?\n\na) 4,9.14,….. ,64 Tn  64 4 + (n-1)5=64 4+ 5n-5 =64 5n=65 n= 13 b) -2, -7, -12, ……, -127 3. The sequence 121 , 116 , 111 , …. is an arithmetic progression. Find the first negative term in the progression.\n\n1 1 1 c) 1,1 ,1 ,......, 4 6 3 2\n\n4. Find the number of terms of the arithmetic progression a  2b,3a  3b,5a  4b,......, 23a  13b\n\nd) x  y, x  y, x  3 y,........., x  31 y\n\n1.4 Find a) the sum of the first n terms of arithmetic progressions. 7\n\nb) the sum of a specific number of consecutive terms of arithmetic progressions. c) the value of n , given the sum of the first n terms of arithmetic progressions.\n\nn  2a   n  1 d  2 n Sn =  a+ l  2 l= the n th term Sn \n\nor\n\nEXERCISE 5: 1. Find the sum of the first 12 terms of the arithmetic progression -10 , -7 , -4, ……\n\n2. Find the sum of all the terms of the arithmetic progression 38 , 31 , 24 , …., -18\n\n3. For the arithmetic progression 4. How many terms of the arithmetic -4 , 1 , 6 , …….find the sum of all 2, 8 , 13 ,18 , …… must be taken the terms from the 6th term to the 14th for the sum to be equal to 1575? term. Solution: Sum of all the terms from the 6th term to the 14th = S14  S5 = =\n\n1.5 Solve problems involving arithmetic progressions. EXERCISE 6:\n\n8\n\n1. The 5th and 9th of arithmetic progression are 4 and 16 respectively. Find the 15th term. Solution: T5  4\n\n2. The 2nd and 8th terms of an arithmetic progression are -9 and 3 respectively. Find a) the first term and the comman difference. b) the sum of 10 terms beginning from the 12th term.\n\na  (5  1)d  4 a  4d  4 ......(1) T9  16 a+(9-1)d=16 a+8d=16 ......(2) Solve simultaneous equation to find the value of a and d, then the 15th term.\n\n3. The sum of the first 6 terms of an arithmetic progression is 39 and the sum of the next 6 terms is -69. Find a) the first term and the common difference b) the sum of all the terms from the 15th term to the 25th term.\n\n4. The sum of the first n terms is given 2 by S n  6n  3n Find a) the nth term in terms of n b) the common difference\n\nSPM QUESTIONS:\n\n9\n\n1. 2003: Paper 1: (no. 7) The first three terms of an arithmetic progression are k  3, k  3, 2k  2 Find a) the value of k  3 marks  b) the sum of the first 9 terms of the progression\n\n2. 2004: Paper 1: ( no 10) Given an arithmetic progression -7, -3, 1, …. , state three consecutive terms in this  3 marks  progression which sum up to 75\n\n3. Paper 1: ( no. 11)\n\n10\n\nThe volume of water in a tank is 450 litres on the first day. Subsequently, 10 litres of water is added to the tank everyday. Calculate the volume , in litres , of water in the tank at the end of the 7th day.  2 marks\n\n4. 2005: Paper 1: (no. 11) The first three terms of an arithmetic progression are 5, 9, 13 Find a) the common difference of the progression b) the sum of the first 20 terms after the 3rd term.\n\n5. Paper 2 : ( Section A no.3) 11\n\n 4 marks\n\nDiagram 1 shows part of an arrangement of bricks of equal size.\n\nDiagram 1 The number of bricks in the lowest row is 100. For each of the rows, the number of bricks is 2 less than in the row below. The height of each bricks is 6 cm. Ali builds a wall by arranging bricks in this way. The number of bricks in the highest row is 4. Calculate a) the height , in cm, of the wall [ 3 marks ] b) the total price of the bricks used if the price of one brick is 40 sen. [ 3 marks ]\n\nASSESSMENT: 1. The sequence -13,-10,-7,……,128,131 is an arithmetic progression. Find\n\n12\n\na) the number of terms in the progression b) the sum of all the terms in the progression.\n\n2.\n\n3.\n\nGiven that k-1 , 2k – 4 and k +5 are the first three terms of arithmetic progression. Find the common difference.\n\nCalculate how many months it will take to repay a debt of RM5800 by monthly payment of RM100 initially with an increase of RM20 for each month after that.\n\n4. The 4th of an arithmetic progression is 18 and the sum of the first eight terms\n\n13\n\nof the progression is 124. Find a) the first term and the common difference b) the sum of all the terms from the 10th term to the 20th term.\n\n5.\n\nSum of the first ten of the arithmetic progression is 230 and sum of ten terms after that is 830. Find the first term and the common difference." ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.7211486,"math_prob":0.9979883,"size":8847,"snap":"2023-40-2023-50","text_gpt3_token_len":2968,"char_repetition_ratio":0.27185345,"word_repetition_ratio":0.12337295,"special_character_ratio":0.37639877,"punctuation_ratio":0.17930377,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9988367,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-12-08T13:08:35Z\",\"WARC-Record-ID\":\"<urn:uuid:3f8d28ca-1bae-4d9e-80a4-3f5d2e40548e>\",\"Content-Length\":\"40884\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:70caf517-460e-44f1-a65f-e18185ca7f23>\",\"WARC-Concurrent-To\":\"<urn:uuid:df658eb9-0ca0-443e-bef4-bb79042f1aac>\",\"WARC-IP-Address\":\"104.21.48.152\",\"WARC-Target-URI\":\"https://pdfcoffee.com/addition-mathematic-form-5-progression-module-1-pdf-free.html\",\"WARC-Payload-Digest\":\"sha1:FLFWAORJU7MLBKHJFSRJNUIPLN562BRM\",\"WARC-Block-Digest\":\"sha1:AZC3AKDMZ66GABMMB7UNP5N2VJKKH3QD\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-50/CC-MAIN-2023-50_segments_1700679100745.32_warc_CC-MAIN-20231208112926-20231208142926-00859.warc.gz\"}"}
https://jp.mathworks.com/help/fusion/ug/object-tracking-using-time-difference-of-arrival.html
[ "# Object Tracking Using Time Difference of Arrival (TDOA)\n\nThis example shows how to track objects using time difference of arrival (TDOA). This example introduces the challenges of localization with TDOA measurements as well as algorithms and techniques that can be used for tracking single and multiple objects with TDOA techniques.\n\n### Introduction\n\nTDOA positioning is a passive technique to localize and track emitting objects by exploiting the difference of signal arrival times at multiple, spatially-separated receivers. Given a signal emission time (${\\mathit{t}}_{\\mathit{e}}$) from the object and the propagation speed ($\\mathit{c}$) in the medium, the time-of-arrival (TOA) of the signal at 2 receivers located at ranges ${\\mathit{r}}_{\\text{\\hspace{0.17em}}1}\\text{\\hspace{0.17em}}$and ${\\mathit{r}}_{\\text{\\hspace{0.17em}}2}$ respectively from the object can be denoted as:\n\n`$\\begin{array}{l}{\\mathit{t}}_{1\\text{\\hspace{0.17em}}}={\\mathit{t}}_{\\mathit{e}}+\\frac{{\\mathit{r}}_{1\\text{\\hspace{0.17em}}}}{\\mathit{c}}\\\\ {\\mathit{t}}_{2\\text{\\hspace{0.17em}}}={\\mathit{t}}_{\\mathit{e}}+\\frac{{\\mathit{r}}_{2}}{\\mathit{c}}\\end{array}$`\n\nAs the true signal emission time is typically not known, a difference between ${\\mathit{t}}_{1\\text{\\hspace{0.17em}}}$and ${\\mathit{t}}_{2\\text{\\hspace{0.17em}}}$can be used to obtain some information about the location of an object. Specifically, given the location of each receiver, the time-difference measurement corresponds to a difference in ranges from the two receivers to the unknown object.\n\n`$\\sqrt{{\\left({\\mathit{x}}_{\\mathit{t}}-{\\mathit{x}}_{1}\\right)}^{2\\text{\\hspace{0.17em}}}+{\\left({\\mathit{y}}_{\\mathit{t}}-{\\mathit{y}}_{1\\text{\\hspace{0.17em}}}\\right)}^{2\\text{\\hspace{0.17em}}}{\\text{\\hspace{0.17em}}+\\text{\\hspace{0.17em}}\\left({\\mathit{z}}_{\\mathit{t}}-{\\mathit{z}}_{1\\text{\\hspace{0.17em}}}\\right)}^{2}}-\\sqrt{{\\left({\\mathit{x}}_{\\mathit{t}}-{\\mathit{x}}_{2}\\right)}^{2\\text{\\hspace{0.17em}}}+{\\left({\\mathit{y}}_{\\mathit{t}}-{\\mathit{y}}_{2\\text{\\hspace{0.17em}}}\\right)}^{2\\text{\\hspace{0.17em}}}{\\text{\\hspace{0.17em}}+\\text{\\hspace{0.17em}}\\left({\\mathit{z}}_{\\mathit{t}}-{\\mathit{z}}_{2\\text{\\hspace{0.17em}}}\\right)}^{2}}=\\mathit{c}\\left({\\mathit{t}}_{1}-{\\mathit{t}}_{2\\text{\\hspace{0.17em}}}\\right)$`\n\nwhere $\\left[{\\mathit{x}}_{\\mathit{t}}\\text{\\hspace{0.17em}}{\\mathit{y}}_{\\mathit{t}\\text{\\hspace{0.17em}}}\\text{\\hspace{0.17em}}{\\mathit{z}}_{\\mathit{t}\\text{\\hspace{0.17em}}}\\right]$ is the unknown object location, ${\\mathit{t}}_{1}-{\\mathit{t}}_{2\\text{\\hspace{0.17em}}}$ is the TDOA measurement, and $\\left[{\\mathit{x}}_{1\\text{\\hspace{0.17em}}}{\\mathit{y}}_{1}\\text{\\hspace{0.17em}}{\\mathit{z}}_{1\\text{\\hspace{0.17em}}}\\right]$, $\\left[{\\mathit{x}}_{2\\text{\\hspace{0.17em}}}{\\mathit{y}}_{2}\\text{\\hspace{0.17em}}{\\mathit{z}}_{2\\text{\\hspace{0.17em}}}\\right]$ are the locations of two receivers. This non-linear relationship between TDOA and object location represents a hyperbola in 2-D or a hyperboloid in 3-D coordinates with two receivers at the foci. The image below shows the hyperbolae of an object for different TDOA measurements ($\\mathit{c}$ = speed of light). These curves are typically called constant TDOA curves. Notice that using the sign of a TDOA measurement, you can constrain the object location to a single branch of the hyperbola.\n\n`HelperTDOATrackingExampleDisplay.plotConstantTDOACurves;`", null, "#### TDOA Calculation\n\nThere are two primary methods used to calculate the TDOA measurement from the signal of an object. In the first method, each receiver measures the absolute time instant of signal arrival (time-of-arrival or TOA) as defined by ${\\mathit{t}}_{\\mathit{i}\\text{\\hspace{0.17em}}}$above. A difference in time-of-arrivals between two receivers is then calculated to obtain the TDOA measurement. This method is applicable when certain signal attributes are known a-priori and the leading edge of the signal can be detected by the receiver.\n\n`${\\mathrm{TDOA}}_{12\\text{\\hspace{0.17em}}}={\\mathrm{TOA}}_{2\\text{\\hspace{0.17em}}}-{\\mathrm{TOA}}_{1\\text{\\hspace{0.17em}}}$`\n\nIn the second method, each receiver records and transmits the received signal to a shared processing hub. A cross-correlation between signals received from two receivers is calculated at the processing hub. The TDOA is estimated to be the delay which maximizes the cross-correlation between the two signals.\n\n`${\\mathrm{TDOA}}_{12\\text{\\hspace{0.17em}}}=\\underset{\\mathit{t}\\in \\left[-{\\mathit{T}}_{\\mathrm{max}}\\text{\\hspace{0.17em}}{\\mathit{T}}_{\\mathrm{max}}\\text{\\hspace{0.17em}}\\right]}{\\mathrm{argmax}}\\left(\\left[{\\mathit{S}}_{1\\text{\\hspace{0.17em}}}\\star {\\mathit{S}}_{2}\\right]\\left(\\mathit{t}\\right)\\right)$`\n\nwhere $\\left[{\\mathit{S}}_{1\\text{\\hspace{0.17em}}}\\star {\\mathit{S}}_{2}\\right]\\left(\\mathit{t}\\right)$ represents the cross-correlation between the signals at receivers as a function of time delay, $\\mathit{t}$. ${\\mathit{T}}_{\\mathrm{max}}$ is the maximum possible absolute delay and can be calculated as $\\frac{\\mathit{D}}{\\mathit{c}\\text{\\hspace{0.17em}}}$, where $\\mathit{D}$ is the distance between the receivers.\n\nBoth methods of TDOA calculation require synchronized clocks at the receivers. In practical applications, you typically achieve this using the Global Positioning System (GPS) clock.\n\n#### TDOA Localization\n\nAs the TDOA between two receivers localizes an object to a hyperbola or hyperboloid, it is not possible to observe the full state of the object by using only two stationary receivers. For 2-D localization, at least 3 spatially-separated receivers are required to estimate the object state. Similarly, for 3-D tracking, at least 4 spatially-separated receivers are required.\n\nWith $\\mathit{N}\\text{\\hspace{0.17em}}\\left(\\mathit{N}\\ge 2\\right)$ receivers, a total of $\\mathit{N}\\left(\\frac{\\mathit{N}-1}{2\\text{\\hspace{0.17em}}}\\right)$ TDOA measurements from an object can be obtained by calculating the time difference of arrival using each combination of receiver. However, out of these measurements, only $\\mathit{N}-1\\text{\\hspace{0.17em}}$measurements are independent and the rest of the TDOA measurements can be formulated as a linear combination of these independent measurements. Given these $\\mathit{N}-1$ measurements from the object, an estimation algorithm is typically used to locate the position of the object. In this example, you use the spherical intersection algorithm to find the position and uncertainty in position estimate. The spherical intersection algorithm assumes that all $\\mathit{N}-1$ TDOAs are calculated with respect to the same receiver, sometimes referred to as the reference receiver.\n\nThe accuracy or uncertainty in the estimated position obtained from localization depends on the geometry of the network. At regions, where small errors in TDOA measurements results in large errors in estimated position, the accuracy of the estimated position is lower. This effect is called geometric dilution of precision (GDOP). The image below shows the GDOP heat map of the network geometry for a 2-D scenario with 3 receivers. Note that the accuracy is high within the envelope generated by the network and is lowest directly behind the receivers along the receiver-to-receiver line of sights.\n\n`HelperTDOATrackingExampleDisplay.plotGDOPAccuracyMap;`", null, "### Tracking a Single Emitter\n\nIn this section, you simulate TDOA measurements from a single object and use them to localize and track the object in the absence of any false alarms and missed detections.\n\nYou define a 2-D scenario using the helper function, `helperCreateSingleTargetTDOAScenario`. This function returns a `trackingScenarioRecording` object representing a single object moving at a constant velocity. This object is observed by three stationary, spatially-separated receivers. The helper function also returns a matrix of two columns representing the pairs formed by the receivers. Each row represents the `PlatformID` of the platforms that form the TDOA measurement.\n\n```% Reproducible results rng(2021); % Setup scenario with 3 receivers numReceivers = 3; [scenario, rxPairs] = helperCreateSingleTargetTDOAScenario(numReceivers);```\n\nYou then use the helper function, `helperSimulateTDOA,` to simulate TDOA measurements from the objects. The helper function allows you to specify the measurement accuracy in the TDOA. You use a measurement accuracy of 100 nanoseconds to represent timing inaccuracy in the clocks as well as TDOA estimation. The emission speed and units of the reported time are speed of light in vacuum and nanoseconds respectively, specified using the `helperGetGlobalParameters` function. The `helperSimulateTDOA` function outputs TDOA detections as a cell array of `objectDetection` objects.\n\n```tdoaDets = helperSimulateTDOA(scenario, rxPairs, measNoise); % Specify measurement noise variance (nanosecond^2) ```\n\nEach TDOA detection is represented using the `objectDetection` according to the following format:", null, "Next, you run the scenario and generate TDOA detections from the object. You use the helper function, `helperTDOA2Pos`, to estimate the position and position covariance of the object at every step using the spherical intersection algorithm . You further filter the position estimate of the object using a global nearest neighbor (GNN) tracker configured using the `trackerGNN` System object™ with a constant-velocity linear Kalman filter. To account for the high speed of the object, this constant velocity Kalman filter is configured using the helper function, `helperInitHighSpeedKF`.\n\n```% Define accuracy in measurements measNoise = (100)^2; % nanoseconds^2 % Display object display = HelperTDOATrackingExampleDisplay(XLimits=[-1e4 1e4],... YLimits=[-1e4 1e4],... LogAccuracy=true,... Title=\"Single Object Tracking\"); % Create a GNN tracker tracker = trackerGNN(FilterInitializationFcn=@helperInitHighSpeedKF,... AssignmentThreshold=100); while advance(scenario) % Elapsed time time = scenario.SimulationTime; % Simulate TDOA detections without false alarms and missed detections tdoaDets = helperSimulateTDOA(scenario, rxPairs, measNoise); % Get estimated position and position covariance as objectDetection % objects posDet = helperTDOA2Pos(tdoaDets,true); % Update the tracker with position detections tracks = tracker(posDet, time); % Display results display(scenario, rxPairs, tdoaDets, {posDet}, tracks); end```\n\nNotice that the tracker is able to maintain a track on the object. The the estimated position of the object lies close to the intersection of hyperbolic curves created by each receiver pair. Also notice in the zoomed plot below that the filtered estimate of the object has less uncertainty as compared to the fused estimate at every step. As the object moves towards positive X axis, the error in estimated position increases due to geometric dilution of precision. Notice that the tracker is able to provide an improved estimate of the object by filtering the position estimate of the object using the Kalman filter with constant velocity motion model.\n\n`zoomOnTrack(display,tracks(1).TrackID);`", null, "", null, "`plotDetectionVsTrackAccuracy(display);`", null, "### Tracking Multiple Emitters with Known IDs\n\nIn the previous section, you learned how to use TDOA measurements from a single object to generate positional measurement of the object. In practical situations, the scenario may consist of multiple objects.\n\nThe main challenge in multi-object TDOA tracking is the estimation of TDOA for each target. In the presence of multiple objects, each receiver receives signals from multiple objects. In the first method for TDOA calculation, each receiver records multiple time-of-arrival measurements. The unknown data association between time-of-arrival measurements reported by each receiver results in many possible TDOA combinations. In the second method of TDOA calculation, the signal cross-correlation function between receiver signals results in multiple peaks corresponding to true objects as well as false alarms. In certain applications, this unknown data association between receivers can be easily solved at the signal level. For example, if the signal encoding is known a-priori, such as in wireless communications signals like LTE, 5G signals or aviation communication signals like ADSB signals, the receiver is typically able to calculate both the time-of-arrival and the unique identity of the object. Similarly, if the objects are separated in their carrier frequencies, a separate TDOA calculation can be added for each object in their own frequency bands.\n\nIn this section, you assume that signal-level data association is performed at the receiver. This helps the processing hub to form TDOA measurements per identified object without ambiguity. To simulate TDOA measurements with known emitter identification, you provide a fourth input argument to the helper function, `helperSimulateTDOA`. The function outputs the unique identity of the emitter as the `objectClassID` property of the `objectDetection` object. You use this object identity, shared between TDOAs from multiple receiver-pairs, to fuse detections from each object separately and obtain their respective positions as well as uncertainties. Then, you use these fused measurements to track these objects using the GNN tracker.\n\n```% Create the multiple object scenario numReceivers = 3; numObjects = 4; [scenario, rxPairs] = helperCreateMultiTargetTDOAScenario(numReceivers, numObjects); % Reset display release(display); display.LogAccuracy = false; display.Title = 'Tracking Multiple Emitters with Known IDs'; % Release tracker release(tracker); while advance(scenario) % Elapsed time time = scenario.SimulationTime; % Simulate classified TDOA detections classifiedTDOADets = helperSimulateTDOA(scenario, rxPairs, measNoise, true); % Find unique object identities tgtIDs = cellfun(@(x)x.ObjectClassID,classifiedTDOADets); uniqueIDs = unique(tgtIDs); % Estimate the position and covariance of each emitter as objectDection posDets = cell(numel(uniqueIDs),1); for i = 1:numel(uniqueIDs) thisEmitterTDOADets = classifiedTDOADets(tgtIDs == uniqueIDs(i)); posDets{i} = helperTDOA2Pos(thisEmitterTDOADets, true); end % Update tracker tracks = tracker(posDets, time); % Update display display(scenario, rxPairs, classifiedTDOADets, posDets, tracks); end```", null, "Note that the tracker is able to maintain a track on all 4 objects when TDOA-to-TDOA association is assumed to be known. When the data association is provided by the receivers, the multi-object TDOA estimation is simplified to generating multiple TDOA detections with known single-object associations. The multi-object tracking problem is similarly simplified because there are no false TDOA detections.\n\n### Tracking Multiple Emitters with Unknown IDs\n\nIn this section, you assume that data association between receiver data is not known a-priori i.e., receivers cannot identify objects. In the absence of this data association, each intersection between blue and maroon hyperbolic curves shown in the plot from the Tracking Multiple Emitters with Known IDs section could be a possible object location. Therefore, when data association is not available from the receivers, associating time-of-arrival (TOA) or TDOA detections from multiple receivers is prone to detections from ghost objects. To separate the ghost detections from true object detections, you must add more receivers to reduce the ambiguity. In this section, you will use a static fusion algorithm to determine the unknown data association and estimate position measurements from each object. You will use this static fusion algorithm for systems that transmit multiple time-of-arrival measurements to the processing hub as well as systems that transmit recorded signals to the hub and calculates TDOA before processing them for object tracking.\n\n#### Tracking with Time-of-Arrival (TOA) Measurements\n\nIn this section, you configure a system in which each receiver transmits multiple time of arrival (TOA) measurements to the central processing hub. To reduce ambiguity in data association and to reduce the number of potential ghost objects, you use 4 stationary receivers to localize and track the objects.\n\nTo simulate time-of-arrival measurements from the objects, you use the helper function, `helperSimulateTOA`, to simulate time-of-arrival measurements from multiple objects. These time-of-arrival measurements record the exact time instant in a global reference clock at which the signal was received by the receivers. To simulate exact time instants, the helper function uses the scenario time as the global clock time and assumes that the objects emit signals at the time instant of scenario. Note that the algorithm used to track with these measurements is not tied to this assumption as the exact emission time from the object is not known to the receivers.\n\nYou specify the `nFalse` input as 1 to simulate one false time-of-arrival measurement from each receiver. You also specify the `Pd` input, which defines the probability of detecting a true time-of-arrival measurement by each receiver, as 0.95.\n\n```toaDets = helperSimulateTOA(scenario, receiverIDs, measNoise, nFalse, Pd); % receiverIDs - PlatformID of all receivers % measNoise - Accuracy in TOA measurements (ns^2) % nFalse - number of false alarms per receiver % Pd - Detection probability for receivers ```\n\nHere is the format of time-of-arrival (TOA) detections.", null, "To fuse multiple time-of-arrival measurements from each receiver, you use the static fusion algorithm by configuring a `staticDetectionFuser` object. The `staticDetectionFuser` object determines the best data association between time of arrival measurements and provides fused detections from possible objects. The static fusion algorithm requires two sub routines or functions. The first function (`MeasurementFusionFcn`) allows the algorithm to estimate a fused measurement from object, given a set of time-of-arrival measurements assumed to originate from the same object. The second function (`MeasurementFcn`) allows the algorithm to obtain the expected time-of-arrival measurement from the fused measurement. Note that to define a measurement function to obtain time-of-arrival measurement, the fused measurement must contain an estimate of the signal emission time from the object. Therefore, you define the fused measurement as $\\left[{\\mathit{x}}_{\\mathit{t}}\\text{\\hspace{0.17em}}{\\mathit{y}}_{\\mathit{t}\\text{\\hspace{0.17em}}}\\text{\\hspace{0.17em}}{\\mathit{z}}_{\\mathit{t}}\\text{\\hspace{0.17em}}{\\mathit{t}}_{\\mathit{e}}\\right]$, where ${\\mathit{t}}_{\\mathit{e}}$ is the time instant at which the object emitted the signal.\n\nYou use the helper function, `helperTOA2Pos`, to estimate fused measurement - position and emission time - of the object. You also use the helper function, `helperMeasureTOA`, to define the measurement model that calculates time-of-arrival measurement from the fused measurement. The fusion algorithm outputs fused detections as a cell array of `objectDetection` objects. Each element of the cell array defines an `objectDetection` object containing measurement from a potential object as its position and emission time. You can speed-up this static fusion algorithm by specifying the `UseParallel` property to `true`. Specifying `UseParallel` as `true` requires the Parallel Computing Toolbox™.\n\n```% Create scenario [scenario, ~, receiverIDs] = helperCreateMultiTargetTDOAScenario(4, 4); % Specify stastics of TOA simulation measNoise = 1e4; % 100 ns per receiver nFalse = 1; % 1 false alarm per receiver per step Pd = 0.95; % Detection probability of true signal % Release display release(display); display.Title = 'Tracking Using TOA Measurements with Unknown IDs'; % Release tracker release(tracker); tracker.ConfirmationThreshold = [4 6]; % Use Parallel Computing Toolbox if available useParallel = false; % Define fuser. toaFuser = staticDetectionFuser(MaxNumSensors=4,... MeasurementFormat='custom',... MeasurementFcn=@helperMeasureTOA,... MeasurementFusionFcn=@helperTOA2Pos,... FalseAlarmRate=1e-8,... DetectionProbability=Pd,... UseParallel=useParallel); while advance(scenario) % Current time time = scenario.SimulationTime; % Simulate TOA detections with false alarms and missed detections toaDets = helperSimulateTOA(scenario, receiverIDs, measNoise, Pd, nFalse); % Fuse TOA detections to estimate position amd emission time of % unidentified and unknown number of emitters. [posDets, info] = toaFuser(toaDets); % Remove emission time before feeding detections to the tracker as it % is not tracked in this example. for i = 1:numel(posDets) posDets{i}.Measurement = posDets{i}.Measurement(1:3); posDets{i}.MeasurementNoise = posDets{i}.MeasurementNoise(1:3,1:3); end % Update tracker. The target emission is assumed at timestamp, time. % The timestamp of the detection's is therefore time plus signal % propagation time. The tracker timestamp must be greater than % detection time. Use time + 0.05 here. In real-world, this is % absolute timestamp at which tracker was updated. tracks = tracker(posDets, time + 0.05); % Update display % Form TDOA measurements from assigned TOAs for visualization tdoaDets = helperFormulateTDOAs(toaDets,info.Assignments); display(scenario, receiverIDs, tdoaDets, posDets, tracks); end```", null, "Notice that the fuser algorithm is able to estimate the position of the object accurately most of the time. However, due to the presence of false alarms and missed measurements, the fusion algorithm may pick a wrong data association at some steps. This can lead to detections from ghost intersections. The tracker assists the static fusion algorithm by discarding these wrong associations as false alarms.\n\n#### Tracking with Time-difference-of-Arrival (TDOA) Measurements\n\nIn this section, you configure the tracking algorithm for a system where TDOAs are formed from the receiver-pairs from multiple objects without any emitter identification. The calculation of TDOA from receiver pairs in a multi-object scenario may generate a few false alarms due to false peaks in the cross-correlation function. To simulate the TDOA measurements from such system, you increase the number of false alarms per receiver pair to 2.\n\nThe static fusion algorithm is configured similar to the previous section by using the `staticDetectionFuser` object. In contrast to the time-of-arrival fusion, here you use the measurement fusion function, `helperFuseTDOA`, to fuse multiple TDOAs into a fused measurement. You also use the helper function, `helperMeasureTDOA`, to define the transformation from fused measurement to TDOA measurement. As TDOA measurements do not contain or need information about the true signal emission time, you define the fused measurement as $\\left[{\\mathit{x}}_{\\mathit{t}}\\text{\\hspace{0.17em}}{\\mathit{y}}_{\\mathit{t}\\text{\\hspace{0.17em}}}\\text{\\hspace{0.17em}}{\\mathit{z}}_{\\mathit{t}}\\text{\\hspace{0.17em}}\\right]$. You set the `MaxNumSensors` to 3 as four receivers form three TDOA pairs.\n\n```% Create scenario [scenario, rxPairs] = helperCreateMultiTargetTDOAScenario(4, 4); % Measurement statistics measNoise = 1e4; % 100 ns per receiver nFalse = 2; % 2 false alarms per receiver pair Pd = 0.95; % Detection probability per receiver pair % Release display release(display); display.Title = 'Tracking Using TDOA Measurements with Unknown IDs'; % Release tracker release(tracker); % Define fuser. tdoaFuser = staticDetectionFuser(MaxNumSensors=3,... MeasurementFormat='custom',... MeasurementFcn=@helperMeasureTDOA,... MeasurementFusionFcn=@helperTDOA2Pos,... DetectionProbability=Pd,... FalseAlarmRate=1e-8,... UseParallel=useParallel); while advance(scenario) % Current elapsed time time = scenario.SimulationTime; % Simulate TDOA detections with false alarms and missed detections tdoaDets = helperSimulateTDOA(scenario, rxPairs, measNoise, false, Pd, nFalse); % Fuse TDOA detections to esimate position detections of unidentified % and unknown number of emitters posDets = tdoaFuser(tdoaDets); % Update tracker with position detections if ~isempty(posDets) tracks = tracker(posDets, time); end % Update display display(scenario, receiverIDs, tdoaDets, posDets, tracks); end```", null, "With the defined measurement statistics in this example, the tracker maintains tracks on all the objects based on this network geometry. The geometry of the problem, the measurement accuracy, as well as the number of false alarms all have major impacts on the data association accuracy of the static fusion algorithm for both the TOA and TDOA systems with unknown data association. For the scenario used in this example, the static fusion algorithm was able to report true detections at sufficient time instants to maintain a track on true objects.\n\n### Summary\n\nIn this example, you learned how to track single object as well as multiple objects using TDOA measurements. You learned about the challenges associated with multi-object tracking without emitter identification from the receivers and used a static fusion algorithm to compute data association at the measurement level.\n\n### References\n\n Smith, Julius, and Jonathan Abel. \"Closed-form least-squares source location estimation from range-difference measurements.\" IEEE Transactions on Acoustics, Speech, and Signal Processing 35.12 (1987): 1661-1669.\n\n Sathyan, T., A. Sinha, and T. Kirubarajan. \"Passive geolocation and tracking of an unknown number of emitters.\" IEEE Transactions on Aerospace and Electronic Systems 42.2 (2006): 740-750.\n\n### Supporting Functions\n\nThis section defines a few supporting functions used in this example. The complete list of helper functions can be found in the current working directory.\n\n`helperTDOA2Pos`\n\n```function varargout = helperTDOA2Pos(tdoaDets, reportDetection) % This function uses the spherical intersection algorithm to find the % object position from the TDOA detections assumed to be from the same % object. % % This function assumes that all TDOAs are measured with respect to the % same reference sensor. % % [pos, posCov] = helperTDOA2Pos(tdoaDets) returns the estimated position % and position uncertainty covariance. % % posDetection = helperTDOA2Pos(tdoaDets, true) returns the estimate % position and uncertainty covariance as an objectDetection object. if nargin < 2 reportDetection = false; end % Collect scaling information params = helperGetGlobalParameters; emissionSpeed = params.EmissionSpeed; timeScale = params.TimeScale; % Location of the reference receiver referenceLoc = tdoaDets{1}.MeasurementParameters(2).OriginPosition(:); % Formulate the problem. See for more details d = zeros(numel(tdoaDets),1); delta = zeros(numel(tdoaDets),1); S = zeros(numel(tdoaDets),3); for i = 1:numel(tdoaDets) receiverLoc = tdoaDets{i}.MeasurementParameters(1).OriginPosition(:); d(i) = tdoaDets{i}.Measurement*emissionSpeed/timeScale; delta(i) = norm(receiverLoc - referenceLoc)^2 - d(i)^2; S(i,:) = receiverLoc - referenceLoc; end % Pseudo-inverse of S Swstar = pinv(S); % Assemble the quadratic range equation STS = (Swstar'*Swstar); a = 4 - 4*d'*STS*d; b = 4*d'*STS*delta; c = -delta'*STS*delta; Rs = zeros(2,1); % Imaginary solution, return a location outside coverage if b^2 < 4*a*c varargout{1} = 1e10*ones(3,1); varargout{2} = 1e10*eye(3); return; end % Two range values Rs(1) = (-b + sqrt(b^2 - 4*a*c))/(2*a); Rs(2) = (-b - sqrt(b^2 - 4*a*c))/(2*a); % If one is negative, use the positive solution if prod(Rs) < 0 Rs = Rs(Rs > 0); pos = 1/2*Swstar*(delta - 2*Rs(1)*d) + referenceLoc; else % Use range which minimize the error xs1 = 1/2*Swstar*(delta - 2*Rs(1)*d); xs2 = 1/2*Swstar*(delta - 2*Rs(2)*d); e1 = norm(delta - 2*Rs(1)*d - 2*S*xs1); e2 = norm(delta - 2*Rs(2)*d - 2*S*xs2); if e1 > e2 pos = xs2 + referenceLoc; else pos = xs1 + referenceLoc; end end % If required, compute the uncertainty in the position if nargout > 1 || reportDetection posCov = helperCalcPositionCovariance(pos,tdoaDets,timeScale,emissionSpeed); end if reportDetection varargout{1} = objectDetection(tdoaDets{1}.Time,pos,'MeasurementNoise',posCov); else varargout{1} = pos; if nargout > 1 varargout{2} = posCov; end end end function measCov = helperCalcPositionCovariance(pos,thisDetections,timeScale,emissionSpeed) n = numel(thisDetections); % Complete Jacobian from position to N TDOAs H = zeros(n,3); % Covariance of all TDOAs S = zeros(n,n); for i = 1:n e1 = pos - thisDetections{i}.MeasurementParameters(1).OriginPosition(:); e2 = pos - thisDetections{i}.MeasurementParameters(2).OriginPosition(:); Htdoar1 = (e1'/norm(e1))*timeScale/emissionSpeed; Htdoar2 = (e2'/norm(e2))*timeScale/emissionSpeed; H(i,:) = Htdoar1 - Htdoar2; S(i,i) = thisDetections{i}.MeasurementNoise; end Pinv = H'/S*H; % Z is not measured, use 1 as the covariance if Pinv(3,3) < eps Pinv(3,3) = 1; end % Insufficient information in TDOA if rank(Pinv) >= 3 measCov = eye(3)/Pinv; else measCov = inf(3); end % Replace inf with large number measCov(~isfinite(measCov)) = 100; % Return a true symmetric, positive definite matrix for covariance. measCov = (measCov + measCov')/2; end```\n\n`helperInitHighSpeedKF`\n\n```function filter = helperInitHighSpeedKF(detection) % This function initializes a constant velocity Kalman filter and sets a % higher initial state covariance on velocity components to account for % high speed of the object vehicles. filter = initcvkf(detection); filter.StateCovariance(2:2:end,2:2:end) = 500*eye(3); end```\n\n`helperTOA2Pos`\n\n```function [posTime, posTimeCov] = helperTOA2Pos(toaDetections) % This function computes the position and emission time of a target given % its time-of-arrival detections from multiple receivers. % % Convert TOAs to TDOAs for using spherical intersection [tdoaDetections, isValid] = helperTOA2TDOADetections(toaDetections); % At least 3 TOAs (2 TDOAs) required. Some TOA pairings can lead to an % invalid TDOA (> maximum TDOA). In those situations, discard the tuple by % using an arbitrary position with a large covariance. if numel(tdoaDetections) < 2 || any(~isValid) posTime = 1e10*ones(4,1); posTimeCov = 1e10*eye(4); else % Get position estimate using TDOA fusion. % Get time estimate using calculated position. if nargout > 1 % Only calculate covariance when requested to save time [pos, posCov] = helperTDOA2Pos(tdoaDetections); [time, timeCov] = helperCalcEmissionTime(toaDetections, pos, posCov); posTime = [pos;time]; posTimeCov = blkdiag(posCov,timeCov); else pos = helperTDOA2Pos(tdoaDetections); time = helperCalcEmissionTime(toaDetections, pos); posTime = [pos;time]; end end end```\n\nhelperCalcEmissionTime\n\n```function [time, timeCov] = helperCalcEmissionTime(toaDetections, pos, posCov) % This function calculates the emission time of an object given its % position and obtained TOA detections. It also computes the uncertainty in % the estimate time. globalParams = helperGetGlobalParameters; emissionSpeed = globalParams.EmissionSpeed; timeScale = globalParams.TimeScale; n = numel(toaDetections); emissionTime = zeros(n,1); emissionTimeCov = zeros(n,1); for i = 1:numel(toaDetections) % Calculate range from this receiver p0 = toaDetections{i}.MeasurementParameters.OriginPosition(:); r = norm(pos - p0); emissionTime(i) = toaDetections{i}.Measurement - r/emissionSpeed*timeScale; if nargout > 1 rJac = (pos - p0)'/r; rCov = rJac*posCov*rJac'; emissionTimeCov(i) = rCov./emissionSpeed^2*timeScale^2; end end % Gaussian merge each time and covariance estimate time = mean(emissionTime); if nargout > 1 e = emissionTime - time; timeCov = mean(emissionTimeCov) + mean(e.^2); end end```\n\n`helperMeasureTOA`\n\n```function toa = helperMeasureTOA(posTime, params) % This function calculates the expected TOA at a receiver given an object % position and emission time and the receiver's measurement parameters % (OriginPosition) globalParams = helperGetGlobalParameters; emissionSpeed = globalParams.EmissionSpeed; timeScale = globalParams.TimeScale; r = norm(posTime(1:3) - params.OriginPosition); toa = posTime(4) + r/emissionSpeed*timeScale; end```\n\n`helperMeasureTDOA`\n\n```function toa = helperMeasureTDOA(pos, params) % This function calculates the expected TDOA measurement given object % position and measurement parameters of a TDOA detection globalParams = helperGetGlobalParameters; emissionSpeed = globalParams.EmissionSpeed; timeScale = globalParams.TimeScale; r1 = norm(pos(1:3) - params(1).OriginPosition); r2 = norm(pos(1:3) - params(2).OriginPosition); toa = (r1 - r2)/emissionSpeed*timeScale; end```" ]
[ null, "https://jp.mathworks.com/help/examples/fusion/win64/ObjectTrackingUsingTDOAExample_01.png", null, "https://jp.mathworks.com/help/examples/fusion/win64/ObjectTrackingUsingTDOAExample_02.png", null, "https://jp.mathworks.com/help/examples/fusion/win64/ObjectTrackingUsingTDOAExample_03.png", null, "https://jp.mathworks.com/help/examples/fusion/win64/ObjectTrackingUsingTDOAExample_04.png", null, "https://jp.mathworks.com/help/examples/fusion/win64/ObjectTrackingUsingTDOAExample_05.png", null, "https://jp.mathworks.com/help/examples/fusion/win64/ObjectTrackingUsingTDOAExample_06.png", null, "https://jp.mathworks.com/help/examples/fusion/win64/ObjectTrackingUsingTDOAExample_07.png", null, "https://jp.mathworks.com/help/examples/fusion/win64/ObjectTrackingUsingTDOAExample_08.png", null, "https://jp.mathworks.com/help/examples/fusion/win64/ObjectTrackingUsingTDOAExample_09.png", null, "https://jp.mathworks.com/help/examples/fusion/win64/ObjectTrackingUsingTDOAExample_10.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.80301136,"math_prob":0.98767954,"size":29190,"snap":"2023-14-2023-23","text_gpt3_token_len":6732,"char_repetition_ratio":0.18282738,"word_repetition_ratio":0.046333004,"special_character_ratio":0.20613223,"punctuation_ratio":0.13738085,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9917392,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20],"im_url_duplicate_count":[null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-06-01T05:22:43Z\",\"WARC-Record-ID\":\"<urn:uuid:4dd6fd74-d866-4e91-8790-387a09c44dcb>\",\"Content-Length\":\"137969\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:a764a264-39c9-43fa-b3b4-82ccbbeae87b>\",\"WARC-Concurrent-To\":\"<urn:uuid:bcd6cde0-4d50-4df5-9eff-64afef27e8f8>\",\"WARC-IP-Address\":\"23.63.224.60\",\"WARC-Target-URI\":\"https://jp.mathworks.com/help/fusion/ug/object-tracking-using-time-difference-of-arrival.html\",\"WARC-Payload-Digest\":\"sha1:7QPYM4APXVMGG6ZKMF2Z2VTMMZPSUIFP\",\"WARC-Block-Digest\":\"sha1:EYJQJZT42CPMOU5AJTH2UBMLPCNIQ5BC\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-23/CC-MAIN-2023-23_segments_1685224647614.56_warc_CC-MAIN-20230601042457-20230601072457-00623.warc.gz\"}"}
https://www.cut-the-knot.org/WhatIs/Infinity/TransferPrinciple.shtml
[ "# The Transfer Principle\n\nReal R and hyperreal numbers R* are two models of the same first order theory, meaning that any (first-order) statement true in one is true in the other.\n\nEvery natural number n > 1 has a predecessor: (∀n > 1)(∃m)(m + 1 = n). When interpreted in N*, the statement asserts that every hypernatural number, except 1, has a predecessor, implying, in particular, that there is no smallest infinite number.\n\nNot every statement that holds in N holds in N*. One example is the principle of mathematical induction:\n\n∀M⊂N[(1∈M ∧ ∀k(k∈M⇒(k+1)∈M)] ⇒ M = N.\n\nThe analog of that in N* would mean that\n\n∀M⊂N*[(1∈M ∧ ∀k(k∈M⇒(k+1)∈M)] ⇒ M = N*\n\nwhich clearly fails for M = N because N is a proper subset of N*.\n\nEven more obviously not every statement that holds in N* holds in N. For example,\n\n∃ω∈N*∀n∈N (ω > n),\n\nwhich claims the existence of infinitely large numbers has no analog in N.\n\n... to be continued ...\n\n### References\n\n1. Leif Arkeryd, The Evolution of Nonstandard Analysis, The American Mathematical Monthly, Vol. 112, No. 10 (Dec., 2005), pp. 926-928\n2. J. M. Henle, E. M. Kleinberg, Infinitesimal Calculus, Dover, 2003\n3. K. Ito, Nonstandard Analysis, in Encyclopedic Dictionary of Mathematics, v. 1, MIT Press, Press, 2000 (fourth printing), pp. 1100-1103\n4. A. Robinson, Non-standard Analysis, Princeton University Press (Rev Sub edition), 1996", null, "Back to What Is Infinity?", null, "" ]
[ null, "https://www.cut-the-knot.org/gifs/tbow_sh.gif", null, "https://www.cut-the-knot.org/gifs/tbow_sh.gif", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.79417986,"math_prob":0.934707,"size":1758,"snap":"2021-31-2021-39","text_gpt3_token_len":531,"char_repetition_ratio":0.096921325,"word_repetition_ratio":0.013986014,"special_character_ratio":0.28896472,"punctuation_ratio":0.18130311,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9894178,"pos_list":[0,1,2,3,4],"im_url_duplicate_count":[null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-07-28T18:24:34Z\",\"WARC-Record-ID\":\"<urn:uuid:039383f6-a551-4f67-870c-9dd89555247e>\",\"Content-Length\":\"13702\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:a89bc003-bd9e-4c67-92b0-4e02ea8e7c6a>\",\"WARC-Concurrent-To\":\"<urn:uuid:3624b39e-ee9d-4b08-b9cd-a4a60775dc15>\",\"WARC-IP-Address\":\"107.180.50.227\",\"WARC-Target-URI\":\"https://www.cut-the-knot.org/WhatIs/Infinity/TransferPrinciple.shtml\",\"WARC-Payload-Digest\":\"sha1:UAEZ6OP6JTXBFSF7NULCYEYODDZB4UL7\",\"WARC-Block-Digest\":\"sha1:WBBO3GOL6OT7COCE7SVIKLBLMWPDWYCD\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-31/CC-MAIN-2021-31_segments_1627046153739.28_warc_CC-MAIN-20210728154442-20210728184442-00632.warc.gz\"}"}
https://fluent.docs.pyansys.com/release/0.12/api/solver/tui/report/dpm_histogram/set/index.html
[ "# solver.tui.report.dpm_histogram.set#\n\nEnters the settings menu for the histogram.\n\nauto_range(*args, **kwargs)#\n\nAutomatically computes the range of the sampling variable for histogram plots.\n\ncorrelation(*args, **kwargs)#\n\nComputes the correlation of the sampling variable with another variable.\n\ncumulation_curve(*args, **kwargs)#\n\nComputes a cumulative curve for the sampling variable or correlation variable when correlation? is specified.\n\ndiameter_statistics(*args, **kwargs)#\n\nComputes the Rosin Rammler parameters, Sauter, and other mean diameters.\n\nhistogram_mode(*args, **kwargs)#\n\nUses bars for the histogram plot or xy-style.\n\nlogarithmic(*args, **kwargs)#\n\nEnables/disables the use of logarithmic scaling on the abscissa of the histogram.\n\nmaximum(*args, **kwargs)#\n\nSpecifies the maximum value of the x-axis variable for histogram plots.\n\nminimum(*args, **kwargs)#\n\nSpecifies the minimum value of the x-axis variable for histogram plots.\n\nnumber_of_bins(*args, **kwargs)#\n\nSpecifies the number of bins.\n\npercentage(*args, **kwargs)#\n\nUses percentages of bins to be computed.\n\nvariable_power_3(*args, **kwargs)#\n\nUse the cubic of the cumulation variable during computation of the cumulative curve. When the particle mass was not sampled, the diameter can be used instead.\n\nweighting(*args, **kwargs)#\n\nUses weighting with additional variables when sorting data into samples." ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.6942102,"math_prob":0.9268743,"size":990,"snap":"2022-40-2023-06","text_gpt3_token_len":191,"char_repetition_ratio":0.18559837,"word_repetition_ratio":0.08571429,"special_character_ratio":0.17272727,"punctuation_ratio":0.12643678,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.96900713,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-02-06T08:36:03Z\",\"WARC-Record-ID\":\"<urn:uuid:7966422b-6ab9-4299-8f14-571ba1127e39>\",\"Content-Length\":\"434672\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:7c33a8c7-bbd0-4710-8df2-c86cd663c2e7>\",\"WARC-Concurrent-To\":\"<urn:uuid:895d1501-7fc9-4cce-847e-98fc66f9a127>\",\"WARC-IP-Address\":\"185.199.111.153\",\"WARC-Target-URI\":\"https://fluent.docs.pyansys.com/release/0.12/api/solver/tui/report/dpm_histogram/set/index.html\",\"WARC-Payload-Digest\":\"sha1:NQEKSDCFKRJIW6W2VK2DB3TUXICMBYBZ\",\"WARC-Block-Digest\":\"sha1:B2I3TYFTDTIE46GER6MORP6A7LMKJ5NI\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-06/CC-MAIN-2023-06_segments_1674764500334.35_warc_CC-MAIN-20230206082428-20230206112428-00428.warc.gz\"}"}
https://downloads.hindawi.com/journals/ijp/2015/968024.xml
[ "IJP International Journal of Photoenergy 1687-529X 1110-662X Hindawi Publishing Corporation 10.1155/2015/968024 968024 Research Article A Model for Hourly Solar Radiation Data Generation from Daily Solar Radiation Data Using a Generalized Regression Artificial Neural Network http://orcid.org/0000-0002-0140-7123 Khatib Tamer 1 http://orcid.org/0000-0001-6401-2658 Elmenreich Wilfried 2 Van Sark Wilfried G. J. H. M. 1 Department of Energy Engineering and Environment An-Najah National University Nablus State of Palestine najah.edu 2 Institute of Networked and Embedded Systems University of Klagenfurt 9020 Klagenfurt Austria uni-klu.ac.at 2015 13102015 2015 29 06 2015 13 09 2015 13102015 2015 Copyright © 2015 Tamer Khatib and Wilfried Elmenreich. This is an open access article distributed under the Creative Commons Attribution License, which permits unrestricted use, distribution, and reproduction in any medium, provided the original work is properly cited.\n\nThis paper presents a model for predicting hourly solar radiation data using daily solar radiation averages. The proposed model is a generalized regression artificial neural network. This model has three inputs, namely, mean daily solar radiation, hour angle, and sunset hour angle. The output layer has one node which is mean hourly solar radiation. The training and development of the proposed model are done using MATLAB and 43800 records of hourly global solar radiation. The results show that the proposed model has better prediction accuracy compared to some empirical and statistical models. Two error statistics are used in this research to evaluate the proposed model, namely, mean absolute percentage error and root mean square error. These values for the proposed model are 11.8% and −3.1%, respectively. Finally, the proposed model shows better ability in overcoming the sophistic nature of the solar radiation data.\n\n1. Introduction\n\nSolar energy is the portion of the sun’s energy available at the earth’s surface for useful applications, such as raising the temperature of water or exciting electrons in a photovoltaic cell, in addition to supplying energy to natural processes. This energy is free, clean, and abundant in most places throughout the year. Its effective harnessing and use are of importance to the world, especially at a time of high fossil fuel costs and degradation of the atmosphere by the use of fossil fuels. Solar radiation data provide information on how much of the sun’s energy strikes a location on the earth’s surface during a particular time period. These data are needed for effective research into solar energy utilization .\n\n2. Hourly Solar Radiation Data Mining\n\nPredicting of hourly solar radiation using statistical model.\n\n2.1. Empirical Models for Calculating Mean Hourly Solar Radiation\n\nAccording to the literature, there are some empirical models developed for calculating hourly solar radiation from daily solar radiation. In , Liu and Jordan proposed the following to calculate hourly solar radiation:(1)GhGD=π/24cosω-cosωssinωs-2πωs/360cosωs,where Gh is the mean hourly solar radiation, GD is the mean daily solar radiation, ω is the hour angle, and ωs is the sunset hour angle.\n\nThe hour angle (ω) is the angular displacement of the sun from the local point and it is given by the following:(2)ω=15AST-12hour,where AST is the apparent or true solar time and it is given by the daily apparent motion of the true, or observed, sun. AST is based on the apparent solar day, which is the interval between two successive returns of the sun to the local meridian. Apparent solar time can be calculated as follows:(3)AST=LST+EoT+4mindegreeLSMT-LOD,where LST is the local standard time, LOD is the longitude, LSMT is the local standard meridian time, and EoT is the equation of time.\n\nThe local standard meridian (LSMT) is a reference meridian used for a particular time zone and is similar to the prime meridian, used for Greenwich Mean Time. LSMT is given by the following:(4)LSMT=15°TimezoneinGMT.In the meanwhile, the equation of time (EoT) is the difference between apparent and mean solar times, both taken at a given longitude at the same real instant of time. EoT is given by the following:(5)EoT=9.87sin2B-7.53cosB-1.5sinB,where B is a factor and it can be calculated by(6)B=360°365N-81,where N is the day number and it is defined as the number of days elapsed in a given year up to a particular date (e.g., 2nd February corresponds to 33).\n\nIn addition to that, in , the authors presented a correlation between Gh and GD according to Figure 1 as follows:(18)GhGD=a+bt+ct2,where a, b, and c are coefficients that can be determined by any curve fitting tool. However, the drawback of this model is that it is a location dependent model whereas such a type of models is devoted to a specific region. This is because the coefficients a, b, and c are calculated based on a specific solar radiation profile.\n\nIn addition, in , statistical model for calculating hourly global solar radiation on horizontal surface was developed. This model represents the hourly solar radiation as a function of extraterrestrial solar radiation as well as a sky transmission function. The proposed sky transmission function is presented as two transmission functions indicating the daily and the hourly variation. At this point, the hourly and the daily transmission variation functions are estimated as statistical relations in terms of day number, hour of the day, and location latitude and longitude based on ground measurements of environmental parameters for a specific location. After all, the inputs of the model were the hour of day, day number, optimized sky transmission function, solar constant, and location coordination. The main drawback of this work is that the relations proposed for the daily and hourly transmission functions are location dependent. Moreover, the utilized extraterrestrial solar radiation data are based on satellite measurements which might not be accurate. More statistical methods were provided. In , a model for generating hourly solar radiation as a function of the clearness index is proposed. The development of the model is based on an assumption that the relation between clearness index values and solar radiation can be described by a Gaussian function. In the meanwhile, in , the authors proposed a trigonometrical function for predicting daily solar radiation values from monthly solar radiation values.\n\n2.2. Proposed Generalized Regression Artificial Neural Network Model\n\nArtificial neural networks, ANNs, are nonalgorithmic and intensely parallel information processing systems. They learn the relationship between input and output variables by mastering previously recorded data. An ANN usually consists of parallel elemental units called neurons. Neurons are connected by a large number of weighted links which pass signals or information. A neuron receives and combines inputs and then generates the final results in a nonlinear operation. The term ANN usually refers to a Multilayer Perceptron (MLP) Network; however, there are many other types of neural networks, including Probabilistic Neural Networks (PNNs), General Regression Neural Networks (GRNNs), Radial Basis Function (RBF) Networks, Cascade Correlation, Functional Link Networks, Kohonen networks, Gram-Charlier networks, Learning Vector Quantization, Hebb networks, Adaline networks, Heteroassociative networks, Recurrent Networks, and Hybrid Networks .\n\nANNs have recently been used to predict the amount of solar radiation based on meteorological variables such as sunshine ratio, temperature, and humidity . However, up to now, no one has used ANNs to find the correlation between mean hourly solar radiation and mean daily solar radiation. Therefore, in this paper, a generalized regression artificial neural network (GRNN) is proposed for this purpose. The GRNN is the most recommended type of ANN for solar radiation prediction according to Khatib et al. in . The generalized regression neural network (GRNN) is a probabilistic based network. This network makes classification where the target variable is definite, and GRNNs make regression where the target variable is continuous. GRNN falls into the category of PNNs. This neural network, like other PNNs, needs only a fraction of the training samples an MLP would need. The additional knowledge needed to obtain the fit in a satisfying way is relatively small and can be done without additional input by a user. This makes GRNNs a useful tool for performing prediction and comparison of system performance in practice. The probability density function used in GRNNs is the normal distribution. Each training sample, Xj, is used as the mean of a normal distribution function given by the following:(19)yx=t=1nYiexp-Di2/2σ2t=1nexp-Di2/2σ2Di2=X-XiT·X-Xi.Di is the distance between the training sample and the point of prediction; it is used as a measure of how well each training sample represents the position of prediction, X. If the distance, Di, between the training sample and the point of prediction is small, exp(-Di2/2σ2) becomes larger. For Di=0, exp(-Di2/2σ2) becomes 1.0 and the point of evaluation is represented best by this training sample. A larger distance to all the other training samples causes the term exp(-Di2/2σ2) to become smaller and therefore the contribution of the other training samples to the prediction is relatively small. The term Yiexp(-Di2/2σ2) for the ith training sample is the largest and contributes strongly to the prediction. The standard deviation or smoothness parameter, s, is subjected to a search. For a large smoothness parameter, the possible representation of the point of evaluation by the training sample is possible for a wider range of X. For a small smoothness parameter, the representation is limited to a narrow range of X.\n\nGRNNs consist of input, hidden, and output layers. The input layer has one neuron for each predictor variable. The input neurons standardize the range of values by subtracting the median and dividing by the interquartile range. The input neurons then feed the values to each of the neurons in the hidden layer. In the hidden layer, there is one neuron for each case in the training data set. The neuron stores the values of the predictor variables for each case, along with the target value. When presented with a vector of input values from the input layer, a hidden neuron computes the Euclidean distance of the test case from the neuron’s center point and then applies the RBF kernel function using the sigma value. The resulting value is passed to the neurons in the pattern layer. However, the pattern (summation) layer has two neurons: one is the denominator summation unit and the other is the numerator summation unit. The denominator summation unit adds the weights of the values coming from each of the hidden neurons. The numerator summation unit adds the weights of the values multiplied by the target value for each hidden neuron. The decision layer divides the value accumulated in the numerator summation unit by the value in the denominator summation unit and uses the result as the predicted target value .\n\nBased on the previous models ((1), (9), and (11)), it is clear that the hourly solar radiation value is a function of parameters such as mean daily solar radiation, hour angle, and sunset/sunrise hour angle. Based on this, the GRNN illustrated in Figure 2 is proposed for estimating mean hourly solar radiation. The input layer of the network has three inputs: mean daily solar radiation, hour angle, sunset hour angle. Meanwhile, the output layer has one node which is mean hourly solar radiation.\n\nProposed model for hourly solar radiation prediction.\n\nWith regard to the number of neurons in the hidden layer, there is no way to determine the optimal number of hidden neurons without training several networks and estimating the generalization error of each. A low number of hidden neurons cause high training and generalization error due to underfitting and high statistical bias, but a large number of hidden neurons cause high generalization error due to overfitting and high variance . There are some rules of thumb for choosing the number of the hidden nodes. Blum claims in that the number of neurons in the hidden layer ought to be somewhere between the input layer size and the output layer size. Swingler in and Berry and Linoff in claim that the hidden layer will never require more than twice the number of the inputs. In addition, Boger and Guterman suggest in that the number of hidden nodes should be 70–90% of the number of input nodes. Additionally, Caudill and Butler recommend in that the number of hidden nodes equals the number of inputs plus the number of outputs multiplied by (2/3). Based on these recommendations, the number of neurons in the hidden layer of our model should be between 2 and 4. In this research, we used 4 hidden nodes.\n\n2.3. Model Evaluation Criteria\n\nTo evaluate the proposed GRNN model and the other models, two statistics errors are used: mean absolute percentage error (MAPE) and root mean square error (RMSE). MAPE is an indicator of accuracy. MAPE usually expresses accuracy as a percentage and is defined by the following formula:(20)MAPE=1nt=1nI-IpI,where I is the measured value and Ip is the predicted value. The resultant of this calculation is summed for every fitted or forecasted point in time and divided again by the number of fitted points, n. This formula gives a percentage error, so one can compare the error of fitted time series that differ in level.\n\nIn addition, prediction models were evaluated using RMSE. RMSE provides information about the short-term performance of the models and is a measure of the variation of the predicted values around the measured data. RMSE indicates the scattering of data around linear lines. Moreover, RMSE shows the efficiency of the developed network in predicting future individual values. A large positive RMSE implies a large deviation in the predicted value from the measured value. RMSE can be calculated as follows:(21)RMSE=1ni=1nIpi-Ii2,where Ipi is the predicted value, Ii is the measured value, and n is the number of observations .\n\n2.3.1. Sensitivity Analysis\n\nFor any prediction model that deals with stochastic data such as solar radiation, the sensitivity analysis is important for many reasons such as testing the robustness of the results in the presence of uncertainty. Moreover, such an analysis can provide better understanding of the relation between the model’s output(s) and input(s). This understating may lead to a model enhancement by identifying the model’s input(s) which case significant uncertainty in the output. According to , the sensitivity analysis can be defined as the study of how the uncertainty in the output of a mathematical model or system can be apportioned to different sources of uncertainty in its inputs. One of the popular methods is automated differentiation method, where the sensitivity parameters are found by simply taking the derivatives of the output with respect to the input.\n\nIn this research, the hourly solar radiation can be described as a function of daily solar radiation and sunrise or sunset hour angle and hour as follows:(22)Gh=fGD,ωss,sr,ω.However, following the models presented in (1) and (9), the presented model can be described as below: (23)rh=GhGD=fωss,sr,ω.Assume that we are calculating the sensitivity of species rh with respect to every parameter in the model in (23). Thus, it is required to calculate the time-dependent derivatives as follows:(24)rhωss,sr,rhω.There are different methods to estimate the value of each deferential part. One of these methods is Taylor method. This method states that Taylor approximation of y around a given point (xo,yo)—which stands for the first derivative—can be given by the following: (25)rh1=rho+rhωss,srωss,sr1=ωss,sro.Anyway, nowadays such a problem can be also solved by many kinds of software such as MATLAB using functions such as ParameterInputFactors and SensitivityAnalysis. However, in this research, we used simpler and popular method as well which is the scatter plots method. This method is represented by scatter plots of the output against input(s) individually. This method gives a direct visual indication of sensitivity. Moreover, quantitative measures can also be provided by measuring the correlation between the output and each input.\n\n3. Results and Discussion\n\nIn this research, the utilized solar radiation data were measured using rugged solar radiation transmitter (model: WE300, sensor size: 7.6 cm diameter. × 3.8 cm long). The detector of this sensor is high-stability silicon photovoltaic (blue enhanced). Meanwhile, the output range of this sensor is 4 to 20 mA and the measuring range is 0 to 1500 W/m2 and the spectral response is in the range of 400 to 1100 nm. The accuracy of this sensor is ±1% full scale with worming up time up to 3 seconds. The operating voltage of this sensor is in the range of 10 to 36 VDC. Using this sensor, solar radiation data are measured and recorded every 5 minutes. Then, these data have been converted to hourly averages with 43800 data records. In this research, an hourly solar radiation data set consisting of 43800 records (5 years) is used. 35040 records (4 years) are used in training the proposed GRNN model. Meanwhile, the 5th year data are used to test the developed model. The model development and training were done using MATLAB line code which is provided in the Appendix of this paper.\n\nTo test the proposed model, a control data set containing 8760 records of hourly solar radiation and hour angle is used. The average daily solar radiation and the sunset hour angle are calculated based on these records. The calculated daily solar radiation, sunset hour angles, and hour angles are then used as inputs for the proposed GRNN model. Meanwhile, the output of the GRNN model is compared to the actual hourly solar radiation data. To ensure proper evaluation, the control data set is not used in training the proposed GRNN model in order to check the ability of the proposed model for predicting future and foreign data. It is also worth mentioning that the GRNN model has been tested repeatedly (up to 10 times) in order to provide average performance of the proposed model.\n\nFigure 3 shows the correlation between the predicted and the measured data using the proposed GRNN model. From the figure, it is clear that the correlation value is about 96%, which is considerably high. This high correlation value implies that the proposed model makes accurate predictions.\n\nCorrelation between generated and measured values using the proposed model.\n\nIn addition, Figure 4 shows the prediction results for a whole year. From Figure 4, it can be noted that the proposed GRNN model predicts the hourly solar radiation successfully. However, to provide deeper analysis of the proposed GRNN model, two zones, namely, A and B, are chosen from Figure 4 and illustrated more clearly in Figure 5. The selection of these zones is done based on the amount of cloud cover. These zones represent cloudy days where the proposed model prediction accuracy is expected to be low due to unstable solar radiation levels. From Figure 5, the accuracy of the proposed model for predicting the hourly solar radiation is acceptable whereas the generated values of the hourly solar radiation are close to the actual values even on totally overcast days. However, there is a time shift in some cases. This time shift is due to the difference between the calculated hour angle and the read hour angle that the solar radiation is measured at. This problem is usually solved by adding shifting constants to the models. It is assumed that each cycle in Figure 5 represents a whole solar day, where the first cycle is day 1 and the last is day 15. From Figure 5, it can be noticed that, on clear days such as 1, 3, 5, 8, 10, 11, and 15, the prediction is accurate and acceptable. On the other hand, for cloudy days such as 2, 6, 7, 12, 13, and 14, the prediction accuracy is lower than the previous case but still acceptable as most of the solar radiation prediction models’ accuracies degraded on cloudy days .\n\nPrediction results of the proposed GRNN model (Part A).\n\nPrediction results of the proposed GRNN model (Part B).\n\nIn order to validate the proposed model, we did two types of comparison; first, a comparison is between the proposed model and some location dependent models. From the conducted literature review, we found two location dependent models which are presented in (16) and (18). The model presented in (16) assumes that the hourly solar radiation can be described by trigonometric functions. In the meanwhile, the model presented in (18) assumes that the averages hourly ratios of hourly solar radiation to daily solar radiation in average can be described by a polynomial function of the second degree. In this research, we used the same data used to train the proposed model in developing these models. Figure 6 shows the development of these models.\n\nDevelopment of two location dependent models.\n\nIn general, both models show good fitting of the average daily hourly rd ratios with R-square values of 0.9413 for the model presented in (16) and 0.9721 for the model presented in (18). Despite these high R-square values, these models are not expected to predict hourly solar radiation accurately for two reasons; the assumption of describing the hourly solar radiation by these mathematical functions is not accurate. Secondly, the developed models fit perfectly the average day but they may be unable to fit individual days. Figure 7 shows three days prediction results of these location dependent models.\n\nPrediction results of location dependent models.\n\nFrom Figure 7, it is very clear that the prediction of these random days was inaccurate. Anyway, after ignoring the extreme underestimations of these models in Figure 7, we found that the average MAPE for the model presented in (16) is about 60% while it is about 40% for the model presented in (18).\n\nHowever, for more fair comparison, the proposed model is compared with more accurate empirical models. A comparison between the proposed model and Liu-Jordan and Collares-Pereira models is conducted in this research. Figure 8 shows a sample of the comparison conducted for 8 solar days. From Figure 8, it is clear that the three models can predict hourly solar radiation data accurately in clear sky days. However, Liu-Jordan model generated underestimated values sometimes. In addition, the generated curves are slightly shifted in some days which caused overestimated values in the morning and underestimated value in the afternoon. On the other hand, generated profiles using Collares-Pereira model are sometimes narrower that the actual one which caused underestimations in the afternoon. As for the proposed model, it can be seen that it is more accurate than the other two models. However, the three models are not able to predict the solar radiation accurately in the cloudy days as compared to their ability in the clear sky days.\n\nComparison between the proposed model and other models.\n\nTable 1 shows an evaluation of the three models using MAPE and RMSE. It is clear that the proposed model has the best accuracy prediction whereas it exceeds the other models by the MAPE and RMSE. This implies that the proposed model is more powerful in predicting hourly solar radiation according to the MAPE value. Moreover, it has the ability to predict future data based on the RMSE value.\n\nEvaluation of the proposed GRNN model.\n\nModel MAPE RMSE (W/m2) RMSE (%) R 2\nLiu-Jordan 27.4% 64.7 22.1 80.3\nCollares-Pereira 22.5% 59.1 20.7 85.7\nGRNN (training) 11.4% 45.0 14.8 98.3\nGRNN (testing) 11.8% 46.1 15.1 96.0\n\nAs for the sensitivity analysis, in this research, the proposed model as well as Liu-Jordan and Collares-Pereira models is tested in terms of sensitivity by plotting scatter plots for each model with respect to hour angle factor (ω versus rh). Then, the correlation value for each data set is provided. Figures 911 show the scatter plots of the three models as described in (23).\n\nω versus rh for Liu-Jordan model.\n\nω versus rh for Collares-Pereira model.\n\nω versus rh for the proposed GRNN model.\n\nFrom Figures 911, it can be seen that the proposed model is more efficient in considering the uncertainty of the solar radiation for this case. In Figure 9, the values of rh factor are more concentrated around specific points with some deviated extreme points. These extreme points are the unexpected values of solar radiation due to some reasons such as clouds and dust particles. Moreover, there is no symmetric nature of these values which means that the uncertainty problem of such data is relatively overcome by the proposed model. On the other hand, both Liu-Jordan and Collares-Pereira models resulted in symmetric behavior of the data regardless of any external conditions which caused prediction inaccuracy in some cases. Table 2 shows the R-square values of each model.\n\nSensitivity analysis of the proposed GRNN model.\n\nScatter plot R -square values Fitting function\nLiu-Jordan Collares-Pereira GRNN model\nω versus Gh/GD 0.78 0.75 0.90 Polynomial/quadratic\n\nFrom Table 2, it is also clear that the proposed model exceeds the other empirical models. In general, the advantage of the proposed model as compared to the empirical models is that it is a machine with the ability of learning and handling huge data sets with stochastic nature. As a fact, heuristic techniques such as GRNN are more efficient in handling stochastic data subject to a prior concrete training. However, the empirical models exceed the proposed model in case of having short historical data that is not enough to train the proposed model.\n\nFinally, utilizing such a large data set (5 years, 43800 records) is not a must to develop such a model. It is all about utilizing available data to develop accurate model with excellent ability to predict future data. As a matter of fact, there are two important issues to be considered when deciding the size of a training data set for a solar radiation prediction model. These issues are the uncertainty nature of solar radiation and the day number nature of the year. In other words, it is possible to predict hourly solar radiation in January (winter) using a model that is trained based on data for June (summer). However, it will not be accurate as compared to a model that is trained based on the whole year time with small step records data. In order to address this issue, we have trained the proposed model using data sets with three relatively small sizes 84, 348, and 684 records. Figures 12(a), 12(b), 13(a), 13(b), 14(a), and 14(b) show the result of this practice. The first part of Figures 10, 11, and 12 shows the prediction performance of the model by comparing its output to the actual values. It is worth mentioning that in these figures the days where there is no red line during them mean that the model generated values of zero only (the model failed to predict the solar radiation profile). On the other hand, the second part of Figures 12, 13, and 14 shows model accuracy using the correlation factor R2.\n\n(a) Proposed model performance considering small sizes of training data set. (b) Correlation between generated and measured values using training data set size of 7 solar days.\n\n(a) Proposed model performance considering small sizes of training data set. (b) Correlation between generated and measured values using training data set size of 29 solar days.\n\n(a) Proposed model performance considering small sizes of training data set. (b) Correlation between generated and measured values using training data set size of 57 solar days.\n\nFrom Figures 12(a), 12(b), 13(a), 13(b), 14(a), and 14(b), it is clear that the proposed model did not perform well when it is trained using only 84 records (7 solar days). However, the model was able to predict a number of days accurately according to Figure 12(a). These results are seconded by Figure 12(b) where the correlation value between the generated and the measured values is very low due to the high rate of model shortages (the days where the model generates values of zero only). The mean absolute percentage error of the model that developed based on 84 records is very high where it is 100% in 70% of the generated days. Meanwhile, the prediction accuracy of the other days where the model was able to generate synthetic solar radiation data was fine with MAPE in the range of 10–13%. In general, the average whole MAPE for this model is 64.3% with R2 value of 0.1354. Here, the empirical models show superior performance as these models do not need any prior training.\n\nOn the other hand, according to Figures 13(a) and 13(b), the performance of the proposed model was significantly enhanced when it is trained using 348 records (29 solar days). Meanwhile, Figures 14(a) and 14(b) show that the performance of the model was further improved when 684 records (57 solar days) were used in the training. The model which has been trained based on 348 records was able to work probably during 72% of the testing days, while the 684 records based model was able to work probably during 86% of the testing days. The average whole MAPE values of both models are 36.8% and 24%, respectively. These results can be also concluded from Figures 13(b) and 14(b) where R2 values are significantly increased. R2 values for 348 records based model and 684 records based model are 0.2263 and 0.6583, respectively. Finally, by comparing all of these figures to Figure 3, it can be realized that the correlation value is much better than all the previous models and consequently the model is supposed to be more accurate in predicting solar radiation values. Table 3 summaries the aforementioned results.\n\nImpact of training data set size on model’s accuracy.\n\nTraining data set size (records) Av. overall MAPE R 2\n84 (7 solar days) 64.3% 0.1354\n348 (29 solar days) 36.8% 0.2263\n684 (57 solar days) 24.1% 0.6583\n35,040 (1460 solar days) 11.8% 0.9595\n\nAs a conclusion, as far as the model is trained using more data, the accuracy will be better. However, such a model can be developed using a relatively small data set (about 70 solar days) which is usually not difficult to obtain. As mentioned before, the proposed model has the advantage of avoiding the complex calculation of the empirical and statistical model’s parameters. Moreover, in case of training the proposed model well, the model will be able to handle the uncertainty issue in solar radiation much better than the empirical and statistical models.\n\n4. Conclusion\n\nIn this research, a generalized regression artificial neural network based model was presented for predicting hourly solar radiation using daily solar radiation. This model has three inputs, namely, mean daily solar radiation, hour angle, and sunset hour angle. The output layer has one node, which is the generated mean hourly solar radiation. Five years of data for hourly solar radiation were used to train and develop the model running under MATLAB. The results showed that the proposed model has better prediction accuracy as compared to existing empirical and statistical models especially in dealing with special location dependent cases. The average prediction accuracy of the proposed model is about 11% with R-square value of 0.96. Furthermore, the proposed model showed superiority in terms of prediction sensitivity as compared to some empirical models. However, the results showed that the proposed model needed a concrete prior training in order to show prediction superiority. It is also concluded that such a model can be developed with relatively accepted prediction accuracy (24%) using about two months’ data with an hourly step. Finally, the proposed model can be used in predicting the performance of solar energy systems such as photovoltaic system and solar water heater. Moreover, it can be used to generate long term data in order to be used in optimal sizing and planning of solar energy systems.\n\nAppendix\n\nSee Pseudocode 1.\n\n<bold>Pseudocode 1</bold>\n\n% Start\n\nclc\n\nclear\n\nclose all\n\n%  %— — — — — — —Input Data— — — — — —\n\nfileName=Site.xlsx;\n\nL=; % add a latitude value\n\nLOD=; % add a longitude value\n\n% T means testing data\n\nWi=xlsread(fileName, sheetName, D3:D4358); % hour angle\n\nWsi=xlsread(fileName, sheetName, E3:E4358); % sun set angle\n\nDN=xlsread(fileName, sheetName, F3:F4358); % day number (day & month)\n\nSR=SRi1000;\n\nSR_T=SRi_T1000;\n\nW=(Wi_T(pi/180));\n\nWs=(abs(Wsi_T(pi/180)));\n\n%=============Proposed GRNN Model=================\n\ninputs=[L LOD Wi, Wsi, GD DN h];\n\nI=inputs;\n\ntargets=SR;\n\nT=targets;\n\nnet=newgrnn(I,T);\n\ntest=[L LOD Wi_T, Wsi_T, GD_T DN_T h_T];\n\nTest=test;\n\nx_predicted=sim(net,Test);\n\nX_P=x_predicted;\n\n%============Liu and Jordan Model==================\n\nR_LiuJordan=((((pi)/24)(cos(W)-cos(Ws)))./(sin(Ws)-((piWs)/180).cos(Ws)));\n\nSR_LiuJordan=R_LiuJordan.GD_T\n\n%============Collares-Pereira and Rabel Model======\n\na=0.409+(0.5016sin(Ws-60));\n\nb=0.6609+(0.4767sin(Ws-60));\n\nR_Collares=((a + (b.cos(W))).((((pi/24))(cos(W)-cos(Ws))))./(sin(Ws)-((piWs)/180).cos(Ws)));\n\nSR_Collares=R_Collares.GD_T;\n\n%=================Plot data===========================\n\nplot (SR_T)\n\nxlim([0 100])\n\nhold on\n\nplot (SR_LiuJordan, k)\n\nxlim([0 100])\n\nhold on\n\nplot (SR_Collares, g)\n\nxlim([0 35])\n\nhold on\n\nplot (X_P, red)\n\nxlim([0 100])\n\n%— — — —Models evaluation— — — — — — — —\n\nn=length(X_P);\n\nE3_Hour=SR_T-X_P;\n\nGRNN_MAPE=abs(E3_Hour./SR_T);\n\nGRNN_meanMAPE1=sum(GRNN_MAPE)/n;\n\nGRNN_meanMAPE=GRNN_meanMAPE1100;\n\nGRNN_RMSE=sqrt(sum((X_P-SR_T).2/n))\n\nGRNN_MBE=sum(X_P-SR_T)/n\n\nSUM=(sum(X_P)./n);\n\nliner_RMSE_Percentage=(GRNN_RMSE/SUM)100\n\nliner_MBE_Percentage=(GRNN_MBE/SUM)100\n\n% End\n\nNomenclature ANNs:\n\nArtificial neural networks\n\nAST:\n\nApparent or true solar time\n\nδ :\n\nAngle of declination\n\nN :\n\nDay number\n\nGD:\n\nDistributed generation\n\nEoT:\n\nEquation of time\n\nG D :\n\nG h :\n\nGRNN:\n\nGeneralized artificial neural network\n\nϕ :\n\nThe latitude\n\nLLP:\n\nLOD:\n\nLongitude\n\nLSMT:\n\nLocal standard meridian time\n\nLST:\n\nLocal standard time\n\nMAPE:\n\nMean absolute percentage error\n\nMLP:\n\nMultilayer Perceptron Network\n\nPNNs:\n\nProbabilistic Neural Networks\n\nPV:\n\nPhotovoltaic\n\nRBF:\n\nRMSE:\n\nRoot mean square error\n\nr t :\n\nThe ratio of hourly to daily global solar radiation\n\nt s r :\n\nSunrise time\n\nt s s :\n\nSunset time\n\nω :\n\nHour angle\n\nω s s , s r :\n\nSunset/sunrise hour angle.\n\nConflict of Interests\n\nThe authors hereby confirm that there is no conflict of interests in the paper with any third part.\n\nAcknowledgments\n\nThis work is supported by Lakeside Labs, Klagenfurt, Austria, and funded by the European Regional Development Fund (ERDF) and the Carinthian Economic Promotion Fund (KWF) under Grant 20214∣22935∣34445 (Project Smart Microgrid)." ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.91027886,"math_prob":0.9604609,"size":46866,"snap":"2022-05-2022-21","text_gpt3_token_len":10385,"char_repetition_ratio":0.19448593,"word_repetition_ratio":0.05966587,"special_character_ratio":0.22261341,"punctuation_ratio":0.11358138,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99358225,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-01-23T19:52:33Z\",\"WARC-Record-ID\":\"<urn:uuid:aa1c7567-e3f0-4ad9-8dcd-09c52610b14a>\",\"Content-Length\":\"161719\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:8d46c6f4-1f89-47f2-b673-8d9ce385e4e9>\",\"WARC-Concurrent-To\":\"<urn:uuid:7503916a-46cd-4825-bf7a-84a00566a2a1>\",\"WARC-IP-Address\":\"13.249.38.31\",\"WARC-Target-URI\":\"https://downloads.hindawi.com/journals/ijp/2015/968024.xml\",\"WARC-Payload-Digest\":\"sha1:T74ILFM7FMJKAVHVF2TNMGDCVVFVI2WU\",\"WARC-Block-Digest\":\"sha1:TMRMGIEXFKINFEI2AZXYECE2H7HHPJCZ\",\"WARC-Identified-Payload-Type\":\"application/xml\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-05/CC-MAIN-2022-05_segments_1642320304309.5_warc_CC-MAIN-20220123172206-20220123202206-00029.warc.gz\"}"}
https://se.mathworks.com/matlabcentral/fileexchange/16363-discrete-time-integrator-in-embedded-matlab?s_tid=prof_contriblnk
[ "## Discrete Time Integrator in Embedded MATLAB\n\nVersion 1.0.0.1 (11.3 KB) by\nThis demo shows how to use Embedded MATLAB block parameters to control the algorithm behavior\n\nUpdated 1 Sep 2016\n\nThe attached Simulink model implements a Forward Euler Integrator in Embedded MATLAB. It illustrates the use of parameters in Embedded MATLAB.\nThe algorithm has three sections; Setup, Output and Update.\n\nAt every sample time hit the block keeps accumulating the the value of the input at time instant 't' in a state register and emits value accumulated value until time instant 't-1'. The output value is clipped if falls above an upper limit or falls below a lower limit. A flag is raised when the value is clipped. The upper and lower limits and the gain of the integrator can be changed via Embedded MATLAB block parameters.\n\nLike any other block in Simulink the Embedded MATLAB block also supports mask parameters. Simulink parameters can be tunable or non-tunable. Tunable parameter values can be changed during the simulation run in MATLAB workspace and can be used to affect the current Simulink simulation run in progress. Non-tunable parameters are also defined in MATLAB workspace but are fixed for a single simulation run.\n\nIn the attached model the variables 'gain_val', 'upper_limit', 'lower_limit' used in the Embedded MATLAB script are non-tunable parameters. They are declared as any other inputs in the\nfunction declaration associated with the block. However they do not appear as block inputs. The values and types of these variables can be defined and changed in the MATLAB between simulation runs.\n\n### Cite As\n\nKiran Kintali (2023). Discrete Time Integrator in Embedded MATLAB (https://www.mathworks.com/matlabcentral/fileexchange/16363-discrete-time-integrator-in-embedded-matlab), MATLAB Central File Exchange. Retrieved .\n\n##### MATLAB Release Compatibility\nCreated with R2007a\nCompatible with any release\n##### Platform Compatibility\nWindows macOS Linux\n\n### Community Treasure Hunt\n\nFind the treasures in MATLAB Central and discover how the community can help you!\n\nStart Hunting!\nVersion Published Release Notes\n1.0.0.1" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.7580013,"math_prob":0.5952773,"size":2028,"snap":"2023-14-2023-23","text_gpt3_token_len":414,"char_repetition_ratio":0.13488142,"word_repetition_ratio":0.013422819,"special_character_ratio":0.18836293,"punctuation_ratio":0.09116809,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.95958036,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-03-21T07:14:56Z\",\"WARC-Record-ID\":\"<urn:uuid:e1ad4b1d-7018-4dff-bcec-fe0f1592b974>\",\"Content-Length\":\"87762\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:5201e7eb-00ef-4ec1-a130-44d8cde428fb>\",\"WARC-Concurrent-To\":\"<urn:uuid:eb875b58-3c8d-4c55-af75-59a23aa03a2b>\",\"WARC-IP-Address\":\"104.69.217.80\",\"WARC-Target-URI\":\"https://se.mathworks.com/matlabcentral/fileexchange/16363-discrete-time-integrator-in-embedded-matlab?s_tid=prof_contriblnk\",\"WARC-Payload-Digest\":\"sha1:P4RJIR3SZAIIJIM33S3TZ536BUKJ7PQA\",\"WARC-Block-Digest\":\"sha1:XFDKUEKF37GDBEPQVK46ZP7PVPKYJD4V\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-14/CC-MAIN-2023-14_segments_1679296943637.3_warc_CC-MAIN-20230321064400-20230321094400-00370.warc.gz\"}"}
https://www.shuzhiduo.com/A/LPdopagOz3/
[ "``` public class Main {\npublic static void main(String[] args) {\nPerson person = new Person();\n// person.age = 1000; // 编译错误\n// System.out.println(person.age); // 编译错误\nperson.setAge(1000);\nSystem.out.println(person.getAge()); //\n\nperson.setAge(10);\nSystem.out.println(person.getAge()); //\n\nSystem.out.println(person.toString()); // Person@1b6d3586\n}\n}\n\nclass Person {\nprivate int age;\n\npublic int getAge() {\nreturn age;\n}\n\npublic void setAge(int age) {\nif (age < 0 || age > 100) {\nreturn;\n}\nthis.age = age;\n}\n}\n}\n\npublic void setAge(int age) {\nif (age < 0 || age > 100 ) {\nreturn;\n}\nthis.age = age;\n}\n}```\n\n``` public class Main {\npublic static void main(String[] args) {\nPoint point = new Point(1, 2);\nString string = point.toString();\nSystem.out.println(string); // (1,2)\n}\n}\n\nclass Point {\nprivate int x;\nprivate int y;\n\npublic int getX() {\nreturn x;\n}\n\npublic void setX(int x) {\nthis.x = x;\n}\n\npublic int getY() {\nreturn y;\n}\n\npublic void setY(int y) {\nthis.y = y;\n}\n\npublic Point() {\n}\n\npublic Point(int x, int y) {\nthis.x = x;\nthis.y = y;\n}\n\npublic String toString() {\nreturn \"(\" + x + \",\" + y + ')';\n}\n}```\n\n```public class Main {\npublic static void main(String[] args) {\nPoint point1 = new Point(1, 2);\nPoint point2 = new Point(1, 2);\nSystem.out.println(point1 == point2); // false\nSystem.out.println(point1.equals(point2)); // false\n}\n}```\n\n``` public boolean equals(Object obj) {\nreturn (this == obj);\n}```\n\n``` public class Main {\npublic static void main(String[] args) {\nPoint point1 = new Point(1, 2);\nPoint point2 = new Point(1, 2);\nSystem.out.println(point1 == point2); // false\nSystem.out.println(point1.equals(point2)); // true\n}\n}\n\nclass Point {\nprivate int x;\nprivate int y;\n\npublic int getX() {\nreturn x;\n}\n\npublic void setX(int x) {\nthis.x = x;\n}\n\npublic int getY() {\nreturn y;\n}\n\npublic void setY(int y) {\nthis.y = y;\n}\n\npublic Point() {\n}\n\npublic Point(int x, int y) {\nthis.x = x;\nthis.y = y;\n}\n\npublic String toString() {\nreturn \"(\" + x + \",\" + y + ')';\n}\n\npublic boolean equals(Object object) {\nif (object == null) {\nreturn false;\n}\nif (object == this) {\nreturn true;\n}\nif (object instanceof Point) {\nPoint point = (Point) object; // 强转为point类型\nreturn this.x == point.x && this.y == point.y;\n}\nreturn false;\n}\n}```\n\n## Java 从入门到进阶之路(十八)的更多相关文章\n\n1. Java 从入门到进阶之路(八)\n\n在之前的文章我们介绍了一下 Java 中的重载,接下来我们看一下 Java 中的构造方法. 我们之前说过,我们在定义一个变量的时候,java 会为我们提供一个默认的值,字符串为 null,数字为 0. ...\n\n2. Java 从入门到进阶之路(十)\n\n之前的文章我们介绍了一下 Java 中的引用型数组类型,接下来我们再来看一下 Java 中的继承. 继承的概念 继承是java面向对象编程技术的一块基石,因为它允许创建分等级层次的类. 继承就是子类继 ...\n\n3. Java 从入门到进阶之路(十二)\n\n在之前的文章我们介绍了一下 Java 类的重写及与重载的区别,本章我们来看一下 Java 类的 private,static,final. 我们在之前引入 Java 类概念的时候是通过商场收银台来引入 ...\n\n4. Java 从入门到进阶之路(十五)\n\n在之前的文章我们介绍了一下 Java 中的接口,本章我们来看一下 Java 中类的多态. 在日常生活中,很多意思并不是我们想要的意思,如下: 1.领导:“你这是什么意思?” 小明:“没什么意思,意思意 ...\n\n5. Java 从入门到进阶之路(十四)\n\n在之前的文章我们介绍了一下 Java 中的抽象类和抽象方法,本章我们来看一下 Java 中的接口. 在日常生活中,我们会接触到很多类似接口的问题,比如 USB 接口,我们在电脑上插鼠标,键盘,U盘的时 ...\n\n6. Java 从入门到进阶之路(十六)\n\n在之前的文章我们介绍了一下 Java 中类的多态,本章我们来看一下 Java 中类的内部类. 在 Java 中,内部类分为成员内部类和匿名内部类. 我们先来看一下成员内部类: 1.类中套类,外面的叫外 ...\n\n7. Java 从入门到进阶之路(十九)\n\n在之前的文章我们介绍了一下 Java 中的Object,本章我们来看一下 Java 中的包装类. 在 Java 中有八个基本类型:byte,short,int,long,float,double,ch ...\n\n8. Java 从入门到进阶之路(二十)\n\n在之前的文章我们介绍了一下 Java 中的包装类,本章我们来看一下 Java 中的日期操作. 在我们日常编程中,日期使我们非常常用的一个操作,比如读写日期,输出日志等,那接下来我们就看一下 Java ...\n\n9. Java 从入门到进阶之路(二十二)\n\n在之前的文章我们介绍了一下 Java 中的  集合框架中的Collection 中的一些常用方法,本章我们来看一下 Java 集合框架中的Collection 的迭代器 Iterator. 当我们创建 ...\n\n## 随机推荐\n\n1. VS2010中,无法嵌入互操作类型“……”,请改用适用的接口的解决方法(转自网络)\n\n最近开始使用VS2010,在引用COM组件的时候,出现了无法嵌入互操作类型“……”,请改用适用的接口的错误提示.查阅资料,找到解决方案,记录如下: 选中项目中引入的dll,鼠标右键,选择属性,把“嵌入 ...\n\n2. CC1310电源\n\nCC1310的电源好扯,把目前遇到的问题记录一下 1 全局LDO和DCDC的输出电压问题 手册上要求的VDDR和VDDR_RF的电压范围是1.7~1.95V,但实际测试时, 在接收状态下无论是全局LD ...\n\n3. ORACLE查看表空间对象\n\nORACLE如何查看表空间存储了那些数据库对象呢?可以使用下面脚本简单的查询表空间存储了那些对象: SELECT TABLESPACE_NAME       AS TABLESPACE_NAME    ...\n\n4. Springmvc常用注解\n\n1. @RequestMapping注解的作用位置 @RequestMapping可以作用在类名上,也可以作用在方法上. 如果都有, 产生作用的路径是类名上的路径+方法上的路径. 比如Employee ...\n\n5. 记录一次centos6.4版本的VSFTP本地用户登陆的配置\n\n其实vsftp是一个非常常用而且简单的服务,但是假如服务不是你配置的前者没有留下参考档案,的确是件头疼的事儿,特此记录下. 首先是vsftp的安装当然安装有源码的编译和yum等 这里我选择rpm包的y ...\n\n6. hdu1045 Fire Net\n\n在一张地图上建立碉堡(X),要求每行没列不能放两个,除非中间有强挡着.求最多能放多少个碉堡 #include<iostream> #include<cstdio> #inclu ...\n\n7. Linux下使用fdisk发现磁盘空间和使用mount挂载文件系统\n\n若在安装Linux系统时没有想好怎么使用服务器,开始时只分了一部分给根目录.后面需要再使用时,可以通过几下一步进行分区和挂载文件系统. 看磁柱数使用情况 fdisk -l Disk /dev/sda: ...\n\n8. 从医生看病和快餐店点餐理解Node.js的事件驱动" ]
[ null ]
{"ft_lang_label":"__label__zh","ft_lang_prob":0.83461344,"math_prob":0.9783702,"size":5538,"snap":"2020-24-2020-29","text_gpt3_token_len":3007,"char_repetition_ratio":0.14763282,"word_repetition_ratio":0.35869566,"special_character_ratio":0.27356446,"punctuation_ratio":0.2734694,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.96738124,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-07-06T00:01:56Z\",\"WARC-Record-ID\":\"<urn:uuid:aa259342-f2fc-4d39-b33e-503fcdcd862a>\",\"Content-Length\":\"19973\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:4e7ea274-9011-4b6c-8a15-77740441d05a>\",\"WARC-Concurrent-To\":\"<urn:uuid:736841bc-d59f-4a98-97a8-07f1188513f4>\",\"WARC-IP-Address\":\"119.28.5.74\",\"WARC-Target-URI\":\"https://www.shuzhiduo.com/A/LPdopagOz3/\",\"WARC-Payload-Digest\":\"sha1:IAY34HR6JJ7RKBKH6MCKZKEX7D6NAEKM\",\"WARC-Block-Digest\":\"sha1:ZGLK2XZHX2F5CRX57LYF3T2XZ4EVEX3X\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-29/CC-MAIN-2020-29_segments_1593655889877.72_warc_CC-MAIN-20200705215728-20200706005728-00024.warc.gz\"}"}
http://oalevelsolutions.com/past-papers-solutions/cambridge-international-examinations/as-a-level-mathematics-9709/pure-mathematics-p1-9709-01/year-2016-may-june-p1-9709-13/cie_16_mj_9709_13_q_6/
[ "# Past Papers’ Solutions | Cambridge International Examinations (CIE) | AS & A level | Mathematics 9709 | Pure Mathematics 1 (P1-9709/01) | Year 2016 | May-Jun | (P1-9709/13) | Q#6\n\nHits: 951\n\nQuestion", null, "The diagram shows triangle ABC where AB=5cm, AC=4cm and BC=3cm. Three circles with centres  at A, B and C have radii 3 cm, 2 cm and 1 cm respectively. The circles touch each other at  points E, F and G, lying on AB, AC and BC respectively. Find the area of the shaded region EFG.\n\nSolution\n\nIt is evident from the diagram that;", null, "Let’s first find area of", null, ";\n\nExpression for the area of a triangle for which two sides (a and b) and the included angle (C) is given;", null, "We know lengths of all three sides of", null, ".", null, "", null, "", null, "Law of cosines is given as;", null, "", null, "", null, "It is evident we can use law of cosines to find any angle of the", null, ".\n\nLet’s find angle", null, ".", null, "", null, "", null, "", null, "", null, "", null, "", null, "", null, "", null, "Using calculator;", null, "Now we can find area of", null, ".", null, "", null, "", null, "", null, "Now we need areas of sectors.\n\nExpression for area of a circular sector with radius", null, "and angle", null, "rad is;", null, "To find areas of sectors;", null, "", null, "", null, "We are given that;", null, "", null, "", null, "", null, "Therefore, we need to find", null, "and", null, ".\n\nLaw of cosines is given as;", null, "", null, "", null, "We are given that;", null, "", null, "", null, "Therefore;\n\n For", null, "; For", null, ";", null, "", null, "", null, "", null, "", null, "", null, "", null, "", null, "", null, "", null, "", null, "", null, "", null, "", null, "", null, "", null, "", null, "", null, "", null, "", null, "", null, "", null, "Therefore; to find areas of sectors;", null, "", null, "", null, "", null, "", null, "", null, "Finally, we can find area of shaded region is;", null, "", null, "", null, "" ]
[ null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image001.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image002.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image003.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image004.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image003.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image005.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image006.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image007.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image008.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image009.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image010.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image003.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image011.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image012.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image013.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image014.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image015.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image016.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image017.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image018.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image019.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image020.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image021.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image003.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image022.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image023.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image024.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image025.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image026.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image027.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image028.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image029.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image030.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image031.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image032.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image033.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image034.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image035.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image036.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image037.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image008.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image009.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image010.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image005.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image006.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image007.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image036.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image037.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image038.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image039.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image040.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image041.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image042.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image043.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image044.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image045.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image046.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image047.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image048.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image049.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image050.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image051.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image052.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image051.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image053.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image054.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image055.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image056.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image057.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image058.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image029.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image059.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image030.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image060.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image031.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image061.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image002.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image062.png", null, "http://oalevelsolutions.com/CIE_GCE_AS_Maths_P1_16_Jun_13_Q_6_files/image063.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.8799433,"math_prob":0.9595072,"size":1287,"snap":"2020-10-2020-16","text_gpt3_token_len":357,"char_repetition_ratio":0.15978177,"word_repetition_ratio":0.13108614,"special_character_ratio":0.3131313,"punctuation_ratio":0.13432837,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99630153,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32,33,34,35,36,37,38,39,40,41,42,43,44,45,46,47,48,49,50,51,52,53,54,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69,70,71,72,73,74,75,76,77,78,79,80,81,82,83,84,85,86,87,88,89,90,91,92,93,94,95,96,97,98,99,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,132,133,134,135,136,137,138,139,140,141,142,143,144,145,146,147,148,149,150,151,152,153,154,155,156,157,158],"im_url_duplicate_count":[null,3,null,6,null,null,null,3,null,null,null,6,null,6,null,6,null,6,null,6,null,6,null,null,null,3,null,3,null,3,null,3,null,3,null,3,null,3,null,3,null,3,null,3,null,3,null,null,null,3,null,3,null,3,null,3,null,3,null,3,null,3,null,6,null,6,null,6,null,3,null,3,null,3,null,3,null,6,null,6,null,6,null,6,null,6,null,6,null,6,null,6,null,6,null,6,null,3,null,3,null,3,null,3,null,3,null,3,null,3,null,3,null,3,null,3,null,3,null,3,null,3,null,6,null,3,null,6,null,3,null,3,null,3,null,3,null,3,null,3,null,6,null,3,null,6,null,3,null,6,null,3,null,6,null,3,null,3,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-02-19T12:37:03Z\",\"WARC-Record-ID\":\"<urn:uuid:7be1e63a-8920-4f77-9500-242e8ed89a58>\",\"Content-Length\":\"74185\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:2fca20f7-d02d-49c2-be23-86e555cf921d>\",\"WARC-Concurrent-To\":\"<urn:uuid:af94ad5a-84fd-4e75-a91f-37e20f8282eb>\",\"WARC-IP-Address\":\"68.65.122.178\",\"WARC-Target-URI\":\"http://oalevelsolutions.com/past-papers-solutions/cambridge-international-examinations/as-a-level-mathematics-9709/pure-mathematics-p1-9709-01/year-2016-may-june-p1-9709-13/cie_16_mj_9709_13_q_6/\",\"WARC-Payload-Digest\":\"sha1:TB4C2R7YMJ6K3XPY2GZOPEZE6O6ZZNAV\",\"WARC-Block-Digest\":\"sha1:FJ2U5BJI73HZVH2F5F3IAWXKESY2FAFN\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-10/CC-MAIN-2020-10_segments_1581875144150.61_warc_CC-MAIN-20200219122958-20200219152958-00253.warc.gz\"}"}
https://ask.libreoffice.org/t/rounding-up-a-result-in-a-cell-to-a-whole-number/60989
[ "", null, "# Rounding up a result in a cell to a whole number\n\nI need to round up a result in a cell to the next whole number up. Cell B22 is a sum of a cell range (A2:A10) that will return a total of, say, 4500 and that has to be divided by 1000 giving 4.5 as a result, I need it to round up to 5. Many thanks.\n\nHello,\n\n`=ROUNDUP(SUM(A2:A10)/1000;0)` should do the job all in one go - or -\n`=ROUNDUP(B22/1000;0)` (if you want to use sum in `B22` already calculated)\n\nHope that helps.\n\nIt does indeed help, thanks very much, it’s appreciated.\n\nIf it is helpful please consider to click the check mark (", null, ") next to the answer. Thanks in advance …" ]
[ null, "https://ask.libreoffice.org/uploads/asklibo/original/1X/1eec1ce28d4605f25e751aea59dbef2bc0782151.png", null, "https://ask.libreoffice.org/images/emoji/twitter/heavy_check_mark.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.91854954,"math_prob":0.75978595,"size":569,"snap":"2022-27-2022-33","text_gpt3_token_len":168,"char_repetition_ratio":0.0920354,"word_repetition_ratio":0.0,"special_character_ratio":0.31985942,"punctuation_ratio":0.124087594,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.97246426,"pos_list":[0,1,2,3,4],"im_url_duplicate_count":[null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-07-05T12:49:29Z\",\"WARC-Record-ID\":\"<urn:uuid:2f0eaaff-1717-45ba-9bbc-6813dacf7cf9>\",\"Content-Length\":\"19653\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:4fc0291e-bd8a-48ce-8ce1-d3590bc6c66c>\",\"WARC-Concurrent-To\":\"<urn:uuid:fe75af0a-f540-46de-8ebf-2a93cc0e2cf8>\",\"WARC-IP-Address\":\"89.238.68.222\",\"WARC-Target-URI\":\"https://ask.libreoffice.org/t/rounding-up-a-result-in-a-cell-to-a-whole-number/60989\",\"WARC-Payload-Digest\":\"sha1:WQNEIY4VN4AP7UIS76UHJIWXUGZNCEU2\",\"WARC-Block-Digest\":\"sha1:4D6QQ5VPXZWTVZFI7XOAUS6HKVANOQM4\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-27/CC-MAIN-2022-27_segments_1656104576719.83_warc_CC-MAIN-20220705113756-20220705143756-00081.warc.gz\"}"}
https://docs.opencv.org/3.4.1/db/d4e/classcv_1_1Point__.html
[ "", null, "OpenCV  3.4.1 Open Source Computer Vision\ncv::Point_< _Tp > Class Template Reference\n\nTemplate class for 2D points specified by its coordinates x and y. More...\n\n#include \"types.hpp\"\n\n## Public Types\n\ntypedef _Tp value_type\n\n## Public Member Functions\n\nPoint_ ()\ndefault constructor More...\n\nPoint_ (_Tp _x, _Tp _y)\n\nPoint_ (const Point_ &pt)\n\nPoint_ (const Size_< _Tp > &sz)\n\nPoint_ (const Vec< _Tp, 2 > &v)\n\ndouble cross (const Point_ &pt) const\ncross-product More...\n\ndouble ddot (const Point_ &pt) const\ndot product computed in double-precision arithmetics More...\n\n_Tp dot (const Point_ &pt) const\ndot product More...\n\nbool inside (const Rect_< _Tp > &r) const\nchecks whether the point is inside the specified rectangle More...\n\ntemplate<typename _Tp2 >\noperator Point_< _Tp2 > () const\nconversion to another data type More...\n\noperator Vec< _Tp, 2 > () const\nconversion to the old-style C structures More...\n\nPoint_operator= (const Point_ &pt)\n\n## Public Attributes\n\n_Tp x\nx coordinate of the point More...\n\n_Tp y\ny coordinate of the point More...\n\n## Detailed Description\n\n### template<typename _Tp> class cv::Point_< _Tp >\n\nTemplate class for 2D points specified by its coordinates x and y.\n\nAn instance of the class is interchangeable with C structures, CvPoint and CvPoint2D32f . There is also a cast operator to convert point coordinates to the specified type. The conversion from floating-point coordinates to integer coordinates is done by rounding. Commonly, the conversion uses this operation for each of the coordinates. Besides the class members listed in the declaration above, the following operations on points are implemented:\n\npt1 = pt2 + pt3;\npt1 = pt2 - pt3;\npt1 = pt2 * a;\npt1 = a * pt2;\npt1 = pt2 / a;\npt1 += pt2;\npt1 -= pt2;\npt1 *= a;\npt1 /= a;\ndouble value = norm(pt); // L2 norm\npt1 == pt2;\npt1 != pt2;\n\nFor your convenience, the following type aliases are defined:\n\ntypedef Point_<int> Point2i;\ntypedef Point2i Point;\ntypedef Point_<float> Point2f;\ntypedef Point_<double> Point2d;\n\nExample:\n\nPoint2f a(0.3f, 0.f), b(0.f, 0.4f);\nPoint pt = (a + b)*10.f;\ncout << pt.x << \", \" << pt.y << endl;\n\n## § value_type\n\ntemplate<typename _Tp>\n typedef _Tp cv::Point_< _Tp >::value_type\n\n## § Point_() [1/5]\n\ntemplate<typename _Tp>\n cv::Point_< _Tp >::Point_ ( )\n\ndefault constructor\n\n## § Point_() [2/5]\n\ntemplate<typename _Tp>\n cv::Point_< _Tp >::Point_ ( _Tp _x, _Tp _y )\n\n## § Point_() [3/5]\n\ntemplate<typename _Tp>\n cv::Point_< _Tp >::Point_ ( const Point_< _Tp > & pt )\n\n## § Point_() [4/5]\n\ntemplate<typename _Tp>\n cv::Point_< _Tp >::Point_ ( const Size_< _Tp > & sz )\n\n## § Point_() [5/5]\n\ntemplate<typename _Tp>\n cv::Point_< _Tp >::Point_ ( const Vec< _Tp, 2 > & v )\n\n## § cross()\n\ntemplate<typename _Tp>\n double cv::Point_< _Tp >::cross ( const Point_< _Tp > & pt ) const\n\ncross-product\n\n## § ddot()\n\ntemplate<typename _Tp>\n double cv::Point_< _Tp >::ddot ( const Point_< _Tp > & pt ) const\n\ndot product computed in double-precision arithmetics\n\n## § dot()\n\ntemplate<typename _Tp>\n _Tp cv::Point_< _Tp >::dot ( const Point_< _Tp > & pt ) const\n\ndot product\n\n## § inside()\n\ntemplate<typename _Tp>\n bool cv::Point_< _Tp >::inside ( const Rect_< _Tp > & r ) const\n\nchecks whether the point is inside the specified rectangle\n\n## § operator Point_< _Tp2 >()\n\ntemplate<typename _Tp>\ntemplate<typename _Tp2 >\n cv::Point_< _Tp >::operator Point_< _Tp2 > ( ) const\n\nconversion to another data type\n\n## § operator Vec< _Tp, 2 >()\n\ntemplate<typename _Tp>\n cv::Point_< _Tp >::operator Vec< _Tp, 2 > ( ) const\n\nconversion to the old-style C structures\n\n## § operator=()\n\ntemplate<typename _Tp>\n Point_& cv::Point_< _Tp >::operator= ( const Point_< _Tp > & pt )\n\n## § x\n\ntemplate<typename _Tp>\n _Tp cv::Point_< _Tp >::x\n\nx coordinate of the point\n\n## § y\n\ntemplate<typename _Tp>\n _Tp cv::Point_< _Tp >::y\n\ny coordinate of the point\n\nThe documentation for this class was generated from the following file:" ]
[ null, "https://docs.opencv.org/3.4.1/opencv-logo-small.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.53442436,"math_prob":0.9415249,"size":2714,"snap":"2020-24-2020-29","text_gpt3_token_len":785,"char_repetition_ratio":0.21845019,"word_repetition_ratio":0.22093023,"special_character_ratio":0.3282977,"punctuation_ratio":0.21705426,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9946667,"pos_list":[0,1,2],"im_url_duplicate_count":[null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-05-26T17:48:12Z\",\"WARC-Record-ID\":\"<urn:uuid:aa407f47-832c-46ab-928b-bf7e19244fef>\",\"Content-Length\":\"30187\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:0b451e16-8b57-42ae-aa6a-d5f357f57bc9>\",\"WARC-Concurrent-To\":\"<urn:uuid:8e3eeb23-c48d-40ef-a40a-6dfe8d0b08e1>\",\"WARC-IP-Address\":\"207.38.86.214\",\"WARC-Target-URI\":\"https://docs.opencv.org/3.4.1/db/d4e/classcv_1_1Point__.html\",\"WARC-Payload-Digest\":\"sha1:WLCPXNYKYUCBBWD5P2NXEH56RMTCWTIE\",\"WARC-Block-Digest\":\"sha1:PRGSCPSAEQ24QSBQ6L4NMPG4U6QTCQPM\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-24/CC-MAIN-2020-24_segments_1590347391277.13_warc_CC-MAIN-20200526160400-20200526190400-00177.warc.gz\"}"}
https://www.cis.uni-muenchen.de/schuetze/e/e/eS/eSi/eSig/eSigm/eSigma/eSigma_Theta_Tau.html
[ "### Sigma Theta Tau\n\nRelated by string. * sigma . SIGMA . Sigmas . www.sigma : Beta Sigma Phi . Sigma Chi fraternity . Lean Six Sigma . Sigma Pi . Sigma Nu fraternity / theta . THETA . Thetas : Mu Alpha Theta . Beta Theta Pi . Kappa Alpha Theta sorority . Delta Sigma Theta . Iota Phi Theta / TAU . Tauer . t Au . tau . Taus : Zeta Tau Alpha . Tau Devi Lal . Alpha Tau Omega . Tau Kappa Epsilon . Tau Kappa Epsilon fraternity * *" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.7001119,"math_prob":0.8011802,"size":2147,"snap":"2020-45-2020-50","text_gpt3_token_len":556,"char_repetition_ratio":0.16565563,"word_repetition_ratio":0.0,"special_character_ratio":0.25850022,"punctuation_ratio":0.0085227275,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99412596,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-12-04T01:58:49Z\",\"WARC-Record-ID\":\"<urn:uuid:2505fa7e-2d2c-4860-8382-8c609e450c37>\",\"Content-Length\":\"15639\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:9e749bf9-e905-4b7e-ab6b-5f6e8a0180d7>\",\"WARC-Concurrent-To\":\"<urn:uuid:04dc97cc-fc8f-4cc1-af03-1c071f1e4154>\",\"WARC-IP-Address\":\"129.187.148.72\",\"WARC-Target-URI\":\"https://www.cis.uni-muenchen.de/schuetze/e/e/eS/eSi/eSig/eSigm/eSigma/eSigma_Theta_Tau.html\",\"WARC-Payload-Digest\":\"sha1:T56IU4PJXE66NHMKG53RI5XZ2NJGF5QL\",\"WARC-Block-Digest\":\"sha1:7UCBYTXBMITVPWAUQGCICNGN2X33ZBWC\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-50/CC-MAIN-2020-50_segments_1606141733120.84_warc_CC-MAIN-20201204010410-20201204040410-00470.warc.gz\"}"}
http://meta-numerics.net/Documentation/html/c7f3199e-6cad-5003-edad-208914625a71.htm
[ "Computes both Airy functions and their derivatives.\n\nNamespace:  Meta.Numerics.Functions\nAssembly:  Meta.Numerics (in Meta.Numerics.dll) Version: 4.1.4", null, "Syntax\n```public static SolutionPair Airy(\ndouble x\n)```\n\n#### Parameters\n\nx\nType: SystemDouble\nThe argument.\n\n#### Return Value\n\nType: SolutionPair\nThe values of Ai(x), Ai'(x), Bi(x), and Bi'(x).", null, "Remarks\n\nAiry functions are solutions to the Airy differential equation:", null, "The Airy functions appear in quantum mechanics in the semi-classical WKB solution to the wave functions in a potential.\n\nFor negative arguments, Ai(x) and Bi(x) are oscillatory. For positive arguments, Ai(x) decreases exponentially and Bi(x) increases exponentially with increasing x.\n\nThis method simultaneously computes both Airy functions and their derivatives. If you need both Ai and Bi, it is faster to call this method once than to call AiryAi(Double) and AiryBi(Double) separately. If on, the other hand, you need only Ai or only Bi, and no derivative values, it is faster to call the appropriate method to compute the one you need.", null, "See Also" ]
[ null, "http://meta-numerics.net/Documentation/icons/SectionExpanded.png", null, "http://meta-numerics.net/Documentation/icons/SectionExpanded.png", null, "http://meta-numerics.net/Documentation/images/AiryODE.png", null, "http://meta-numerics.net/Documentation/icons/SectionExpanded.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.86627936,"math_prob":0.83809775,"size":761,"snap":"2021-43-2021-49","text_gpt3_token_len":164,"char_repetition_ratio":0.12813738,"word_repetition_ratio":0.018018018,"special_character_ratio":0.1892247,"punctuation_ratio":0.120567374,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9893352,"pos_list":[0,1,2,3,4,5,6,7,8],"im_url_duplicate_count":[null,null,null,null,null,1,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-12-01T12:15:35Z\",\"WARC-Record-ID\":\"<urn:uuid:70c2efb7-9d2a-4560-8d7f-871fb672a54a>\",\"Content-Length\":\"25464\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:8778e93d-350d-475b-a9dd-2d77cf2c7cb6>\",\"WARC-Concurrent-To\":\"<urn:uuid:25c0b5d6-60fa-4e52-a3b4-cc8a66474b14>\",\"WARC-IP-Address\":\"143.95.247.91\",\"WARC-Target-URI\":\"http://meta-numerics.net/Documentation/html/c7f3199e-6cad-5003-edad-208914625a71.htm\",\"WARC-Payload-Digest\":\"sha1:O4FFU5OWZGCKFK7PWJ5W52MMGDGNPDCI\",\"WARC-Block-Digest\":\"sha1:4BC43TO5MS7O3PJRKLVXV2LDSSJD4YU6\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-49/CC-MAIN-2021-49_segments_1637964360803.0_warc_CC-MAIN-20211201113241-20211201143241-00388.warc.gz\"}"}
https://dir.md/wiki/Point_(geometry)?host=en.wikipedia.org
[ "# Point (geometry)", null, "In classical Euclidean geometry, a point is a primitive notion that models an exact location in the space, and has no length, width, or thickness. In modern mathematics, a point refers more generally to an element of some set called a space.\n\nBeing a primitive notion means that a point cannot be defined in terms of previously defined objects. That is, a point is defined only by some properties, called axioms, that it must satisfy; for example, \"there is exactly one line that passes through two different points\".\n\nPoints, considered within the framework of Euclidean geometry, are one of the most fundamental objects. Euclid originally defined the point as \"that which has no part\". In two-dimensional Euclidean space, a point is represented by an ordered pair (x, y) of numbers, where the first number conventionally represents the horizontal and is often denoted by x, and the second number conventionally represents the vertical and is often denoted by y. This idea is easily generalized to three-dimensional Euclidean space, where a point is represented by an ordered triplet (x, y, z) with the additional third number representing depth and often denoted by z. Further generalizations are represented by an ordered tuplet of n terms, (a1, a2, … , an) where n is the dimension of the space in which the point is located.\n\nIn addition to defining points and constructs related to points, Euclid also postulated a key idea about points, that any two points can be connected by a straight line. This is easily confirmed under modern extensions of Euclidean geometry, and had lasting consequences at its introduction, allowing the construction of almost all the geometric concepts known at the time. However, Euclid's postulation of points was neither complete nor definitive, and he occasionally assumed facts about points that did not follow directly from his axioms, such as the ordering of points on the line or the existence of specific points. In spite of this, modern expansions of the system serve to remove these assumptions.\n\nThere are several inequivalent definitions of dimension in mathematics. In all of the common definitions, a point is 0-dimensional.\n\nA point is zero-dimensional with respect to the covering dimension because every open cover of the space has a refinement consisting of a single open set.\n\nA point has Hausdorff dimension 0 because it can be covered by a single ball of arbitrarily small radius.\n\nAlthough the notion of a point is generally considered fundamental in mainstream geometry and topology, there are some systems that forgo it, e.g. noncommutative geometry and pointless topology. A \"pointless\" or \"pointfree\" space is defined not as a set, but via some structure (algebraic or logical respectively) which looks like a well-known function space on the set: an algebra of continuous functions or an algebra of sets respectively. More precisely, such structures generalize well-known spaces of functions in a way that the operation \"take a value at this point\" may not be defined. A further tradition starts from some books of A. N. Whitehead in which the notion of region is assumed as a primitive together with the one of inclusion or connection.\n\nOften in physics and mathematics, it is useful to think of a point as having non-zero mass or charge (this is especially common in classical electromagnetism, where electrons are idealized as points with non-zero charge). The Dirac delta function, or δ function, is (informally) a generalized function on the real number line that is zero everywhere except at zero, with an integral of one over the entire real line. The delta function is sometimes thought of as an infinitely high, infinitely thin spike at the origin, with total area one under the spike, and physically represents an idealized point mass or point charge. It was introduced by theoretical physicist Paul Dirac. In the context of signal processing it is often referred to as the unit impulse symbol (or function). Its discrete analog is the Kronecker delta function which is usually defined on a finite domain and takes values 0 and 1." ]
[ null, "https://upload.wikimedia.org/wikipedia/commons/thumb/8/88/Stereographic_projection_in_3D.svg/1200px-Stereographic_projection_in_3D.svg.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.9562486,"math_prob":0.98154384,"size":4128,"snap":"2022-05-2022-21","text_gpt3_token_len":840,"char_repetition_ratio":0.12439379,"word_repetition_ratio":0.011940299,"special_character_ratio":0.19597869,"punctuation_ratio":0.09960681,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9928549,"pos_list":[0,1,2],"im_url_duplicate_count":[null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-05-17T18:26:45Z\",\"WARC-Record-ID\":\"<urn:uuid:84d551a7-a667-4b75-83bf-d5b577d5bc7f>\",\"Content-Length\":\"12420\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:07debd12-b0a7-4a5e-8e36-44b909f2b126>\",\"WARC-Concurrent-To\":\"<urn:uuid:059d11a2-d519-4fad-9cae-c14fe359957c>\",\"WARC-IP-Address\":\"172.67.214.40\",\"WARC-Target-URI\":\"https://dir.md/wiki/Point_(geometry)?host=en.wikipedia.org\",\"WARC-Payload-Digest\":\"sha1:I3T2S2AKFTEJM42IXURFF3XA3BLW7W7E\",\"WARC-Block-Digest\":\"sha1:BSGEWIBS6BTOF4DCMT5CG45T33GX2IO6\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-21/CC-MAIN-2022-21_segments_1652662519037.11_warc_CC-MAIN-20220517162558-20220517192558-00724.warc.gz\"}"}
https://thareducation.com/math-worksheets-with-answers.html
[ "Math Worksheets With Answers. You can choose the difficulty level and size of maze. Math Worksheets Listed By Specific Topic and Skill Area. Math Worksheets Done Right - Enjoy.", null, "Number Worksheets Free Printable Math Worksheets Printable Math Worksheets Number Line\n\n### Includes problems with and without wholes and with and without cross-cancelling.\n\nPacked here are workbooks for grades k-8 teaching resources and high school worksheets with accurate answer keys and free sample printables. Students can match the solutions with the answer keys and get appropriate feedback to analyse mistakes and correct them. There is alos a FREE.\n\nGenerate an unlimited number of custom math worksheets instantly. This is a comprehensive and perfect collection of everything on the SAT Math that a test taker needs to learn before the test day. They are also interactive and will give you immediate feedback Number fractions addition subtraction division multiplication order of operations money and time worksheets with video lessons examples and step-by-step solutions.\n\nMany teachers are looking for common core aligned math work. Aligned with the CCSS the practice worksheets cover all the key math topics like number sense measurement statistics geometry pre-algebra and algebra. Printable math worksheets from K5 Learning.\n\nOur math worksheets are available on a broad range of topics including number sense arithmetic pre-algebra geometry measurement money concepts and much more. Angle Side Angle Worksheet and Activity. We feature over 2000 free math printables that range in skill from grades K-12.\n\nAll worksheets are pdf documents with the answers on the 2nd page. Math Worksheets - Free Weekly PDF Printables 1st grade math 2nd grade math 3rd grade math 4th grade math 5th grade math 6th grade math. These math worksheets provide practice for multiplying fractions.\n\nEnjoy these free pintable sheets. Each one has model problems worked out step by step practice problems as well as challenge questions at the sheets end. These worksheets can help your students succeed on the SAT Math test.", null, "### Number Worksheets Free Printable Math Worksheets Printable Math Worksheets Number Line", null, "### Kumon Publishing Kumon Publishing Grade 2 Subtraction Kumon Math Kumon Worksheets Math Workbook", null, "### Math Worksheets Subtraction Pre Algebra Problems Algebra Worksheets Pre Algebra Worksheets Math Worksheets", null, "### Math Worksheets Answers Multiplication Worksheets Math Worksheets Multiplication Practice Worksheets", null, "### Math Worksheets Fraction And Wholes Multiplication Multiplying Fractions Worksheets Fractions Worksheets Math Worksheets", null, "", null, "### Zippin Down The Freebie Trail Fun Math Worksheets Algebra Worksheets Middle School Math Worksheets", null, "### Addition 1 Minute Drill H 10 Math Worksheets With Answers Etsy Math Addition Worksheets Math Worksheets Math Fact Worksheets", null, "### Multiplication Times Table Worksheets Numeracy Warm Up Math Multiplication Worksheets Multiplication Worksheets 4th Grade Math Worksheets", null, "### Multiplication 5 Minute Drill Worksheets With Answers Pdf Year 2 3 4 Grade 2 3 4 Printable Worksheets Basic Multiplication In 2020 First Grade Math Worksheets 1st Grade Math Worksheets Math Addition Worksheets", null, "", null, "### 4th Grade Math Worksheets For Morning Work Homework Centers 4th Grade Math Worksheets 4th Grade Math Math Worksheets", null, "### 30 Free Maths Worksheets Cazoom Maths Worksheets Free Math Worksheets Fractions Worksheets Math Fractions Worksheets", null, "### Pin On 4th Grade Math Worksheets", null, "### Answer Page For The 100 Horizontal Mixed Operations Questions Facts 1 To 10 C Math Fact Worksheets Math Drills This Or That Questions", null, "### Decimal Multiplication Up To 100 With 2dp Sheet 2 Answers Decimal Multiplication Multiplication Worksheets Decimals", null, "### Converting Yards Feet And Inches Sheet 2 Answers Free Printable Math Worksheets Printable Math Worksheets 3rd Grade Math Worksheets", null, "### Printables Free Integer Word Problems Worksheet Integer Word Problems Worksheet Printable Fabul Word Problem Worksheets Math Word Problems Free Math Worksheets", null, "### Pre Algebra Math Worksheet Need A Little Extra Practice Try Out These Problems Or Create Algebra Worksheets Math Practice Worksheets Basic Algebra Worksheets", null, "### The 4 Digit Minus 3 Digit Subtraction With Comma Separated Thousands A Math Worksheet From The Subtraction Worksheets Mathematics Worksheets Math Worksheets", null, "### These Multiplication Worksheets Include Answer Keys And Are Free For Classroom Or Personal Use Multi Multiplication Worksheets Math Worksheets Rocket Math", null, "### Math Sheets For Grade 1 To Print First Grade Math Worksheets Math Subtraction Worksheets First Grade Worksheets", null, "### Printable Math Worksheets Place Value To 10000 6 Gif 790 1022 Place Value Worksheets Worksheets For Grade 3 Mathematics Worksheets", null, "### Year 4 Mental Maths Sheet 1 Answers Kelpies Mental Maths Worksheets Mental Math Math Worksheets", null, "### Numbers Before After And Between Free Printable Worksheets Kindergarten Math Worksheets Free Kindergarten Math Worksheets School Worksheets", null, "### Add Subtract Math Printable Worksheets No Regrouping 61 Etsy Math Worksheets Math Workbook Math Printables", null, "### Kinematics Worksheet With Answers Word Problem Worksheets Question Paper Fall Worksheets", null, "### The Large Print 4 Digit Minus 4 Digit Subtraction A Math Worksheet From The Subtraction Worksheets Subtraction Worksheets Mental Math Mathematics Worksheets", null, "### Pin On Worksheets", null, "### 4th Grade Math Worksheets For Morning Work Homework Centers 4th Grade Math Worksheets 4th Grade Math Math Worksheets", null, "### 1", null, "### Multiplication 3 Minute Drill V 10 Math Worksheets With Answers Pdf Year 2 3 4 Grade 2 3 4 Printabl Math Worksheets Math Workbook Printable Math Worksheets", null, "### Rounding To The Nearest 10 Sheet 4 Answers In 2021 Free Printable Math Worksheets Printable Math Worksheets 3rd Grade Math Worksheets", null, "### The Using The Distributive Property Some Answers Include Exponents A Math Worksheet From Algebra Worksheets Distributive Property Math Practice Worksheets", null, "### Fraction Multiplication Multiplication With Cross Cancelling Math Worksheets Fractions Worksheets Common Core Math Worksheets", null, "### 3", null, "", null, "### The 4 Digit By 2 Digit Long Division With Remainders And Steps Shown On Answer Key A Math Worksh Division Worksheets Math Worksheets Long Division Worksheets", null, "### 4th Grade Worksheets With Math Exercises Fractions Worksheets Math Fractions Worksheets 4th Grade Math Worksheets", null, "", null, "### Pin On Kids", null, "### Math Worksheets With Mixed Addition And Subtraction Problems Addition Subtraction Free Printable Math Worksheets Printable Math Worksheets Math Worksheets", null, "### 37 Cool 6th Grade Math Worksheets Ideas Http Ygdravil Info 37 Cool 6th Grade Math Worksheets Id Math Worksheets Algebra Worksheets Basic Algebra Worksheets", null, "### Grade 1 Worksheets Place Value Worksheets 1st Grade Worksheets Kindergarten Worksheets", null, "### Activity Resources Company Graphiti Worksheets Answers Printable Worksheets Are A Precious Classroom Tool In 2021 Math Worksheet Math Worksheets Worksheet Template", null, "### Free Math Worksheets For Percentages Problems With Answer Key Http Www Dadsworksheets Com Worksheet Free Math Worksheets Math Worksheets Math Facts Addition", null, "### Pemdas Worksheets With Answers In 2021 Number Sense Worksheets Order Of Operations Pemdas Worksheets", null, "### Multiplication Double Digit 10 Math Worksheets With Etsy Math Worksheets Kids Math Worksheets Printable Math Worksheets", null, "### Year 4 Maths Worksheets Addition Adding Whole Hundreds 3 Addends Worksheets With Answers Https Englis Year 4 Maths Worksheets Year 4 Maths Math Worksheet", null, "### The Multiplying And Dividing Decimals By Positive Powers Of Ten Exponent Form A Math Workshee Algebra Worksheets Distributive Property 6th Grade Worksheets", null, "### Grade 1 Math Workbook One Per Day 120 Math Worksheets Etsy Math Workbook Kids Worksheets Printables Math Worksheets", null, "### Divisibility Rules Worksheet Pdf Divisibility Rules Divisibility Rules Worksheet Divisibility Rules Printable", null, "### Homeschool Math Blog Free Math Worksheets For Grades 1 7 For Most Any Area And Perimeter Worksheets 3rd Grade Math Worksheets Free Printable Math Worksheets", null, "### Grade 1 Math Workbook One Per Day 120 Math Worksheets Etsy Addition Worksheets Math Workbook Math Worksheets", null, "### Pin By Rebecca Peele Russo On 6th Grade Division Worksheets Math Division Worksheets Multiplication Worksheets", null, "### Epingle Sur Worksheets Master", null, "### Pin On Math Worksheet", null, "", null, "", null, "" ]
[ null, "https://i.pinimg.com/originals/04/0c/4c/040c4c69dfe62931d8a07b218036647e.gif", null, "https://i.pinimg.com/originals/f4/1f/4c/f41f4ce9ae5b836c6abf9e3a9fc8012a.jpg", null, "https://i.pinimg.com/originals/aa/9e/19/aa9e19a038b6b4982f0f754ec77b08e4.jpg", null, "https://i.pinimg.com/originals/d3/4b/67/d34b672067ebf8958add60fff4241504.jpg", null, "https://i.pinimg.com/originals/e6/c6/dd/e6c6dd0885e2751c44ee602bb5c151a2.gif", null, "https://i.pinimg.com/originals/d2/ca/75/d2ca753ac1935717e690efc78e877fa0.jpg", null, "https://i.pinimg.com/originals/19/45/32/1945329fe93652223db372a471977f1c.jpg", null, "https://i.pinimg.com/originals/a3/f2/01/a3f201b21ed30fd1cbbad692b7d73f21.jpg", null, "https://i.pinimg.com/originals/81/ef/eb/81efeb6d7e3f21ab2d5c50245281fe7d.jpg", null, "https://i.pinimg.com/originals/65/07/69/650769a17c0c580794347d3f0c38a7b8.jpg", null, "https://i.pinimg.com/originals/a2/5c/45/a25c45887061036c3436ed4d6e9b9187.jpg", null, "https://i.pinimg.com/originals/28/e8/6f/28e86f595355e8be92d3f1b72a226edc.gif", null, "https://i.pinimg.com/736x/77/30/e3/7730e3e811b11873599790ee318510e0.jpg", null, "https://i.pinimg.com/originals/99/2a/f5/992af5ec88f4cde4dd33ab9defc817f9.jpg", null, "https://i.pinimg.com/originals/27/a5/4a/27a54ae811478c4328449dde4caba2c9.gif", null, "https://i.pinimg.com/originals/3a/2e/9c/3a2e9c735a52bcbedf5669575460689f.jpg", null, "https://i.pinimg.com/originals/2f/59/13/2f5913db5b163332e28f2c6afa36d728.gif", null, "https://i.pinimg.com/originals/8f/7e/66/8f7e66259f759f44ea0cced0796cbea9.gif", null, "https://i.pinimg.com/originals/4d/9d/b1/4d9db13fcc6e7f34f4e849ca9b1513fc.jpg", null, "https://i.pinimg.com/originals/fd/d0/62/fdd062d6e5995fe6f3bc8e56b1b8a505.jpg", null, "https://i.pinimg.com/originals/40/51/1a/40511aa589cc82f8e3c778f2a74eb5b7.jpg", null, "https://i.pinimg.com/originals/6d/8e/2e/6d8e2e9dcdcd852712817bbff84a155c.jpg", null, "https://i.pinimg.com/originals/4b/53/c2/4b53c2ed1d297e6849ac9cca2bff1780.gif", null, "https://i.pinimg.com/originals/88/5a/3a/885a3ab77b7c924fca3010d648388914.gif", null, "https://i.pinimg.com/originals/04/0c/4c/040c4c69dfe62931d8a07b218036647e.gif", null, "https://i.pinimg.com/originals/88/b2/ba/88b2baa22f801935777e02f64a60ccde.jpg", null, "https://i.pinimg.com/originals/9a/d3/14/9ad314c3a7446374b7bdc4a6bd38d230.jpg", null, "https://i.pinimg.com/originals/a7/56/5a/a7565a5fc69e09d351d425f7a32ce60e.jpg", null, "https://i.pinimg.com/originals/c0/a4/e2/c0a4e2c4adcc92eec36ceaab46721c25.jpg", null, "https://i.pinimg.com/originals/0d/45/f0/0d45f045921d030def3364e3ce0e99d3.jpg", null, "https://i.pinimg.com/736x/5f/a1/71/5fa1718ea9cee6f2ee27669c47c21cbe.jpg", null, "https://thareducation.com/search", null, "https://i.pinimg.com/originals/b3/07/f5/b307f5494d96e5d04830db2554b781bc.jpg", null, "https://i.pinimg.com/originals/c3/28/86/c32886cf3bae5fcfa3128458486a9142.gif", null, "https://i.pinimg.com/originals/c6/22/6c/c6226cb50e82eedf0429b18091f7c302.jpg", null, "https://i.pinimg.com/originals/fd/b8/3c/fdb83c6445d87208eefaa9a6c32b9dd0.jpg", null, "https://thareducation.com/search", null, "https://i.pinimg.com/originals/41/6b/38/416b38de2b93247e0a4fb1d4d536aef4.png", null, "https://i.pinimg.com/originals/b8/35/1d/b8351d750500708c0b036fff29466c54.png", null, "https://i.pinimg.com/originals/e0/da/4f/e0da4fb8b24bae32ff8b857fc7ed9631.gif", null, "https://i.pinimg.com/originals/71/9e/a6/719ea693b5a68ad3b51cb22dc816f8f0.jpg", null, "https://i.pinimg.com/originals/e2/9a/5b/e29a5b9d1d516efa3bf19edbfbad3c7f.jpg", null, "https://i.pinimg.com/originals/0b/6e/59/0b6e59c63d0e36965d4fdbd063d110d4.jpg", null, "https://i.pinimg.com/originals/d9/f6/bb/d9f6bbac00da2821c89202eb1bc9d42e.gif", null, "https://i.pinimg.com/originals/bc/1a/c7/bc1ac71b5a7d15d5581b2a0f85f6bb03.jpg", null, "https://i.pinimg.com/originals/a7/02/fb/a702fbf671942f9a6e0ac2d32cddede1.jpg", null, "https://i.pinimg.com/originals/4a/dd/2f/4add2fdf04e840390e0c227bd2aa1b5a.jpg", null, "https://i.pinimg.com/originals/51/8a/f7/518af74fac851e22e25c2d90b6e7ee41.png", null, "https://i.pinimg.com/originals/83/d2/0b/83d20bd5ee2f3d501baada2d79d1a2e0.jpg", null, "https://i.pinimg.com/originals/7e/66/49/7e66498062ca36ed183a2a45e0d1c8ef.jpg", null, "https://i.pinimg.com/originals/5a/ee/8a/5aee8adff721d63cfa6fc1f28b26dcf1.jpg", null, "https://i.pinimg.com/originals/69/3c/69/693c69296076502e75e370f1b95ccf8f.jpg", null, "https://i.pinimg.com/originals/a3/72/df/a372dfb5fefc51a1b3c196a9f1c3687b.png", null, "https://i.pinimg.com/originals/95/31/cc/9531cc30ed9d101c505fbeed5013aecb.gif", null, "https://i.pinimg.com/originals/87/8e/91/878e9111eb4275b81a1c2fc383ebb3ce.jpg", null, "https://i.pinimg.com/originals/b1/2b/43/b12b43ce822e552ff5e90d23b59f4303.jpg", null, "https://i.pinimg.com/originals/13/4d/1f/134d1fdbccec53280fb1576d17b5bcc7.jpg", null, "https://i.pinimg.com/originals/fc/df/ee/fcdfee371fe26305a5881a63d0afcd80.jpg", null, "https://i.pinimg.com/originals/6d/84/09/6d8409eaf6ec2ad509c02b5a8dc3a4ee.jpg", null, "https://i.pinimg.com/originals/32/cf/1d/32cf1d30219e1e858954c719b6994128.jpg", null, "https://i.pinimg.com/originals/bd/c7/57/bdc7575451be738bd5c93fcbf0adb48f.jpg", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.6524219,"math_prob":0.44100958,"size":8001,"snap":"2021-43-2021-49","text_gpt3_token_len":1490,"char_repetition_ratio":0.35125673,"word_repetition_ratio":0.07865169,"special_character_ratio":0.16685414,"punctuation_ratio":0.019343987,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9970002,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32,33,34,35,36,37,38,39,40,41,42,43,44,45,46,47,48,49,50,51,52,53,54,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69,70,71,72,73,74,75,76,77,78,79,80,81,82,83,84,85,86,87,88,89,90,91,92,93,94,95,96,97,98,99,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,6,null,10,null,null,null,null,null,null,null,null,null,8,null,null,null,3,null,null,null,2,null,null,null,null,null,2,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,1,null,null,null,null,null,4,null,null,null,null,null,4,null,null,null,null,null,null,null,null,null,null,null,null,null,1,null,null,null,null,null,null,null,1,null,1,null,1,null,null,null,null,null,null,null,null,null,2,null,null,null,null,null,2,null,null,null,10,null,8,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-10-17T18:47:20Z\",\"WARC-Record-ID\":\"<urn:uuid:82ba916f-c8a3-4270-898d-711237608099>\",\"Content-Length\":\"68769\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:a556309f-a320-4c91-be50-5b5c283b37f0>\",\"WARC-Concurrent-To\":\"<urn:uuid:048a4c05-e051-4302-aaf0-054f3da1a510>\",\"WARC-IP-Address\":\"172.67.156.204\",\"WARC-Target-URI\":\"https://thareducation.com/math-worksheets-with-answers.html\",\"WARC-Payload-Digest\":\"sha1:AF5CKUIEHIC6OEOMIES7LURUU3MMMKWM\",\"WARC-Block-Digest\":\"sha1:LCFM6G5KEYJWEEYWRLVHE4VK7MMVBTZR\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-43/CC-MAIN-2021-43_segments_1634323585181.6_warc_CC-MAIN-20211017175237-20211017205237-00415.warc.gz\"}"}
https://yingtan.home.focus.cn/gonglue/2d24e7dce391d930.html
[ "|\n\n# 评测:金牛前置过滤器,实力解决家庭饮水二次污染问题\n\n水是我们日常生活中最宝贵的资源,洗衣、做饭等等与生活息息相关的事情都离不开它。锅碗瓢盆脏了可以洗,衣服鞋子脏了也可以洗,但水脏了用什么洗?\n\n生活中所用到的自来水,大多经过了自来水厂的粗过滤和杀菌,但自来水在市政管网运输过程中或者在高层建筑储水箱中不可避免地会受到污染,到达用户家中时就可能会含有泥沙、铁锈、沉淀物、藻类、红虫等污染物,这样就造成了家庭用水二次污染。\n\n针对自来水二次污染带来的困扰,如衣服泛黄、菜洗不干净、热水器堵塞、龙头出黄水、洗衣机故障等,素有管道专家之称的金牛管业,推出了能有效解决家庭用水二次污染问题的产品——金牛前置过滤器。\n\n过滤效果究竟好不好?试试便知道。先来做个小实验(金牛前置过滤器净水效果检测+密封性检测):\n\n净水效果评测结果:金牛前置过滤器呈T字型,精巧轻便。它采用一体成型包塑滤网,能有效过滤40-90um的杂质,过滤后的水质清澈、干净无杂质。\n\n另外,金牛前置过滤器自身清洁起来也非常方便,它的内部有一个“雨刮式”清洁软刮。打开前置过滤器下方的阀门,杂质立刻顺着水流冲刷出来,冲洗彻底。\n\n施压过程中的密封性评测结果:\n\n家庭正常用水水压一般在2.5-3.0公斤之间,用打压机对前置过滤器进行施压至1.6兆帕,也就是16公斤,没有掉压和漏水现象,说明金牛前置过滤器密闭性非常好。\n\n通过以上实验可以看出,金牛前置过滤器净水效果好,自清洁能力强,密闭性佳。但若要保证水质健康环保,前置过滤器自身的安全健康也不能被忽略。再来看看金牛前置过滤器的重要组成材料:", null, "金牛前置过滤器杯体采用进口的PC材料,爆破压力超过55kg,水锤测试超过NSF标准要求,强度更高,使用更安全。", null, "", null, "", null, "过滤器主体采用无铅铜材质,保证水环境更健康环保。", null, "", null, "评测总结:金牛前置过滤器既适宜家庭使用,也适用于独立安装在需要保护的设备或系统上游。它可有效去除管道中40-90um以上的沉淀杂质和细菌、微生物残骸、铁锈、泥沙、红虫、碎屑等大颗料杂质,避免人体及肌肤受到伤害;同时对下游管道、家用净水设备、热水器、太阳能、洗衣机、高档龙头、花洒、地热水暖水路系统等等涉水设备起到积极的保护作用,使水质达到或优于自来水厂出厂时的标准!\n\n`声明:本文由入驻焦点开放平台的作者撰写,除焦点官方账号外,观点仅代表作者本人,不代表焦点立场错误信息举报电话: 400-099-0099,邮箱:jubao@vip.sohu.com,或点此进行意见反馈,或点此进行举报投诉。`", null, "A B C D E F G H J K L M N P Q R S T W X Y Z\nA - B - C - D - E\n• A\n• 鞍山\n• 安庆\n• 安阳\n• 安顺\n• 安康\n• 澳门\n• B\n• 北京\n• 保定\n• 包头\n• 巴彦淖尔\n• 本溪\n• 蚌埠\n• 亳州\n• 滨州\n• 北海\n• 百色\n• 巴中\n• 毕节\n• 保山\n• 宝鸡\n• 白银\n• 巴州\n• C\n• 承德\n• 沧州\n• 长治\n• 赤峰\n• 朝阳\n• 长春\n• 常州\n• 滁州\n• 池州\n• 长沙\n• 常德\n• 郴州\n• 潮州\n• 崇左\n• 重庆\n• 成都\n• 楚雄\n• 昌都\n• 慈溪\n• 常熟\n• D\n• 大同\n• 大连\n• 丹东\n• 大庆\n• 东营\n• 德州\n• 东莞\n• 德阳\n• 达州\n• 大理\n• 德宏\n• 定西\n• 儋州\n• 东平\n• E\n• 鄂尔多斯\n• 鄂州\n• 恩施\nF - G - H - I - J\n• F\n• 抚顺\n• 阜新\n• 阜阳\n• 福州\n• 抚州\n• 佛山\n• 防城港\n• G\n• 赣州\n• 广州\n• 桂林\n• 贵港\n• 广元\n• 广安\n• 贵阳\n• 固原\n• H\n• 邯郸\n• 衡水\n• 呼和浩特\n• 呼伦贝尔\n• 葫芦岛\n• 哈尔滨\n• 黑河\n• 淮安\n• 杭州\n• 湖州\n• 合肥\n• 淮南\n• 淮北\n• 黄山\n• 菏泽\n• 鹤壁\n• 黄石\n• 黄冈\n• 衡阳\n• 怀化\n• 惠州\n• 河源\n• 贺州\n• 河池\n• 海口\n• 红河\n• 汉中\n• 海东\n• 怀来\n• I\n• J\n• 晋中\n• 锦州\n• 吉林\n• 鸡西\n• 佳木斯\n• 嘉兴\n• 金华\n• 景德镇\n• 九江\n• 吉安\n• 济南\n• 济宁\n• 焦作\n• 荆门\n• 荆州\n• 江门\n• 揭阳\n• 金昌\n• 酒泉\n• 嘉峪关\nK - L - M - N - P\n• K\n• 开封\n• 昆明\n• 昆山\n• L\n• 廊坊\n• 临汾\n• 辽阳\n• 连云港\n• 丽水\n• 六安\n• 龙岩\n• 莱芜\n• 临沂\n• 聊城\n• 洛阳\n• 漯河\n• 娄底\n• 柳州\n• 来宾\n• 泸州\n• 乐山\n• 六盘水\n• 丽江\n• 临沧\n• 拉萨\n• 林芝\n• 兰州\n• 陇南\n• M\n• 牡丹江\n• 马鞍山\n• 茂名\n• 梅州\n• 绵阳\n• 眉山\n• N\n• 南京\n• 南通\n• 宁波\n• 南平\n• 宁德\n• 南昌\n• 南阳\n• 南宁\n• 内江\n• 南充\n• P\n• 盘锦\n• 莆田\n• 平顶山\n• 濮阳\n• 攀枝花\n• 普洱\n• 平凉\nQ - R - S - T - W\n• Q\n• 秦皇岛\n• 齐齐哈尔\n• 衢州\n• 泉州\n• 青岛\n• 清远\n• 钦州\n• 黔南\n• 曲靖\n• 庆阳\n• R\n• 日照\n• 日喀则\n• S\n• 石家庄\n• 沈阳\n• 双鸭山\n• 绥化\n• 上海\n• 苏州\n• 宿迁\n• 绍兴\n• 宿州\n• 三明\n• 上饶\n• 三门峡\n• 商丘\n• 十堰\n• 随州\n• 邵阳\n• 韶关\n• 深圳\n• 汕头\n• 汕尾\n• 三亚\n• 三沙\n• 遂宁\n• 山南\n• 商洛\n• 石嘴山\n• T\n• 天津\n• 唐山\n• 太原\n• 通辽\n• 铁岭\n• 泰州\n• 台州\n• 铜陵\n• 泰安\n• 铜仁\n• 铜川\n• 天水\n• 天门\n• W\n• 乌海\n• 乌兰察布\n• 无锡\n• 温州\n• 芜湖\n• 潍坊\n• 威海\n• 武汉\n• 梧州\n• 渭南\n• 武威\n• 吴忠\n• 乌鲁木齐\nX - Y - Z\n• X\n• 邢台\n• 徐州\n• 宣城\n• 厦门\n• 新乡\n• 许昌\n• 信阳\n• 襄阳\n• 孝感\n• 咸宁\n• 湘潭\n• 湘西\n• 西双版纳\n• 西安\n• 咸阳\n• 西宁\n• 仙桃\n• 西昌\n• Y\n• 运城\n• 营口\n• 盐城\n• 扬州\n• 鹰潭\n• 宜春\n• 烟台\n• 宜昌\n• 岳阳\n• 益阳\n• 永州\n• 阳江\n• 云浮\n• 玉林\n• 宜宾\n• 雅安\n• 玉溪\n• 延安\n• 榆林\n• 银川\n• Z\n• 张家口\n• 镇江\n• 舟山\n• 漳州\n• 淄博\n• 枣庄\n• 郑州\n• 周口\n• 驻马店\n• 株洲\n• 张家界\n• 珠海\n• 湛江\n• 肇庆\n• 中山\n• 自贡\n• 资阳\n• 遵义\n• 昭通\n• 张掖\n• 中卫\n\n1室1厅1厨1卫1阳台\n\n1\n2\n3\n4\n5\n\n0\n1\n2\n\n1\n\n1\n\n0\n1\n2\n3", null, "", null, "", null, "报名成功,资料已提交审核", null, "A B C D E F G H J K L M N P Q R S T W X Y Z\nA - B - C - D - E\n• A\n• 鞍山\n• 安庆\n• 安阳\n• 安顺\n• 安康\n• 澳门\n• B\n• 北京\n• 保定\n• 包头\n• 巴彦淖尔\n• 本溪\n• 蚌埠\n• 亳州\n• 滨州\n• 北海\n• 百色\n• 巴中\n• 毕节\n• 保山\n• 宝鸡\n• 白银\n• 巴州\n• C\n• 承德\n• 沧州\n• 长治\n• 赤峰\n• 朝阳\n• 长春\n• 常州\n• 滁州\n• 池州\n• 长沙\n• 常德\n• 郴州\n• 潮州\n• 崇左\n• 重庆\n• 成都\n• 楚雄\n• 昌都\n• 慈溪\n• 常熟\n• D\n• 大同\n• 大连\n• 丹东\n• 大庆\n• 东营\n• 德州\n• 东莞\n• 德阳\n• 达州\n• 大理\n• 德宏\n• 定西\n• 儋州\n• 东平\n• E\n• 鄂尔多斯\n• 鄂州\n• 恩施\nF - G - H - I - J\n• F\n• 抚顺\n• 阜新\n• 阜阳\n• 福州\n• 抚州\n• 佛山\n• 防城港\n• G\n• 赣州\n• 广州\n• 桂林\n• 贵港\n• 广元\n• 广安\n• 贵阳\n• 固原\n• H\n• 邯郸\n• 衡水\n• 呼和浩特\n• 呼伦贝尔\n• 葫芦岛\n• 哈尔滨\n• 黑河\n• 淮安\n• 杭州\n• 湖州\n• 合肥\n• 淮南\n• 淮北\n• 黄山\n• 菏泽\n• 鹤壁\n• 黄石\n• 黄冈\n• 衡阳\n• 怀化\n• 惠州\n• 河源\n• 贺州\n• 河池\n• 海口\n• 红河\n• 汉中\n• 海东\n• 怀来\n• I\n• J\n• 晋中\n• 锦州\n• 吉林\n• 鸡西\n• 佳木斯\n• 嘉兴\n• 金华\n• 景德镇\n• 九江\n• 吉安\n• 济南\n• 济宁\n• 焦作\n• 荆门\n• 荆州\n• 江门\n• 揭阳\n• 金昌\n• 酒泉\n• 嘉峪关\nK - L - M - N - P\n• K\n• 开封\n• 昆明\n• 昆山\n• L\n• 廊坊\n• 临汾\n• 辽阳\n• 连云港\n• 丽水\n• 六安\n• 龙岩\n• 莱芜\n• 临沂\n• 聊城\n• 洛阳\n• 漯河\n• 娄底\n• 柳州\n• 来宾\n• 泸州\n• 乐山\n• 六盘水\n• 丽江\n• 临沧\n• 拉萨\n• 林芝\n• 兰州\n• 陇南\n• M\n• 牡丹江\n• 马鞍山\n• 茂名\n• 梅州\n• 绵阳\n• 眉山\n• N\n• 南京\n• 南通\n• 宁波\n• 南平\n• 宁德\n• 南昌\n• 南阳\n• 南宁\n• 内江\n• 南充\n• P\n• 盘锦\n• 莆田\n• 平顶山\n• 濮阳\n• 攀枝花\n• 普洱\n• 平凉\nQ - R - S - T - W\n• Q\n• 秦皇岛\n• 齐齐哈尔\n• 衢州\n• 泉州\n• 青岛\n• 清远\n• 钦州\n• 黔南\n• 曲靖\n• 庆阳\n• R\n• 日照\n• 日喀则\n• S\n• 石家庄\n• 沈阳\n• 双鸭山\n• 绥化\n• 上海\n• 苏州\n• 宿迁\n• 绍兴\n• 宿州\n• 三明\n• 上饶\n• 三门峡\n• 商丘\n• 十堰\n• 随州\n• 邵阳\n• 韶关\n• 深圳\n• 汕头\n• 汕尾\n• 三亚\n• 三沙\n• 遂宁\n• 山南\n• 商洛\n• 石嘴山\n• T\n• 天津\n• 唐山\n• 太原\n• 通辽\n• 铁岭\n• 泰州\n• 台州\n• 铜陵\n• 泰安\n• 铜仁\n• 铜川\n• 天水\n• 天门\n• W\n• 乌海\n• 乌兰察布\n• 无锡\n• 温州\n• 芜湖\n• 潍坊\n• 威海\n• 武汉\n• 梧州\n• 渭南\n• 武威\n• 吴忠\n• 乌鲁木齐\nX - Y - Z\n• X\n• 邢台\n• 徐州\n• 宣城\n• 厦门\n• 新乡\n• 许昌\n• 信阳\n• 襄阳\n• 孝感\n• 咸宁\n• 湘潭\n• 湘西\n• 西双版纳\n• 西安\n• 咸阳\n• 西宁\n• 仙桃\n• 西昌\n• Y\n• 运城\n• 营口\n• 盐城\n• 扬州\n• 鹰潭\n• 宜春\n• 烟台\n• 宜昌\n• 岳阳\n• 益阳\n• 永州\n• 阳江\n• 云浮\n• 玉林\n• 宜宾\n• 雅安\n• 玉溪\n• 延安\n• 榆林\n• 银川\n• Z\n• 张家口\n• 镇江\n• 舟山\n• 漳州\n• 淄博\n• 枣庄\n• 郑州\n• 周口\n• 驻马店\n• 株洲\n• 张家界\n• 珠海\n• 湛江\n• 肇庆\n• 中山\n• 自贡\n• 资阳\n• 遵义\n• 昭通\n• 张掖\n• 中卫", null, "", null, "• 手机", null, "• 分享\n• 设计\n免费设计\n• 计算器\n装修计算器\n• 入驻\n合作入驻\n• 联系\n联系我们\n• 置顶\n返回顶部" ]
[ null, "https://t1.focus-img.cn/sh740wsh/zx/duplication/8574c2f4-9cd8-4fbc-ab73-c8fc3b0077a9.JPEG", null, "https://t1.focus-img.cn/sh740wsh/zx/duplication/e26238ef-d896-4912-88d9-8d24f274d2de.JPEG", null, "https://t1.focus-img.cn/sh740wsh/zx/duplication/7fc76362-1640-41e8-b602-fa90c7f09502.JPEG", null, "https://t1.focus-img.cn/sh740wsh/zx/duplication/6690f1de-d57e-454e-b0a3-da1a09bc6daa.JPEG", null, "https://t1.focus-img.cn/sh740wsh/zx/duplication/a93b2299-140a-4e15-b0e7-92e1bcb461bb.JPEG", null, "https://t1.focus-img.cn/sh740wsh/zx/duplication/d51d9edb-c1b1-40e9-b1f2-fb0a36410739.JPEG", null, "data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAABLEAAAAKCAYAAABL/czxAAACeklEQVR4Xu3cwUoCYRTF8RmSmUUE6QOICwkqkCFECJ/Dp/Q53MYgVBAuxAfQIFrMYBCjTIylQkTq4reVD5TLuef8vzvODXu93v18Pn+YTCZZEARBp9M5j+P4ptVqPQyHw4/isyRJLqMounZOXehAf/ADPikX5CU+wE04ERe7L7gfuTe6J5sfmJccY44UttvtuF6vdxaLxbj8Af1+/2K5XF41m820BFXngkBdgoAO6KAIKzqgAzpYD7LkAj+ggzXAywV+QAdywb3Rfdr8wFzlEHOkUOAIHIEjcASOwDlE4Hhg4gGRQYdBB+7EnbgTd+JO3Ik7/ZHoLw+CV0MsQAEoAAWgABSAAlAAir8AhQGVARWexJN4Ek/iSTyJJ/Hkf/NkWLzLPB6P3/eBR5Zl13mePzq3GUzqsr1B1UVdCuOiAzqgg92vWOkP/aE/9Ef5Kio/4Af8gB/wA/OI6monubA/F8Jut9uL4/h5NBq97RpkFYOuKIpunducrKvL9sBRF3UplzzyjZ8GrD/0h/7AG9UlqHyST8oFuSAX5IJcMI+o7iiXC/tzIRwMBmez2Syp1Wov+wZZzm0vpLqoSwEedEAHdLAbQPWH/tAf+qO8oPEDfsAP+AE/cO+uDmzkglz4bS6sdmIRDuHQAaAAFIACUHig8335Pj7AB/gAH+ADfIAP8AE+8MefbbtPj8WJX4vdj/UDfC9ABsgAGSADZIAMkAEyQD4lQMan+BSf4lN8ik/x6WnyaZgkyWWapq+lUU+n07ssy56qS9wbjcZdnufPzqkLHegPfjA445PtmA7ooBg40AEd0MH6jQa5wA/oYD34lAv8gA7kQrlr/b/84BMd0gjHDtit4gAAAABJRU5ErkJggg==", null, "data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAACQAAAAkCAYAAADhAJiYAAACwElEQVRYR+3XT0gUURwH8N97s5qiuEqEilb7lPWwO0g0S3WQsoMlWdHB9hB0kEiJwIjyFkIXCyQqD4V2CBI6bEGBCJZEf/BQsAMhdnAG3XVVVDr4B8XZ0ZlfTLXkbK2z7rogNHvcN+/3PvP9/VjeEkTkYAd9iA2y6IadkNW42gnZCVklYLX+/85Q2Odzu4JBeUckNOHxnNVUNUAovc0k6c5mqIy3bMLjOamp6itAzDYghNIOJsvtiVAZBUW83lpNUfoQIDcGIAA6l5d3aN/w8Nd/oTIGivD8kXVFGQDE/A0YJBx3ySVJz9JKaKalZVdpd3fUaiBj65M8f3BtdXUQAJymPZRerZDl7rRmKOz1nsZo9BHk5JxiIyMjVqgQz/OgKO8QcffGZ4nDcZONjj6w2r9py8IeT6Ouqr2AmEUA5mhh4fH9oiglKjohCFX6wsJ7BCg2YTiunUlShxXm59AnuqBFqqsPaCsrXxDgz42SkOlsp7O2XBRD8cWnBIGpi4sfALFs4xql9K5Llm8lg9kUZCyOV1XdA027ZnpbgHBOUdGx0mBwOvb9jM9XpszPf0QAl+lgjntYIUk3ksVYgowHQm73Y9T1y6aihMhZJSW1e4eG5iZraorXZmeNZNwmOKVPmCxf2QomKdBv1FPU9YtxqG+OggL/+tJSABC9cZheJstNW8UkDYKeHhrq7HyOut4Y1z7NNGO/folfsra2C9DcrGcOZFRubXWE+vtfIMCZRAcRgD7W0HAeurrWU8Ekn1Csut+fHRLF1whwIv5AAvCWCcI5CATUVDFbBwHAd78/d1kU+xHgaOxgAvApXxAa9gQCq+lgUgIZm+br6vIXxsffIMBhQsjnQsbqiwYHl9PFpAwyNk7V1zvXxsbuZ1VWXi8fGFjcDkxaoO0C/DWL9n97i2gzdkFLtaU2yCo5OyGrhH4AtD5LNJ/vw8QAAAAASUVORK5CYII=", null, "https://yingtan.home.focus.cn/gonglue/2d24e7dce391d930.html", null, "https://t1.focus-res.cn/front-pc/module/loupan-baoming/images/yes.png", null, "https://t1.focus-res.cn/front-pc/module/loupan-baoming/images/qrcode.png", null, "data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAACQAAAAkCAYAAADhAJiYAAACwElEQVRYR+3XT0gUURwH8N97s5qiuEqEilb7lPWwO0g0S3WQsoMlWdHB9hB0kEiJwIjyFkIXCyQqD4V2CBI6bEGBCJZEf/BQsAMhdnAG3XVVVDr4B8XZ0ZlfTLXkbK2z7rogNHvcN+/3PvP9/VjeEkTkYAd9iA2y6IadkNW42gnZCVklYLX+/85Q2Odzu4JBeUckNOHxnNVUNUAovc0k6c5mqIy3bMLjOamp6itAzDYghNIOJsvtiVAZBUW83lpNUfoQIDcGIAA6l5d3aN/w8Nd/oTIGivD8kXVFGQDE/A0YJBx3ySVJz9JKaKalZVdpd3fUaiBj65M8f3BtdXUQAJymPZRerZDl7rRmKOz1nsZo9BHk5JxiIyMjVqgQz/OgKO8QcffGZ4nDcZONjj6w2r9py8IeT6Ouqr2AmEUA5mhh4fH9oiglKjohCFX6wsJ7BCg2YTiunUlShxXm59AnuqBFqqsPaCsrXxDgz42SkOlsp7O2XBRD8cWnBIGpi4sfALFs4xql9K5Llm8lg9kUZCyOV1XdA027ZnpbgHBOUdGx0mBwOvb9jM9XpszPf0QAl+lgjntYIUk3ksVYgowHQm73Y9T1y6aihMhZJSW1e4eG5iZraorXZmeNZNwmOKVPmCxf2QomKdBv1FPU9YtxqG+OggL/+tJSABC9cZheJstNW8UkDYKeHhrq7HyOut4Y1z7NNGO/folfsra2C9DcrGcOZFRubXWE+vtfIMCZRAcRgD7W0HAeurrWU8Ekn1Csut+fHRLF1whwIv5AAvCWCcI5CATUVDFbBwHAd78/d1kU+xHgaOxgAvApXxAa9gQCq+lgUgIZm+br6vIXxsffIMBhQsjnQsbqiwYHl9PFpAwyNk7V1zvXxsbuZ1VWXi8fGFjcDkxaoO0C/DWL9n97i2gzdkFLtaU2yCo5OyGrhH4AtD5LNJ/vw8QAAAAASUVORK5CYII=", null, "https://t.focus-res.cn/home-front/pc/img/qrcode.d7cfc15.png", null, "data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAG8AAABvAQAAAADKvqPNAAABaElEQVR42rXVzY3DIBAF4LE4cHMaQKINbrRkN+CfBuyWuNEGEg3ENx+QZ5+dZLWXZXzYjaIoXyTEzMuAiX++DvpDFiIzEJFLHdEgcWQ7c56Iei4iO223YDmqLZg75FiawDe5eEOU+htEVVugHms/RVaIfvt4vr/b/53Ir3ReccyfYCssrbaTo0G/NxLoyyNiOcI0EnnS9unSoE2nk0jEiGTIl3cLNZYxqoXy4tL4SrLKBp3u6vB5udZWyed3ypNPg7uyqhH/Ueo8DV4dWknkQ5uGadzzHM9+65wZ/V5hOntI3Bi78OGxXRbJnB6Y7T0vN7gQTgGWY3RZYulRPIaW1cpnsHUOTq0RyaARbCSwD6lhhaG6RkUgabXu6ukTyTzPQh/xSWMkiSjmrH/xCT8eEnF+10CdN2OQ2WnTaiRPpG8RmbcahakbtHOwWyzjngaJI5vO4TjggnoVWSPunNblSeMGthL/7THxBfydljrcj2T4AAAAAElFTkSuQmCC", null ]
{"ft_lang_label":"__label__zh","ft_lang_prob":0.94020534,"math_prob":0.47710323,"size":907,"snap":"2021-21-2021-25","text_gpt3_token_len":1116,"char_repetition_ratio":0.069767445,"word_repetition_ratio":0.0,"special_character_ratio":0.13891952,"punctuation_ratio":0.05319149,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9994735,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28],"im_url_duplicate_count":[null,1,null,1,null,1,null,1,null,1,null,1,null,null,null,null,null,1,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-05-14T04:07:17Z\",\"WARC-Record-ID\":\"<urn:uuid:5b2b904c-333f-4c35-9194-ecf86dc22d5a>\",\"Content-Length\":\"145446\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:aa93f9e5-eb6a-4da8-9206-baebf247ab11>\",\"WARC-Concurrent-To\":\"<urn:uuid:06606e8d-b577-42df-ae91-b0888f90cdd5>\",\"WARC-IP-Address\":\"112.132.32.81\",\"WARC-Target-URI\":\"https://yingtan.home.focus.cn/gonglue/2d24e7dce391d930.html\",\"WARC-Payload-Digest\":\"sha1:OGX7IDZWRRSVKKLFXWTKBYSFID6DVQ5I\",\"WARC-Block-Digest\":\"sha1:IXSUEI22D7ZKE7VE7H3ZRRUGCK55C6QU\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-21/CC-MAIN-2021-21_segments_1620243991737.39_warc_CC-MAIN-20210514025740-20210514055740-00419.warc.gz\"}"}
https://chalkdustmagazine.com/blog/our-favourite-and-not-so-favourite-euler-equations/
[ "# Our favourite (and not-so-favourite) Euler equations\n\nA collection of our favourite and least favourite things named after Euler, from issue 07", null, "In previous issues of Chalkdust, we shared with you a selection of our favourite “things” in maths, such as our favourite functions, shapes and sets. On the other hand, there are also some things we find annoying and very much dislike, such as bad notation, certain numbers, etc. For this special occasion (commemorating Euler’s birthday Euler a few weeks ago), we decided to spread some of our favourite, and not-so-favourite, examples of things named after Euler throughout issue 07.\n\nWe would also like to hear yours! Send them to us at contact@chalkdustmagazine.com.\n\n## Euler’s polyhedral formula (Emily Maw)\n\nEuler’s polyhedral formula says that the number of vertices, $V$, edges, $E$, and faces, $F$, of a convex 3D polyhedron satisfy\n\n$$V-E+F=2.$$\n\nThis is one of my favourite equations, because it’s arguably the first theorem in topology! Despite the name, Euler couldn’t actually prove it; the first of many proofs were found by Leibniz and Cauchy. It can be used to obtain strong constraints on the existence of shapes, for example in the proof that there are only five Platonic solids, or that all polyhedra built from pentagons and hexagons (such as footballs) must contain exactly 12 pentagons! The reason it holds for convex polyhedra is that they are all homeomorphic (topologically equivalent, by smoothing off the corners) to a sphere. In fact the formula can be generalised: for nonconvex polyhedra, which can be homeomorphic to surfaces with holes, the formula becomes $V-E+F=2-2g$, where $g$ is the genus (number of holes). This is because the left hand side is secretly calculating a topological invariant of the space, called the Euler characteristic, which is equal to $2-2g$ for surfaces.\n\n## Euler’s identity (Matthew Scroggs)\n\nMy least favourite equation is\n\n$$\\mathrm{e}^{\\,\\mathrm{i} \\,\\pi}+1=0.$$\n\nPeople rant about how it’s the most beautiful equation in maths, but it’s not. Overrated.\n\n## Euler’s continued fraction formula (Nikoleta Kalaydzhieva)\n\nEuler’s continued fraction formula connects some infinite series with an infinite continued fraction. For example, it gives the following result for $\\mathrm{e}^z$:\n\n$$\\mathrm{e}^z={\\cfrac{1}{1-\\cfrac{z}{1+z-\\cfrac{z}{2+z-\\cfrac{2z}{3+z-\\cfrac{3z}{4+z-\\cdots}}}}}}$$\n\nIsn’t it pretty?\n\n## Euler’s method (Sean Jamshidi)\n\n$$f\\hspace{2pt}’\\hspace{-2pt}(x) = \\frac{f\\hspace{1pt}(x+h) – f\\hspace{1pt}(x)}{h}.$$\n\nEuler’s method is a way of approximately solving differential equations using a computer, which is one of the most common tasks in applied mathematics. The method was invented hundreds of years before the computer, can be hopelessly inaccurate and is so simple that it has no right to be of any use at all. And yet… we still teach it, it can be coded up in 2 minutes and, in some cases, provides perfectly useable results. Sometimes the oldies are the best ones.\n\n## The Euler-Lagrange equation (Tom Rivlin)\n\nMy favourite Euler equation is the Euler-Lagrange equation:\n\n$$\\frac{\\partial L}{\\partial x_i}- \\frac{\\mathrm{d}}{\\mathrm{d}t} \\Big( \\frac{\\partial L}{\\partial \\dot{x}_i} \\Big) = 0$$\n\nIt’s the key equation of the calculus of variations, which is used extensively in many branches of physics. One uses the Euler-Lagrange equation to derive the Lagrangian of a physical system, from which all of its physical properties can be determined. A famous example is the Lagrangian of the standard model of particle physics, which is a one-equation summary of all of our current knowledge about the fundamental building blocks of reality:\n\n$$\\mathcal{L} = -\\frac{1}{4} F_{\\mu \\, v} F^{\\mu \\, v} + \\mathrm{i} \\overline{\\Psi} \\mathrm{D} \\Psi + h.c. +\\Psi_i y_{ij}\\Psi_j \\Phi +h.c.+|D_{\\mu}\\Phi|^2 – V(\\Phi )$$\n\n## Incompressible Euler equations for inviscid fluids (Hugo Castillo)\n\n$$\\boldsymbol{\\nabla}\\cdot\\boldsymbol{u}=0 \\qquad \\rho\\left(\\frac{\\partial \\boldsymbol{u}}{\\partial t}+\\boldsymbol{u}\\cdot\\boldsymbol{\\nabla}\\boldsymbol{u}\\right) = -\\boldsymbol{\\nabla} P.$$\n\nThese equations, first published by Euler, are a set of coupled quasilinear partial differential equations widely used in fluid mechanics. They allow you to calculate the velocity and pressure fields in a moving, inviscid (zero-viscosity) fluid. I dislike them for the simple fact that they are only valid for water and are completely useless for cases when the fluid viscosity is highly important (eg my PhD research and 95% of the fluids present in this world).", null, "Paint, one of the many examples for which the Euler equations for inviscid fluids are not valid. Adapted from Flickr, CC BY 2.0.\n\n## Euler’s solution to the Basel problem (Belgin Seymenoğlu)\n\n$$\\sum_{n=1}^{\\infty}\\frac{1}{n^2} = \\frac{\\pi^2}{6}.$$\n\nI remember solving the problem by myself using Fourier Series as an undergrad, while revising for an exam. You can imagine my disappointment to find that Euler beat me to it during the mid-18th century!" ]
[ null, "https://i0.wp.com/chalkdustmagazine.com/wp-content/uploads/2018/04/euleridentity.png", null, "https://i0.wp.com/chalkdustmagazine.com/wp-content/uploads/2018/04/paint-300x200.jpg", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.8850969,"math_prob":0.9949037,"size":5225,"snap":"2023-40-2023-50","text_gpt3_token_len":1391,"char_repetition_ratio":0.10342846,"word_repetition_ratio":0.0,"special_character_ratio":0.24344498,"punctuation_ratio":0.10020243,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99890614,"pos_list":[0,1,2,3,4],"im_url_duplicate_count":[null,2,null,2,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-09-29T03:30:35Z\",\"WARC-Record-ID\":\"<urn:uuid:93f2b35c-fcfc-4356-a9f4-bafffa8609d8>\",\"Content-Length\":\"88816\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:e6ce5168-fe65-4f11-a445-317cb376b873>\",\"WARC-Concurrent-To\":\"<urn:uuid:deb13c54-546d-4c4a-b146-6d96887b0398>\",\"WARC-IP-Address\":\"185.211.22.243\",\"WARC-Target-URI\":\"https://chalkdustmagazine.com/blog/our-favourite-and-not-so-favourite-euler-equations/\",\"WARC-Payload-Digest\":\"sha1:SYPJVDTT7XC73OVP4GM6QNIRXI2B3YOC\",\"WARC-Block-Digest\":\"sha1:VKEQRCRTJ7LIV2X7J67J5JGSKI7Q454G\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-40/CC-MAIN-2023-40_segments_1695233510481.79_warc_CC-MAIN-20230929022639-20230929052639-00746.warc.gz\"}"}
https://nm.mathforcollege.com/videos/youtube/02dif/background/0201_01_Differentiation_Introduction.htm
[ "CHAPTER 02.01: PRIMER ON DIFFERENTIAL CALCULUS: Background of Differentiation   In this segment, I’m going to just have a brief differentiation primer for you. There’s a short primer available on the website, and you can see that in the slate which was shown in the video.    So going back to differentiation, in order to be able to understand numerical differentiation, we do need to talk about what you learned in differential calculus class. You already know that if you are trying to find out what the derivative of a function, f, is, that is defined as limit, delta x approaching 0, f of x plus delta x minus f of x divided by delta x.  So that was the definition of your derivative of a function, which from a graphical standpoint of view means that if you had a function like this, so you have f of x as a function of x, and you want to find out what the derivative of the function here is, let’s suppose, or let’s suppose you’re trying to find the derivative of the function right here. So this is x, let’s suppose.  You want to find the derivative of the function. So what you’re going to do is, if you look at from the definition which you have here, that you’re going to choose a point which is delta x ahead of this point, so the distance between the two points right here is delta x.  And what you’re going to do is you’re going to draw the line between the value of the function at x and x plus delta x, that’s what you’re doing here, and then you’re going to take this line, which is the other line right here.  Now if you look at the distance which is here between those two, so this is the value of the function at x, this is the value of the function at f of x plus delta x, so that distance becomes f of x plus delta x minus f of x, and this distance which you are seeing here is just delta x right there.  So we can see that the slope of this particular line here . . . the slope of this particular line here is this rise, that’s the rise, and that’s the run.  So that’s what you’re seeing, the rise here and the run here, but to define the value of the derivative exactly, what you want to do is you want to make this delta x approaching 0.  And as we know in numerical methods, you cannot have . . . you don’t have the luxury of choosing delta x approaching 0, you can only make delta x to be a finite number, but you do need to understand what the exact definition of  the derivative of a function is.  And that’s what it is by making delta x approach 0, you’re going to get the numerator divided by denominator to be the derivative of the function there.    Let’s take an example, you must have seen, let’s suppose if you have the function f of x equal to 5 x squared.  From a differential calculus class you already know f prime of x is what?  5 times the derivative of x squared, which is 2 x, and I get 10 x.  And then if you want to calculate the value of the derivative of the function at any point, any point x, you can always plug in the value of x in there.  So for example if I’m trying to find out the value of the function at 6 let’s suppose, I get 10 times 6, which is  60.  So that’s how we are able to calculate the derivative of a function at a particular point by using your differential calculus knowledge, and then simply substituting the value of x into the formula.  Now this 10 x which you are finding out here does not magically appear there, but these are formulas which have been derived based on the basic fundamental definition of the derivative of the function, which is right here. Let me go back through that definition which is right here, which is that you have the rise, the run, and you are choosing delta x approaching 0.  So what I’m going to do is, I’m going to use this definition itself to show you how do we get 10 x, as opposed to simply using the formula which I have learned in the differential calculus class.  So let’s suppose if I had f of x which I have somebody gave me to be 5 x squared, so I’m going to say f prime of x will be equal to limit of delta x approaching 0, f of x plus delta x minus f of x divided by delta x, that’s’ the definition of f prime of x, so I’m just rewriting it again. So for this particular function I have limit of delta x approaching 0, and what is f of x plus delta x?  It will be 5 x plus delta x, whole squared.  Because all it is, is what is the value of the function 5 x squared at the point x plus delta x. Now what’s the value of the function at x?  It’s just 5 x squared, divided by delta x. So I go and try to expand this, I’ll use the a plus b whole squared formula, I’ll get x squared plus delta x whole squared plus 2 x delta x minus 5 x squared, divided by delta x. So this expansion which you are seeing here is simply the formula a plus b whole squared is a squared plus b squared plus 2 a b.  So you can very well see that what is  happening is that this is cancelling with this, because that’s 5 x squared, so you’re left with limit of delta x approaching 0, 5 times delta x whole squared plus 10 times x times delta x, divided by delta x, that’s what you’re getting there.  If I’m going to divide the numerator as well as denominator by delta x, I’m going to get limit of delta x approaching 0, I’ll get 5 times delta x plus 10 times x, because here, one delta x will be gone, and here, this delta x will cancel with this delta x.  And now if I take the limit, the limit of 5 times delta x will be just 0, and the limit of 10 x as delta x approaches 0 will be 10 times x, and I’ll get 10 times x. So that’s what all these derivatives are coming from, so when you use the formulas from your differential calculus class to calculate the exact derivatives, those have been calculated by using the fundamental definition of the derivative of a function.  And that’s the end of this segment." ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.9463253,"math_prob":0.9963957,"size":5773,"snap":"2023-14-2023-23","text_gpt3_token_len":1376,"char_repetition_ratio":0.17160687,"word_repetition_ratio":0.096689895,"special_character_ratio":0.22951671,"punctuation_ratio":0.09621451,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99971193,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-03-26T20:52:38Z\",\"WARC-Record-ID\":\"<urn:uuid:2663325d-4f2f-4982-ba05-0bf50cf0132f>\",\"Content-Length\":\"8214\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:bfc340c6-0a9e-499d-b7ee-cfcd34de7c7e>\",\"WARC-Concurrent-To\":\"<urn:uuid:5c614d2e-8605-49e0-ba55-8ed7a43ed0ae>\",\"WARC-IP-Address\":\"192.145.232.223\",\"WARC-Target-URI\":\"https://nm.mathforcollege.com/videos/youtube/02dif/background/0201_01_Differentiation_Introduction.htm\",\"WARC-Payload-Digest\":\"sha1:FS4ERJ7NQVF5ZGVOJU62KUHHW7PXMRCN\",\"WARC-Block-Digest\":\"sha1:3IPNAUXSQJNXRUJP2CBGJALM6D36HEAN\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-14/CC-MAIN-2023-14_segments_1679296946535.82_warc_CC-MAIN-20230326204136-20230326234136-00638.warc.gz\"}"}
https://tnomlaccm.com/glenalta/example-of-null-and-operational-hypothesis.php
[ "# Glenalta Example Of Null And Operational Hypothesis\n\n## research question hypothesis and operational definition\n\n### Working hypothesis definition and meaning Collins", null, "Working hypothesis definition and meaning Collins. Operational variables Examples of Hypothesis. The null hypothesis states that there will be no significant difference in the amount recalled on a Monday, Start studying Research Problems, Purposes, and Hypotheses. Learn vocabulary, Null vs. research. also simple/complex hypothesis too. example:.\n\n### Correlational hypotheses and research\n\nWorking hypothesis definition and meaning Collins. The Chi-square test of independence assesses the Chi-Square Test of Independence and an Example. We can reject the null hypothesis and conclude there is a, It was a perfect example of how the null hypothesis works. researches accumulated a huge body of research showing that when kids in the pre-operational stage.\n\nFor example, disengagement among AN OPERATIONAL HYPOTHESIS links at least two operational variables. Again, If the null hypothesis is rejected, An Example … Imagine the The null hypothesis represents a theory that has been put forward, Operational definitions of constructs Statement of the problem\n\n24/12/2009 · Forms of Hypothesis. Operational Form – It is stated in the affirmative. Null Form – It is stated in the negative. example hypothesis hypothesis sample The engineer entered his data into Minitab and requested that the \"one-sample t-test she would reject the null hypothesis if her A.1 Order of Operations; A.2\n\nDescribes how to test the null hypothesis that it is sufficient to define the null hypothesis. Since our sample Develop the null and alternative hypothesis Example. An example is where water quality in a stream has been observed over many years, and a test is made of the null hypothesis that \"there is no change in\n\nNull and Alternative Hypotheses Essay Sample. The null hypothesis is generally represented by the character “Ho” and is regarded as true until testing and Example. An example is where water quality in a stream has been observed over many years, and a test is made of the null hypothesis that \"there is no change in\n\nHYPOTHESIS TESTING IN PSYCHOLOGY: THROWING THE For many years null hypothesis For example the researcher might test the null that men and women do Start studying Hypothesis and Operational Definitions. Learn vocabulary, terms, and more with flashcards, games, and other study tools. Example of hypothesis\n\nCorrelational hypotheses and research Phil 12: Operational “definitions” • Relate the variables used in the hypothesis to Hypothesis is an approximate explanation that Sample Size / Power Analysis; IRB The major differences between the null hypothesis and alternative hypothesis\n\nFor example, disengagement among AN OPERATIONAL HYPOTHESIS links at least two operational variables. Again, If the null hypothesis is rejected, The Chi-square test of independence assesses the Chi-Square Test of Independence and an Example. We can reject the null hypothesis and conclude there is a\n\nStart studying Hypothesis and Operational Definitions. Learn vocabulary, terms, and more with flashcards, games, and other study tools. Example of hypothesis example hypothesis Hypothesis: Null Form – It is stated in the negative. Operational hypothesis\n\nThis is the operational meaning of the term hypothesis. A null hypothesis accepted is tentative to stating that on For example, a hypothesis which says 24/12/2009 · Forms of Hypothesis. Operational Form – It is stated in the affirmative. Null Form – It is stated in the negative. example hypothesis hypothesis sample\n\nStart studying Research Problems, Purposes, and Hypotheses. Learn vocabulary, Null vs. research. also simple/complex hypothesis too. example: The Chi-square test of independence assesses the Chi-Square Test of Independence and an Example. We can reject the null hypothesis and conclude there is a\n\nWhat are some examples of how hypothesis testing can be applied in suitable example to cover decision on whether to accept or reject the null hypothesis. The Chi-square test of independence assesses the Chi-Square Test of Independence and an Example. We can reject the null hypothesis and conclude there is a\n\nFor example, disengagement among AN OPERATIONAL HYPOTHESIS links at least two operational variables. Again, If the null hypothesis is rejected, Describes how to test the null hypothesis that it is sufficient to define the null hypothesis. Since our sample Develop the null and alternative hypothesis\n\nStart studying Research Problems, Purposes, and Hypotheses. Learn vocabulary, Null vs. research. also simple/complex hypothesis too. example: Example. An example is where water quality in a stream has been observed over many years, and a test is made of the null hypothesis that \"there is no change in\n\nThe Chi-square test of independence assesses the Chi-Square Test of Independence and an Example. We can reject the null hypothesis and conclude there is a Null Hypotheses and Alternate Hypotheses\nNull hypothesis always hypothesis are stated in operational salary example, the null hypothesis\n\nOperational variables Examples of Hypothesis. The null hypothesis states that there will be no significant difference in the amount recalled on a Monday Null and Alternative Hypotheses Essay Sample. The null hypothesis is generally represented by the character “Ho” and is regarded as true until testing and\n\nStart studying Research Problems, Purposes, and Hypotheses. Learn vocabulary, Null vs. research. also simple/complex hypothesis too. example: Hypothesis Writing: examples EXPERIMENT OR CORRELATION? EXPERIMENT CORRELATION Null – predicts that the there will be no relationship between the variables\n\nFor example, disengagement among AN OPERATIONAL HYPOTHESIS links at least two operational variables. Again, If the null hypothesis is rejected, An Example … Imagine the The null hypothesis represents a theory that has been put forward, Operational definitions of constructs Statement of the problem\n\nNull Hypotheses and Alternate Hypotheses\nNull hypothesis always hypothesis are stated in operational salary example, the null hypothesis This is the operational meaning of the term hypothesis. A null hypothesis accepted is tentative to stating that on For example, a hypothesis which says\n\nStart studying Hypothesis and Operational Definitions. Learn vocabulary, terms, and more with flashcards, games, and other study tools. Example of hypothesis Example. An example is where water quality in a stream has been observed over many years, and a test is made of the null hypothesis that \"there is no change in\n\nGet custom essay sample written We will write a custom essay sample on Creating an Operational Hypothesis of Recidivism the null hypothesis shall be the This is the operational meaning of the term hypothesis. A null hypothesis accepted is tentative to stating that on For example, a hypothesis which says\n\nWorking hypothesis definition: a suggested explanation for a group of facts or phenomena, accepted as a basis for Example sentences containing 'working hypothesis' Example. An example is where water quality in a stream has been observed over many years, and a test is made of the null hypothesis that \"there is no change in\n\n### Correlational hypotheses and research", null, "What are some examples of a null hypothesis questions. For example, the null hypothesis is H0 beta 1 = 1., What are some examples of how hypothesis testing can be applied in suitable example to cover decision on whether to accept or reject the null hypothesis..\n\nCorrelational hypotheses and research. example hypothesis Hypothesis: Null Form – It is stated in the negative. Operational hypothesis, This is the operational meaning of the term hypothesis. A null hypothesis accepted is tentative to stating that on For example, a hypothesis which says.\n\n### What are some examples of a null hypothesis questions", null, "research question hypothesis and operational definition. Null and Alternative Hypotheses Essay Sample. The null hypothesis is generally represented by the character “Ho” and is regarded as true until testing and 16/10/2011 · Research question, hypothesis and operational could someone give me an example Always remember that the null hypothesis is of no change and the.", null, "Hypothesis Writing: examples EXPERIMENT OR CORRELATION? EXPERIMENT CORRELATION Null – predicts that the there will be no relationship between the variables For example, disengagement among AN OPERATIONAL HYPOTHESIS links at least two operational variables. Again, If the null hypothesis is rejected,\n\nDescribes how to test the null hypothesis that it is sufficient to define the null hypothesis. Since our sample Develop the null and alternative hypothesis A hypothesis is a tentative statement about the relationship between two or more variables. For example, a study designed to The Role of Operational Definitions .\n\n16/10/2011 · Research question, hypothesis and operational could someone give me an example Always remember that the null hypothesis is of no change and the example hypothesis Hypothesis: Null Form – It is stated in the negative. Operational hypothesis\n\nNull Hypotheses and Alternate Hypotheses\nNull hypothesis always hypothesis are stated in operational salary example, the null hypothesis It was a perfect example of how the null hypothesis works. researches accumulated a huge body of research showing that when kids in the pre-operational stage\n\nCorrelational hypotheses and research Phil 12: Operational “definitions” • Relate the variables used in the hypothesis to She can then formulate a hypothesis, for example, State the null hypothesis (H 0) and alternative hypothesis operations, finance/accounting, economics,\n\nStart studying Hypothesis and Operational Definitions. Learn vocabulary, terms, and more with flashcards, games, and other study tools. Example of hypothesis It was a perfect example of how the null hypothesis works. researches accumulated a huge body of research showing that when kids in the pre-operational stage\n\nHYPOTHESIS TESTING IN PSYCHOLOGY: THROWING THE For many years null hypothesis For example the researcher might test the null that men and women do Get custom essay sample written We will write a custom essay sample on Creating an Operational Hypothesis of Recidivism the null hypothesis shall be the\n\nCorrelational hypotheses and research Phil 12: Operational “definitions” • Relate the variables used in the hypothesis to Lecture 8: Hypothesis testing 2nd of December 2015 Thus, under the assumption of the null hypothesis the sample mean of 44 values from a N(3000;5002) is X ˘N\n\nThe Chi-square test of independence assesses the Chi-Square Test of Independence and an Example. We can reject the null hypothesis and conclude there is a For example, disengagement among AN OPERATIONAL HYPOTHESIS links at least two operational variables. Again, If the null hypothesis is rejected,\n\n16/10/2011 · Research question, hypothesis and operational could someone give me an example Always remember that the null hypothesis is of no change and the It was a perfect example of how the null hypothesis works. researches accumulated a huge body of research showing that when kids in the pre-operational stage\n\nThe engineer entered his data into Minitab and requested that the \"one-sample t-test she would reject the null hypothesis if her A.1 Order of Operations; A.2 The engineer entered his data into Minitab and requested that the \"one-sample t-test she would reject the null hypothesis if her A.1 Order of Operations; A.2\n\n## What are some examples of a null hypothesis questions", null, "Working hypothesis definition and meaning Collins. For example, disengagement among AN OPERATIONAL HYPOTHESIS links at least two operational variables. Again, If the null hypothesis is rejected,, Hypothesis is an approximate explanation that Sample Size / Power Analysis; IRB The major differences between the null hypothesis and alternative hypothesis.\n\n### Working hypothesis definition and meaning Collins\n\nPirates Piaget and the Null Hypothesis Psychology Today. This is the operational meaning of the term hypothesis. A null hypothesis accepted is tentative to stating that on For example, a hypothesis which says, Operational variables Examples of Hypothesis. The null hypothesis states that there will be no significant difference in the amount recalled on a Monday.\n\nThe engineer entered his data into Minitab and requested that the \"one-sample t-test she would reject the null hypothesis if her A.1 Order of Operations; A.2 example hypothesis Hypothesis: Null Form – It is stated in the negative. Operational hypothesis\n\nExample. An example is where water quality in a stream has been observed over many years, and a test is made of the null hypothesis that \"there is no change in What are some examples of how hypothesis testing can be applied in suitable example to cover decision on whether to accept or reject the null hypothesis.\n\nWorking hypothesis definition: a suggested explanation for a group of facts or phenomena, accepted as a basis for Example sentences containing 'working hypothesis' What are some examples of how hypothesis testing can be applied in suitable example to cover decision on whether to accept or reject the null hypothesis.\n\nNull Hypotheses and Alternate Hypotheses\nNull hypothesis always hypothesis are stated in operational salary example, the null hypothesis For example, disengagement among AN OPERATIONAL HYPOTHESIS links at least two operational variables. Again, If the null hypothesis is rejected,\n\nHYPOTHESIS TESTING IN PSYCHOLOGY: THROWING THE For many years null hypothesis For example the researcher might test the null that men and women do Hypothesis testing is a statistical process to determine the likelihood that a given or null hypothesis is true. It goes through a number of steps to find out what\n\nexample hypothesis Hypothesis: Null Form – It is stated in the negative. Operational hypothesis She can then formulate a hypothesis, for example, State the null hypothesis (H 0) and alternative hypothesis operations, finance/accounting, economics,\n\nGet custom essay sample written We will write a custom essay sample on Creating an Operational Hypothesis of Recidivism the null hypothesis shall be the Null Hypotheses and Alternate Hypotheses\nNull hypothesis always hypothesis are stated in operational salary example, the null hypothesis\n\nThis is the operational meaning of the term hypothesis. A null hypothesis accepted is tentative to stating that on For example, a hypothesis which says Describes how to test the null hypothesis that it is sufficient to define the null hypothesis. Since our sample Develop the null and alternative hypothesis\n\nWorking hypothesis definition: a suggested explanation for a group of facts or phenomena, accepted as a basis for Example sentences containing 'working hypothesis' Describes how to test the null hypothesis that it is sufficient to define the null hypothesis. Since our sample Develop the null and alternative hypothesis\n\nCorrelational hypotheses and research Phil 12: Operational “definitions” • Relate the variables used in the hypothesis to Start studying Hypothesis and Operational Definitions. Learn vocabulary, terms, and more with flashcards, games, and other study tools. Example of hypothesis\n\nThe engineer entered his data into Minitab and requested that the \"one-sample t-test she would reject the null hypothesis if her A.1 Order of Operations; A.2 This is the operational meaning of the term hypothesis. A null hypothesis accepted is tentative to stating that on For example, a hypothesis which says\n\nA hypothesis is a tentative statement about the relationship between two or more variables. For example, a study designed to The Role of Operational Definitions . She can then formulate a hypothesis, for example, State the null hypothesis (H 0) and alternative hypothesis operations, finance/accounting, economics,\n\nThe Chi-square test of independence assesses the Chi-Square Test of Independence and an Example. We can reject the null hypothesis and conclude there is a Lecture 8: Hypothesis testing 2nd of December 2015 Thus, under the assumption of the null hypothesis the sample mean of 44 values from a N(3000;5002) is X ˘N\n\nThe engineer entered his data into Minitab and requested that the \"one-sample t-test she would reject the null hypothesis if her A.1 Order of Operations; A.2 Describes how to test the null hypothesis that it is sufficient to define the null hypothesis. Since our sample Develop the null and alternative hypothesis\n\nWhat are some examples of how hypothesis testing can be applied in suitable example to cover decision on whether to accept or reject the null hypothesis. Hypothesis testing is a statistical process to determine the likelihood that a given or null hypothesis is true. It goes through a number of steps to find out what\n\n16/10/2011 · Research question, hypothesis and operational could someone give me an example Always remember that the null hypothesis is of no change and the A hypothesis is a tentative statement about the relationship between two or more variables. For example, a study designed to The Role of Operational Definitions .\n\nExample. An example is where water quality in a stream has been observed over many years, and a test is made of the null hypothesis that \"there is no change in A hypothesis is a tentative statement about the relationship between two or more variables. For example, a study designed to The Role of Operational Definitions .\n\nWorking hypothesis definition: a suggested explanation for a group of facts or phenomena, accepted as a basis for Example sentences containing 'working hypothesis' Correlational hypotheses and research Phil 12: Operational “definitions” • Relate the variables used in the hypothesis to\n\nOperational variables Examples of Hypothesis. The null hypothesis states that there will be no significant difference in the amount recalled on a Monday Hypothesis is an approximate explanation that Sample Size / Power Analysis; IRB The major differences between the null hypothesis and alternative hypothesis\n\n16/10/2011 · Research question, hypothesis and operational could someone give me an example Always remember that the null hypothesis is of no change and the Start studying Research Problems, Purposes, and Hypotheses. Learn vocabulary, Null vs. research. also simple/complex hypothesis too. example:\n\nresearch question hypothesis and operational definition. operational terms. A hypothesis requires more work have led to suggestions for re-defining the null hypothesis, for example as a hypothesis that an effect falls, A hypothesis is a tentative statement about the relationship between two or more variables. For example, a study designed to The Role of Operational Definitions ..\n\n### Pirates Piaget and the Null Hypothesis Psychology Today", null, "research question hypothesis and operational definition. An Example … Imagine the The null hypothesis represents a theory that has been put forward, Operational definitions of constructs Statement of the problem, Get custom essay sample written We will write a custom essay sample on Creating an Operational Hypothesis of Recidivism the null hypothesis shall be the.\n\n### Creating an Operational Hypothesis of Recidivism Reduction", null, "research question hypothesis and operational definition. Start studying Research Problems, Purposes, and Hypotheses. Learn vocabulary, Null vs. research. also simple/complex hypothesis too. example: Get custom essay sample written We will write a custom essay sample on Creating an Operational Hypothesis of Recidivism the null hypothesis shall be the.", null, "Null Hypotheses and Alternate Hypotheses\nNull hypothesis always hypothesis are stated in operational salary example, the null hypothesis 24/12/2009 · Forms of Hypothesis. Operational Form – It is stated in the affirmative. Null Form – It is stated in the negative. example hypothesis hypothesis sample\n\nGet custom essay sample written We will write a custom essay sample on Creating an Operational Hypothesis of Recidivism the null hypothesis shall be the Working hypothesis definition: a suggested explanation for a group of facts or phenomena, accepted as a basis for Example sentences containing 'working hypothesis'\n\nNull and Alternative Hypotheses Essay Sample. The null hypothesis is generally represented by the character “Ho” and is regarded as true until testing and She can then formulate a hypothesis, for example, State the null hypothesis (H 0) and alternative hypothesis operations, finance/accounting, economics,\n\nStart studying Research Problems, Purposes, and Hypotheses. Learn vocabulary, Null vs. research. also simple/complex hypothesis too. example: Correlational hypotheses and research Phil 12: Operational “definitions” • Relate the variables used in the hypothesis to\n\n24/12/2009 · Operational hypothesis Null hypothesis example hypothesis hypothesis sample hypothesis. It was a perfect example of how the null hypothesis works. researches accumulated a huge body of research showing that when kids in the pre-operational stage\n\nIt was a perfect example of how the null hypothesis works. researches accumulated a huge body of research showing that when kids in the pre-operational stage Hypothesis Writing: examples EXPERIMENT OR CORRELATION? EXPERIMENT CORRELATION Null – predicts that the there will be no relationship between the variables\n\nThe Chi-square test of independence assesses the Chi-Square Test of Independence and an Example. We can reject the null hypothesis and conclude there is a This is the operational meaning of the term hypothesis. A null hypothesis accepted is tentative to stating that on For example, a hypothesis which says\n\nA hypothesis is a tentative statement about the relationship between two or more variables. For example, a study designed to The Role of Operational Definitions . Describes how to test the null hypothesis that it is sufficient to define the null hypothesis. Since our sample Develop the null and alternative hypothesis\n\nHYPOTHESIS TESTING IN PSYCHOLOGY: THROWING THE For many years null hypothesis For example the researcher might test the null that men and women do Get custom essay sample written We will write a custom essay sample on Creating an Operational Hypothesis of Recidivism the null hypothesis shall be the\n\noperational terms. A hypothesis requires more work have led to suggestions for re-defining the null hypothesis, for example as a hypothesis that an effect falls Hypothesis is an approximate explanation that Sample Size / Power Analysis; IRB The major differences between the null hypothesis and alternative hypothesis", null, "The engineer entered his data into Minitab and requested that the \"one-sample t-test she would reject the null hypothesis if her A.1 Order of Operations; A.2 For example, the null hypothesis is H0 beta 1 = 1.\n\nView all posts in Glenalta category" ]
[ null, "https://tnomlaccm.com/images/eee74ba748dccc0631f8ec98849915ba.jpg", null, "https://tnomlaccm.com/images/470953.jpg", null, "https://tnomlaccm.com/images/b177596daa757efe855bda9ca4f9f869.jpg", null, "https://tnomlaccm.com/images/example-of-null-and-operational-hypothesis.jpg", null, "https://tnomlaccm.com/images/4595cc35a0d2f9a9294e3e06d3cf91f7.jpg", null, "https://tnomlaccm.com/images/7cb41642b978329d7bd671fff205fef7.jpg", null, "https://tnomlaccm.com/images/ec7cb638e2fe2a1c95c9b5b628c809b8.jpg", null, "https://tnomlaccm.com/images/example-of-null-and-operational-hypothesis-2.png", null, "https://tnomlaccm.com/images/777972c2c91af1fdbab6f5884cbec6f4.jpg", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.92204595,"math_prob":0.7934102,"size":22767,"snap":"2021-43-2021-49","text_gpt3_token_len":4458,"char_repetition_ratio":0.25405264,"word_repetition_ratio":0.826337,"special_character_ratio":0.18153468,"punctuation_ratio":0.0901343,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9927805,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18],"im_url_duplicate_count":[null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-12-07T09:15:22Z\",\"WARC-Record-ID\":\"<urn:uuid:1e257e73-d66b-4269-be95-4738d5038b37>\",\"Content-Length\":\"75054\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:5a1ea956-72b5-499b-a2ce-28159b59c815>\",\"WARC-Concurrent-To\":\"<urn:uuid:61897263-29ee-40a9-be86-a640e8289f4a>\",\"WARC-IP-Address\":\"51.38.147.108\",\"WARC-Target-URI\":\"https://tnomlaccm.com/glenalta/example-of-null-and-operational-hypothesis.php\",\"WARC-Payload-Digest\":\"sha1:MAGDVN46WVKSBAIHBR4KP5CXMGW6NJKQ\",\"WARC-Block-Digest\":\"sha1:FVMUFXPV37JLHYE5IUGECMVTZ3N6F2WC\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-49/CC-MAIN-2021-49_segments_1637964363337.27_warc_CC-MAIN-20211207075308-20211207105308-00231.warc.gz\"}"}
https://ask.csdn.net/questions/248155
[ "", null, "2016-04-07 15:00\n\n# C语言的陷阱:关于函数参数的“副作用”问题\n\n`````` int x=1,y=0;\nprintf(\"%d,x=%dy=%d\",x=y,x,y) ;\n``````\n\n0,x=0y=0\n\n`````` int swap(int *a,int *b){\nint t;\nt=*a;\n*a=*b;\n*b=t;\nreturn 1;\n}\n``````\n\n`````` int main(){\nint x=1,y=0;\n\nprintf(\"return of swap is %d\\tx=%d,y=%d\\n\",swap(&x,&y),x,y);\nreturn 0;\n}\n``````\n\nreturn of swap is 1 x=1,y=0\n\n`````` printf(\"\\t\\t\\tx=%d,y=%d\",x,y);\n``````\n\nreturn of swap is 1 x=1,y=0\nx=0,y=1\nhey,xy的值又交换了!但是出现了延迟。\n\n• 点赞\n• 写回答\n• 关注问题\n• 收藏\n• 邀请回答" ]
[ null, "https://profile.csdnimg.cn/7/F/3/4_whukk", null ]
{"ft_lang_label":"__label__zh","ft_lang_prob":0.67470217,"math_prob":0.99977535,"size":590,"snap":"2021-31-2021-39","text_gpt3_token_len":367,"char_repetition_ratio":0.1450512,"word_repetition_ratio":0.07692308,"special_character_ratio":0.3237288,"punctuation_ratio":0.21276596,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99981254,"pos_list":[0,1,2],"im_url_duplicate_count":[null,1,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-08-02T20:08:28Z\",\"WARC-Record-ID\":\"<urn:uuid:0bd65cd7-8607-49ff-9fd0-aeeea4523866>\",\"Content-Length\":\"94615\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:31bb2f44-2cca-46ec-a998-b2d71ce5d29f>\",\"WARC-Concurrent-To\":\"<urn:uuid:467f669d-28b9-4653-8790-59605cae9718>\",\"WARC-IP-Address\":\"47.95.50.136\",\"WARC-Target-URI\":\"https://ask.csdn.net/questions/248155\",\"WARC-Payload-Digest\":\"sha1:YWLW77WUFP265LFEVBFGEQ3FITDUET3X\",\"WARC-Block-Digest\":\"sha1:KNDKXTMQPDTYBTITMYSBI547ILLTJPKI\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-31/CC-MAIN-2021-31_segments_1627046154356.39_warc_CC-MAIN-20210802172339-20210802202339-00462.warc.gz\"}"}
https://stats.stackexchange.com/questions/354643/can-the-differential-entropy-be-negative-infinity/421457
[ "# Can the differential entropy be negative infinity?\n\nDefine the (differential) entropy for density $f$ as\n\n$$H(f) :=-\\int_{0}^{1} f(x) \\log_{2}(f(x)) dx \\, .$$\n\nI am trying to find a Lebesgue measurable $f$ defined on $[0,1]$ such that $f\\geq 0, \\int_{0}^{1} f(x) dx = 1$ and $H(f)= -\\infty$. I am not sure if this is possible? (The $f$ has to be in $L_{1}([0,1])$ and so the measure induced by $f$ must be absolutely continuous with respect to Lebesgue measure. So, a Dirac delta won't work.)\n\n• @Dougal. Thanks. I want my $f$ to be Lebesgue measurable, so a dirac delta, won't work. Also, what do you mean by a 'proper' density function? – Quantum Jul 5 '18 at 16:15\n• @Jim The uniform distribution maximizes entropy on a compact domain, not minimizes it. :) – djs Jul 5 '18 at 16:50\n• If you take a small-variance normal distribution and truncate it to $[0, 1]$, you can get an arbitrarily negative entropy. That doesn't let you actually reach $-\\infty$ while keeping an $L_1$ density, though. – djs Jul 5 '18 at 16:54\n• $f$ has to be absolutely continuous. So, $f$ cannot assign any any positive probability to the points $0$ and $1$. – Quantum Jul 5 '18 at 17:07\n• My hunch is it's impossible. But I don't have any particular idea of how to prove it. – djs Jul 5 '18 at 17:08\n\nYes, there are densities with negatively infinite entropy.\n\nTo construct one, find a family of densities with arbitrarily negative entropy. (Clearly this requires the density functions to have arbitrarily large values and therefore there are points where they become \"singular.\") By shifting and scaling them into disjoint intervals within $$[0,1],$$ if we are careful we can produce a density whose entropy is close to the average of the entropies of its pieces. Since the average of a divergent sequence diverges, this can produce a function with negatively infinite entropy provided we make sure to push the closure of singularities into a measure-zero subset. The following account gives an explicit construction.\n\nTo discuss entropy in a compact way, define the function $$h:\\mathbb{R}\\to\\mathbb{R}$$ as\n\n$$h(t) = -t\\log(|t|) = -t \\log(t^2)/2.$$\n\nThe second formula immediately shows $$h$$ is continuous, and differentiable everywhere except at $$0.$$ It determines the entropy of any density $$f$$ as\n\n$$H[f] = \\int_{\\mathbb{R}} h(f(t))\\mathrm{d}t.$$\n\nNote that $$H[f]$$ is defined for any integrable non-negative function $$f$$ for which $$|h(f(t))|$$ is integrable, which will include any positive multiples of densities $$t\\to \\lambda f(t).$$\n\nFor any number $$p\\lt 1,$$ consider the functions $$\\phi_p:\\mathbb{R}\\to\\mathbb{R}$$ whose values are zero everywhere except on the interval $$(0,1]$$ where they are given by the formula\n\n$$\\phi_p(t) = (1-p)t^{-p}.$$\n\nThe $$\\phi(p)$$ integrate to unity and they obviously have non-negative (and finite) values, whence they are all density functions. (They are Beta$$(1-p,1)$$ densities.) Their entropies are\n\n$$H[\\phi_p] = -\\int_{(0,1]} (1-p)t^{-p} \\log((1-p)t^{-p})\\mathrm{d}t = -\\left(\\frac{p}{1-p} + \\log(1-p)\\right),\\tag{1}$$\n\nwhich can be made arbitrarily negative (but not infinite) by taking $$p$$ close to $$1.$$ Notice that the only singularity of $$\\phi_p$$ is at $$0.$$\n\nCan we do better? We might try to assemble a density out of the $$\\phi_p$$ by shifting them into disjoint intervals, for then the integral involved in the entropy calculation becomes the simple sum of the integrals in each of those intervals. We will need to discover how such alterations to a density change the entropy. For completeness, the following recapitulates the analysis described at How does entropy depend on location and scale?.\n\nIn general, when $$f$$ is any density, let $$f_{\\lambda, \\mu,\\sigma}(t) = \\lambda f\\left(\\frac{t-\\mu}{\\sigma}\\right)$$ be a scaled version (with $$\\sigma$$ and $$\\lambda$$ positive) and change variables to $$x = (t-\\mu)/\\sigma$$ to find\n\n$$\\int f_{\\lambda,\\mu,\\sigma}(t)\\mathrm{d}t = \\lambda\\sigma \\int \\lambda f(x)\\sigma \\mathrm{d}x = \\lambda \\sigma\\tag{2}$$\n\nand\n\n\\eqalign{ H[f_{\\lambda, \\mu,\\sigma}] &= -\\int \\lambda f\\left(\\frac{t-\\mu}{\\sigma}\\right)\\log \\left(\\lambda f\\left(\\frac{t-\\mu}{\\sigma}\\right)\\right)\\mathrm{d}t \\\\ &= -\\lambda\\sigma\\int f\\left(x\\right)\\log \\left(\\lambda f\\left(x\\right)\\right)\\mathrm{d}x \\\\ &= -\\lambda\\sigma\\left(\\int f(x)\\log(f(x))\\mathrm{d}x + \\log(\\lambda)\\int f(x)\\mathrm{d}x\\right) \\\\ &= \\lambda \\sigma(H[f] - \\log(\\lambda)). \\tag{3} }\n\nLet's return to the problem of building a density $$f$$ out of non-overlapping pieces by shifting and scaling various $$\\phi_p.$$ One way is for each $$n=1, 2, 3, \\ldots,$$ shift and scale $$f^{(n)} = \\phi_{1-1/n}$$ into the interval $$(1/(n+1), 1/n].$$ This is done by setting $$\\mu_n=1/(n+1)$$ and $$\\sigma_n = 1/(n(n+1))$$ above. Let $$(\\lambda_n)$$ be a sequence of positive weights and with them form\n\n$$f(t) = \\sum_{n=1}^\\infty f^{(n)}_{\\lambda_n, \\mu_n, \\sigma_n}(t) = \\sum_{n=1}^\\infty \\lambda_n\\phi_{1-1/n}\\left(n(n+1)t - n\\right).\\tag{*}$$\n\nResult $$(2)$$ above implies that for $$f$$ to be a density we must have\n\n$$1=\\int f(t)\\mathrm{d}t = \\sum_{n=1}^\\infty \\lambda_n \\sigma_n = \\sum_{n=1}^\\infty \\frac{\\lambda_n}{n(n+1)}$$\n\nand $$(3)$$ along with $$p=1-1/n$$ in formula $$(1)$$ yields\n\n\\eqalign{ H[f] &= \\sum_{n=1}^\\infty \\frac{\\lambda_n}{n(n+1)}(H[\\phi_{1-1/n}] - \\log(\\lambda_n)) \\\\ &= \\sum_{n=1}^\\infty \\frac{\\lambda_n}{n(n+1)}(\\log(n) - n + 1 - \\log(\\lambda_n)). \\tag{4} }\n\nA simple solution is to take $$\\lambda_n=1$$ for all $$n.$$", null, "The choice of $$\\lambda_n$$ scales the infinite spikes in this figure so that the total area beneath them is unity. As they move to the left, though, they become \"heavier\" by making the power $$p$$ closer to $$1.$$\n\nThis makes $$f$$ a density and $$(4)$$ becomes\n\n$$H[f] = \\sum_{n=1}^\\infty \\frac{1}{n(n+1)}(\\log(n) - n + 1 - \\log(1)) = -\\sum_{n=1}^\\infty \\frac{1 - (\\log(n)+1)/n}{n+1}.$$\n\nSince for all positive numbers $$\\log(n)/n \\lt 1/2$$, we may take $$1/n + 1/2$$ to be a lower bound for values $$(1+\\log(n))/n,$$ producing\n\n$$H[f] \\lt-\\sum_{n=1}^\\infty \\frac{1 - (1/n+1/2)}{n+1} \\lt \\sum_{n=1}^\\infty \\frac{1}{n(n+1)} -\\frac{1}{2}\\sum_{n=1}^\\infty \\frac{1}{n+1} = 1-\\frac{1}{2}\\sum_{n=1}^\\infty \\frac{1}{n+1},$$\n\nwhich diverges to $$-\\infty.$$", null, "The entropy of $$f$$ is the (signed) area between this graph of $$h\\circ f$$ and the t-axis. The spikes at the left contribute an infinitely negative area.\n\nFinally, $$f$$ is defined and has finite values everywhere on $$(0,1].$$ Although it has infinitely many singularities, they are countable in number, isolated, and condense only at $$0,$$ making it clear that $$f$$ is absolutely continuous with respect to Lebesgue measure on $$(0,1].$$\n\nFor the record, $$(*)$$ works out to\n\n$$f(t) = \\frac{1}{n}\\left(n(n+1)t - n\\right)^{1/n-1}$$ where $$n$$ is the greatest integer less than or equal to $$1/t$$ and $$0\\lt t\\le 1.$$ We have shown that $$f$$ is a density and $$H[f] =-\\infty.$$\n\nI actually came across to this problem from a different angle. I was trying to understand why the mutual information of multivariate normal distribution goes to $$\\infty$$ as the correlation goes to 1. See here\n\nSo to your question, sorry I don't know the answer, but if we loose the condition $$H(f)=-\\infty$$ to any arbitrary negative number and consider multivariate functions, then $$f(x)$$ can be the joint pdf of enough correlated (correlation close to 1) bivariate normal distribution.\n\n• The lack of a lower bound on a set of values is not the same thing as the existence of values that actually equal $-\\infty.$ – whuber Aug 9 '19 at 13:09" ]
[ null, "https://i.stack.imgur.com/fb6wd.png", null, "https://i.stack.imgur.com/ZDkVo.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.7704489,"math_prob":0.99999714,"size":5498,"snap":"2020-34-2020-40","text_gpt3_token_len":1798,"char_repetition_ratio":0.13287222,"word_repetition_ratio":0.0026385225,"special_character_ratio":0.34248817,"punctuation_ratio":0.0748422,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":1.0000057,"pos_list":[0,1,2,3,4],"im_url_duplicate_count":[null,1,null,1,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-09-25T07:38:22Z\",\"WARC-Record-ID\":\"<urn:uuid:ce242b82-982c-41c9-9f6c-5a50a4d3faf7>\",\"Content-Length\":\"170576\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:6ec90c8a-dc87-43fe-a016-fbcfbcbce950>\",\"WARC-Concurrent-To\":\"<urn:uuid:de451514-71f6-48c3-b1b6-e2a9c1ce9b92>\",\"WARC-IP-Address\":\"151.101.1.69\",\"WARC-Target-URI\":\"https://stats.stackexchange.com/questions/354643/can-the-differential-entropy-be-negative-infinity/421457\",\"WARC-Payload-Digest\":\"sha1:EZ4E2PBCXWH3Z434SWNJJNY2FYOQGAKT\",\"WARC-Block-Digest\":\"sha1:YINCPDUFEL27MI44PUQCTUCL67VXFRLO\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-40/CC-MAIN-2020-40_segments_1600400222515.48_warc_CC-MAIN-20200925053037-20200925083037-00545.warc.gz\"}"}
https://www.andrews.edu/~calkins/math/webtexts/geom11.htm
[ "# Indirect and Algebraic Proofs\n\n#### Lesson Overview\n\nMuch of the material in this chapter is a review of prior material, largely due to the fact that we started the year in the Numbers booklet. Nonetheless, it is somewhat reviewed and summarized here.\n\n### Direct Proofs\n\nIn direct proofs, one builds on a true statement with other statements that have already been proven true. This is the typical format of a two column proof. This method includes the Law of Detachment (modus ponens) which states that if p ==> q is true and p is true, then we can conclude that q is true. Direct proofs also often use the Law of Transitivity also known as the Transitive Property of Implication. This law states that if a ==> b and b ==> c, then a ==> c.\n\n### Indirect Proofs\n\nIndirect proofs use negation. Negation means to take the opposite or to falsify a true statement. If the statement is p, then the negation is ~p (not p). There are many ways to rearrange and/or negate parts of statements, so we will summarize them again here. The converse of statement p ==> q is q ==> p. The inverse of statement p ==> q is ~p ==> ~q. The contrapositive of statement p ==> q is ~q ==> ~p. Converses and inverses can not be assumed true if the conditional is, a common mistake. However, the validity of the contrapositive is the same as the original—they are tautologies. That is, p ==> q is true if and only if (iff) ~q ==> ~p is true. This is known as the Law of Contrapositive. Since the converse of the inverse is the contrapositive, the converse and the inverse also have the same truth value. In addition to the Law of Contrapositive, indirect proofs often use two other common laws of logic: the Law of Ruling out Possibilities, and the Law of Indirect Reasoning (Modus Tollens).\n\nThe Law of Ruling out Possibilities is emphasized in this chapter. It is used to eliminate each possibility one by one. The Who Owns the Zebra Puzzle is typical. This and other examples are available for extra credit. Formally it states: When p or q is true and q is not true, then p must be true.\n\nThe Law of Indirect Reasoning is perhaps better known when used in proof by contradiction. Here we note that something must be either true or false. We then assume the opposite of what we suspect to be the case. We then show that this leads to a contradiction. This shows that our assumption was not valid. These proofs often do not lend themselves to a two column format. However, it is important to make the structure and method of the proof clear. Thus these proofs should start with Suppose, Assume, or Either, continues until nonsense is obtain, which should be clearly labeled a contradiction, and close with a concluding remark regarding the validity of what we intended to prove.\n\nWe used this method to show that there are an infinite number of primes. The law formally states: If valid reasoning from p leads to a false conclusion, then p is false. We thus prove p to be true by assuming first it is false and showing this cannot be.\n\n### DeMorgan's Laws\n\nDeMorgan's Laws show how the negation operations distributes over the and and or operations. It tends to be counterintuitive for many. Interestingly enough, in boolean algebra, multiplication and addition both distribute over each other. Remember that in boolean algebra, multiplication might be intersection or the and operator, whereas addition might be union or the or operator. Thus various symbols might be used. So not only a(b + c) = ab + ac, but also a + (bc) = (a + b)(a + c).\n\n~(p v q) = ~p ^ ~q           [The negation of (p or q) is a tautology of (not p and not q).]\n\n~(p ^ q) = ~p v ~q           [The negation of (p and q) is a tautology of (not p or not q).]\n\nThis is perhaps best demonstrated via a truth table.\n\n### Algebraic Proofs\n\nOther proofs may be algebraic or combine algebra and geometry on the cartesian coordinate plane. Certain methods and facts are indispensible. First, you must be able to find the slope of a line or between two points. Next, you need to be able to tell whether two lines are parallel (have equal slopes) or perpendicular (slopes are negative reciprocal of each other, that is, their product is -1). In addition, the distance formula is indispensible. The distance formula and Pythagorean Theorem are equivalent.\n\nWhen doing a coordinate proof, the figure is often drawn in a convenient location. The origin is often utilized for one vertex, with others located on the x-axis or y-axis. Symmetry is also exploited. Thus a rectangle might be located with vertices: (0,0); (a,0); (a,b); and (0,b), or (±ab). The last expression is considered ambiguous, but we mean all four possibilities here not just two. From the coordinates, one then determines lengths and angles.\n\nDistance can be used to show that segments are congruent. Notice how the squaring makes it irrelevant which point is considered point 1 and which is considered point 2. Distance is also always considered to be a positive quantity. The distance formula also extends to three [or more] dimensions. However, the exponents remain 2 not 3 [or more].\n\n D = sqrt[(x1 - x2)2 + (y1 - y2)2] D = sqrt[(x1 - x2)2 + (y1 - y2)2 + (z1 - z2)2]\n\nThe distance formula can be used to define circle and sphere algebraically.\n\n circle:             (x - h)2 + (y - k)2 = r2 sphere:     (x - h)2 + (y - k)2 + (z - l)2 = r2\n\nwhere (h,k) and (h,k,l) are the center and r is the radius. We will generalize the circle formula next year for other conic sections (quadratic relations) such as ellipses, parabolas, and hyperbolas. Remember also, that a lattice point is a point with integer coordinates. The twelve lattice points on the circle x2 + y2 = 25 are common on contests (and in problem 11.7#14).\n\nWe find the midpoint of a line segment with endpoints (x1, y1) and (x2, y2) similarly: ([x1 + x2]/2, [y1 + y2]/2). This also trivially extends into three (or more) dimensions: a line segment with endpoints (x1, y1, z1) and (x2, y2, z2) has midpoint: ([x1 + x2]/2, [y1 + y2]/2, [z1 + z2]/2).\n\nThis, of course, is the arithmetic mean or average. We will deal with geometric mean later. Try proving this next theorem using a triangle located at (0,0); (a,0); and (b,c).\n\n Midpoint Connector Theorem: The segment that connects the midpoints of two sides of the triangle is parallel to the third side and half its length.\n\nNotice how the equation of a line in two dimensions is given by ax + by = c. Similarly, the equation of a plane in three dimensions is given by ax + by + cz = d. Can you predict the equation of a 3-D space in four dimensions?\n\nIn two dimensions it is standard to graph the x-axis as increasing to the right and the y-axis as increasing upwards. Only occasionally will it differ with an axis reversed, the axes exchanged, or both. A rotation and/or reflection might be required to correct this.\n\nThe situation is far more complicated in three dimensions. Portraying three dimensions on paper is the first challenge. Many prefer to leave the x- and y-axis as is and add the z-axis at a 45° angle down through quadrant III signifying that it is coming out of the paper. Another common scheme puts the y-axis to the right, the z-axis up, and the x-axis coming out of the paper, again represented at an angle down through quadrant III. (I should note that it is common practice to shorten the scale on this axis by the square root of 2.) It is very important to label your axes, especially in three dimensions. Both of these representations obey a common convention called the right-hand rule or right-hand coordinate system. If you point your right fingers in the direction of +x, and curl them toward +y, your thumb points in the direction of +z. This important convention is embodied in the way many of our laws of physics are stated.\n\nExample: Consider packaging constraints imposed by some shippers, specifically, maximum length plus girth is 108\", where girth is the perimeter of a cross section. Assuming a square cross section, what is the maximum volume allowed.\nSolution: Let 4x + y = 108 and V = x2y. Solve for y in terms of x, substitute into the volume equation, take the derivative (V = 108x2 - 4x3, V' = 216x - 12x2 = 12x(18 - x) = 0), set it equal to zero and solve for x (x=18; oops, that's calculus). Instead, graph that volume equation V=x2(108-4x) on the inverval 0 < x < 27 and 0 < y < 12000 and locate the maximum of 11664 in3 at 18\" by 18\" by 36\" using the 2nd calc feature of your graphing calculator.\n\nSome useful mental math (and a tie in with algebra) comes up in this section, that is the rapid squaring of x+½, for example 8.52. Note how (x+½)2=x2+x+¼= x(x+1)+¼. Thus 8.52=8•9+0.25=72.25.\n\n### Mathematical Induction\n\nMathematical induction is an important type of proof usually not covered in geometry. However, it is needed to extend some of the field axioms, such as associativity and transitivity. which we have already used. Since many texts confuse it with proof by contradiction, we include it here for completeness. The process harks back to the Peano Axiom first introduced in Numbers Lesson 2 to generate the natural numbers. Axiom 5 there is known as the induction axiom.\n\n A subset of N which contains 1, and which contains n+1 whenever it contains n, must equal N.\n\nThe basic flow of an induction proof is as follows. First we demonstrate our statement to be true for n = 1. Next we demonstrate that if our statement is true for any n, then it is true for n + 1. Finally, we invoke Axiom 5 above and claim it is true for all n.\n\nExample: Suppose we want a general formula to add up all the natural numbers from 1 to n. We gave a formula back in Numbers Lesson 2, but we didn't prove it, especially for odd n.\nSolution: First we demonstrate our formula Tn=n(n+1)/2 to be true for n=1. T1=1(1+1)/2=2/2=1 is the correct sum. Now assuming Tn=n(n+1)/2 is true for n we see what happens when we add n+1 to it. Tn+n+1=n(n+1)/2+n+1= n(n+1)/2+2(n+1)/2= (n(n+1)+2(n+1))/2= (n+1)(n+2)/2=Tn+1 We see that when we add n+1 to Tn we obtain the equivalent equation for Tn+1. Since the statement is true for n=1, and we have show that if it is true for Tn it is true for Tn+1, by the induction axiom, we have just proved it true for all n.\n\nWith this method it is fairly straightforward to derive formulae for the sum of squares and cubes as well. We will leave the associated algebra as homework. These will be useful in calculus when we take the limit of Riemann Sums to form integrals to find the area under curves.\n\nThe sum of i2 from i=1 to i=n is n(n+1)(2n+1)/6.\n\nThe sum of i3 from i=1 to i=n is (n(n+1)/2)2 = n2(n+1)2/4.\n\n### Textbook Correction\n\nCorrection for textbook problem 11.5#19: 1 bushel = 1.2445 feet3 or about 1¼ feet3.\n\nThus BOB is wrong! Also, regarding that same problem, they seem to assume you fill the dome as well as the cylindrical part of the silo. You can go ahead and fill the dome portion today, but since silage settles so much, it won't be full tomorrow!" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.92007774,"math_prob":0.9930192,"size":7683,"snap":"2023-14-2023-23","text_gpt3_token_len":2067,"char_repetition_ratio":0.09858055,"word_repetition_ratio":0.027104137,"special_character_ratio":0.27385136,"punctuation_ratio":0.11124474,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9992291,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-06-07T10:05:20Z\",\"WARC-Record-ID\":\"<urn:uuid:70fb8ff2-6131-4797-8f32-1ed840709827>\",\"Content-Length\":\"17699\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:43cfb10b-9516-41b1-b15f-79713feabf73>\",\"WARC-Concurrent-To\":\"<urn:uuid:71078773-1fd1-4f64-b550-0659c792863e>\",\"WARC-IP-Address\":\"143.207.1.30\",\"WARC-Target-URI\":\"https://www.andrews.edu/~calkins/math/webtexts/geom11.htm\",\"WARC-Payload-Digest\":\"sha1:RLFV4HUGNC5TAL2YTILYYFRF6USWCYW3\",\"WARC-Block-Digest\":\"sha1:BJRDFGNLOLHUGMJDXU3SRK6WHQJM7MNO\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-23/CC-MAIN-2023-23_segments_1685224653631.71_warc_CC-MAIN-20230607074914-20230607104914-00153.warc.gz\"}"}
https://datacadamia.com/data_mining/local_regression
[ "# Statistics - LOcal (Weighted) regrESSion (LOESS|LOWESS)\n\nPopular family of methods called local regression that helps fitting non-linear functions just focusing locally on the data.\n\nLOESS and LOWESS (locally weighted scatterplot smoothing) are two strongly related non-parametric regression methods that combine multiple regression models in a k-nearest-neighbor-based meta-model.\n\n“LOESS” is a later generalization of LOWESS; although it is not a true initialism, it may be understood as standing for “LOcal regrESSion”.\n\nlocally weighted polynomial regression\n\nloess gives a better appearance, but is O(n^2) in memory, so does not work for larger datasets.\n\n## Procedure\n\nA linear function is fitted only on a local set of point delimited by a region. The polynomial is fitted using weighted least squares. The weights are given by the heights of the kernel (the weighting function) giving:\n\n• more weight to points near the target point (x) whose response is being estimated\n• and less weight to points further away.\n\nWe obtain then a fitted polynomial model but retains only the point of the model at the target point (x). The target point then moves away on the x axis and the procedure repeats and that traces out the orange curve.\n\nwhere:\n\n• The orange curve is the fitted function.\n• The points in the region are the orange one.\n• The kernel is a Gaussian distribution." ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.90055925,"math_prob":0.98682994,"size":1503,"snap":"2022-40-2023-06","text_gpt3_token_len":324,"char_repetition_ratio":0.11074049,"word_repetition_ratio":0.0,"special_character_ratio":0.1942781,"punctuation_ratio":0.07224335,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9928926,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-10-06T13:24:36Z\",\"WARC-Record-ID\":\"<urn:uuid:8dd9d566-cebb-4f76-b4e9-23197d189690>\",\"Content-Length\":\"305616\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:df904626-62f6-4321-b5ce-40e2bcbd253b>\",\"WARC-Concurrent-To\":\"<urn:uuid:bd5d32f3-3e89-4b7e-87ea-4e037a462e9d>\",\"WARC-IP-Address\":\"172.67.150.50\",\"WARC-Target-URI\":\"https://datacadamia.com/data_mining/local_regression\",\"WARC-Payload-Digest\":\"sha1:BJ5UXWZSXZ3SXHXDFDCTIJD2JAUOXJGZ\",\"WARC-Block-Digest\":\"sha1:RVYRFR4I7RTE2WDOUTH6277XSROXVYFH\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-40/CC-MAIN-2022-40_segments_1664030337836.93_warc_CC-MAIN-20221006124156-20221006154156-00587.warc.gz\"}"}
https://gmatclub.com/forum/an-alpha-series-is-defined-by-the-rule-a-n-a-n-1-k-where-k-i-249619.html
[ "GMAT Question of the Day - Daily to your Mailbox; hard ones only\n\n It is currently 16 Oct 2019, 21:14", null, "GMAT Club Daily Prep\n\nThank you for using the timer - this advanced tool can estimate your performance and suggest more practice questions. We have subscribed you to Daily Prep Questions via email.\n\nCustomized\nfor You\n\nwe will pick new questions that match your level based on your Timer History\n\nTrack\n\nevery week, we’ll send you an estimated GMAT score based on your performance\n\nPractice\nPays\n\nwe will pick new questions that match your level based on your Timer History\n\nNot interested in getting valuable practice questions and articles delivered to your email? No problem, unsubscribe here.", null, "", null, "An \"alpha series\" is defined by the rule: A_n = A_{n - 1}*k, where k i\n\n new topic post reply Question banks Downloads My Bookmarks Reviews Important topics\nAuthor Message\nTAGS:\n\nHide Tags\n\nMath Expert", null, "V\nJoined: 02 Sep 2009\nPosts: 58385\nAn \"alpha series\" is defined by the rule: A_n = A_{n - 1}*k, where k i  [#permalink]\n\nShow Tags", null, "00:00\n\nDifficulty:", null, "", null, "", null, "55% (hard)\n\nQuestion Stats:", null, "71% (02:34) correct", null, "29% (02:41) wrong", null, "based on 108 sessions\n\nHideShow timer Statistics\n\nAn \"alpha series\" is defined by the rule: $$A_n = A_{n - 1}*k$$, where k is a constant. If the 1st term of a particular \"alpha series\" is 64 and the 25th term is 192, what is the 9th term?\n\nA. $$\\sqrt{3}$$\n\nB. $$\\sqrt{3^9}$$\n\nC. $$64*\\sqrt{3^9}$$\n\nD. $$64*\\sqrt{3}$$\n\nE. $$64*\\sqrt{3^9}$$\n\n_________________\nRetired Moderator", null, "V\nStatus: Long way to go!\nJoined: 10 Oct 2016\nPosts: 1333\nLocation: Viet Nam\nRe: An \"alpha series\" is defined by the rule: A_n = A_{n - 1}*k, where k i  [#permalink]\n\nShow Tags\n\n5\nBunuel wrote:\nAn \"alpha series\" is defined by the rule: $$A_n = A_{n - 1}*k$$, where k is a constant. If the 1st term of a particular \"alpha series\" is 64 and the 25th term is 192, what is the 9th term?\n\nA. $$\\sqrt{3}$$\n\nB. $$\\sqrt{3^9}$$\n\nC. $$64*\\sqrt{3^9}$$\n\nD. $$64*\\sqrt{3}$$\n\nE. $$64*\\sqrt{3^9}$$\n\n$$A_1=64$$\n$$A_2=A_1 * k$$\n$$A_3=A_2 * k$$\n$$A_4=A_3 * k$$\n\n$$...$$\n\n$$A_n=A_{n-1} * k$$\n________________________\n$$A_n=64 * k^{n-1}$$\n\nWe have $$A_{25}=64 * k^{24}=192 \\implies k^{24} = 3 \\implies k = (3)^{\\frac{1}{24}}$$\n\nHence $$A_9=64 * k^8 = 64 * \\Big ((3)^{\\frac{1}{24}} \\Big ) ^ 8 = 64 * (3)^{\\frac{8}{24}} = 64 * (3)^{\\frac{1}{3}} = 64 * \\sqrt{3}$$\n\n_________________\nGeneral Discussion\nManager", null, "", null, "B\nJoined: 04 May 2014\nPosts: 152\nLocation: India\nWE: Sales (Mutual Funds and Brokerage)\nAn \"alpha series\" is defined by the rule: A_n = A_{n - 1}*k, where k i  [#permalink]\n\nShow Tags\n\n$$A_1$$=64\n\n$$A_2$$=$$A_1$$*k=64*k\n\n$$A_3$$=$$A_2$$*k=64*K*K=64*$$k^2$$\n\n$$A_4$$=$$A_3$$*k=64*$$k^3$$\n\nwe see a relationship between $$A_n$$ and k which is k is $$K^{n-1}$$ for any $$A_n$$\n\nwith above information\n\n$$A_{25}$$=64*$$k^{24}$$\n\nNow $$A_{25}$$ is given=192\n\ntherefore 192=65*$$k^{24}$$=$$\\frac{192}{65}$$=$$k^{24}$$\n\nor 3=$$k^{24}$$ or k=$$3^{1/24}$$\n\n$$A_9$$=64*$$K^8$$=64*{3^1/24}^8=64*3√3\nVeritas Prep GMAT Instructor", null, "V\nJoined: 16 Oct 2010\nPosts: 9705\nLocation: Pune, India\nAn \"alpha series\" is defined by the rule: A_n = A_{n - 1}*k, where k i  [#permalink]\n\nShow Tags\n\n1\nBunuel wrote:\nAn \"alpha series\" is defined by the rule: $$A_n = A_{n - 1}*k$$, where k is a constant. If the 1st term of a particular \"alpha series\" is 64 and the 25th term is 192, what is the 9th term?\n\nA. $$\\sqrt{3}$$\n\nB. $$\\sqrt{3^9}$$\n\nC. $$64*\\sqrt{3^9}$$\n\nD. $$64*\\sqrt{3}$$\n\nE. $$64*\\sqrt{3^9}$$\n\nAs per the given rule for alpha series, it is a geometric progression.\n\n1st term = 64\n25th term = $$192 = 64 * k^{24}$$\n$$k^{24} = 3$$\n\nWe need to find the 9th term i.e. $$64*k^8$$\n\n$$k^8$$ is cube root of $$k^{24}$$ so it is cube root of 3. So 9th term is 64*cube root of 3\n\n_________________\nKarishma\nVeritas Prep GMAT Instructor\n\nLearn more about how Veritas Prep can help you achieve a great GMAT score by checking out their GMAT Prep Options >\nNon-Human User", null, "Joined: 09 Sep 2013\nPosts: 13205\nRe: An \"alpha series\" is defined by the rule: A_n = A_{n - 1}*k, where k i  [#permalink]\n\nShow Tags\n\nHello from the GMAT Club BumpBot!\n\nThanks to another GMAT Club member, I have just discovered this valuable topic, yet it had no discussion for over a year. I am now bumping it up - doing my job. I think you may find it valuable (esp those replies with Kudos).\n\nWant to see all other topics I dig out? Follow me (click follow button on profile). You will receive a summary of all topics I bump in your profile area as well as via email.\n_________________", null, "Re: An \"alpha series\" is defined by the rule: A_n = A_{n - 1}*k, where k i   [#permalink] 22 Oct 2018, 07:57\nDisplay posts from previous: Sort by\n\nAn \"alpha series\" is defined by the rule: A_n = A_{n - 1}*k, where k i\n\n new topic post reply Question banks Downloads My Bookmarks Reviews Important topics\n\n Powered by phpBB © phpBB Group | Emoji artwork provided by EmojiOne", null, "", null, "" ]
[ null, "https://cdn.gmatclub.com/cdn/files/forum/styles/gmatclub_light/theme/images/profile/close.png", null, "https://cdn.gmatclub.com/cdn/files/forum/styles/gmatclub_light/theme/images/profile/close.png", null, "https://gmatclub.com/forum/styles/gmatclub_light/theme/images/search/close.png", null, "https://cdn.gmatclub.com/cdn/files/forum/images/avatars/upload/avatar_73391.jpg", null, "https://cdn.gmatclub.com/cdn/files/forum/styles/gmatclub_light/theme/images/viewtopic/timer_play.png", null, "https://cdn.gmatclub.com/cdn/files/forum/styles/gmatclub_light/theme/images/viewtopic/timer_difficult_blue.png", null, "https://cdn.gmatclub.com/cdn/files/forum/styles/gmatclub_light/theme/images/viewtopic/timer_difficult_blue.png", null, "https://cdn.gmatclub.com/cdn/files/forum/styles/gmatclub_light/theme/images/viewtopic/timer_difficult_blue.png", null, "https://cdn.gmatclub.com/cdn/files/forum/styles/gmatclub_light/theme/images/viewtopic/timer_separator.png", null, "https://cdn.gmatclub.com/cdn/files/forum/styles/gmatclub_light/theme/images/viewtopic/timer_separator.png", null, "https://cdn.gmatclub.com/cdn/files/forum/styles/gmatclub_light/theme/images/viewtopic/timer_separator.png", null, "https://cdn.gmatclub.com/cdn/files/forum/images/avatars/upload/avatar_605353.jpg", null, "https://cdn.gmatclub.com/cdn/files/forum/images/ranks/rank_phpbb_3.svg", null, "https://cdn.gmatclub.com/cdn/files/forum/images/no_avatar.svg", null, "https://cdn.gmatclub.com/cdn/files/forum/images/avatars/upload/avatar_116290.jpg", null, "https://cdn.gmatclub.com/cdn/files/forum/images/avatars/upload/avatar_362269.gif", null, "https://cdn.gmatclub.com/cdn/files/forum/styles/gmatclub_light/theme/images/viewtopic/posts_bot.png", null, "https://www.facebook.com/tr", null, "https://www.googleadservices.com/pagead/conversion/1071875456/", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.89640313,"math_prob":0.99898887,"size":723,"snap":"2019-43-2019-47","text_gpt3_token_len":201,"char_repetition_ratio":0.09596662,"word_repetition_ratio":0.2,"special_character_ratio":0.25726143,"punctuation_ratio":0.15862069,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99995446,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32,33,34,35,36,37,38],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-10-17T04:14:01Z\",\"WARC-Record-ID\":\"<urn:uuid:7b4402aa-c85c-40c2-a66e-d98d0a2738f4>\",\"Content-Length\":\"821240\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:5d204732-618b-4671-8047-3294f87e062f>\",\"WARC-Concurrent-To\":\"<urn:uuid:1e96a9cf-655c-494f-b30a-3d657775f5e4>\",\"WARC-IP-Address\":\"198.11.238.98\",\"WARC-Target-URI\":\"https://gmatclub.com/forum/an-alpha-series-is-defined-by-the-rule-a-n-a-n-1-k-where-k-i-249619.html\",\"WARC-Payload-Digest\":\"sha1:DHKIAIESHX7VWOAWP2C4IPKB2FFXFZQA\",\"WARC-Block-Digest\":\"sha1:RBBR6F5TIYMFMN45YABYPQKWRDPI735D\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-43/CC-MAIN-2019-43_segments_1570986672548.33_warc_CC-MAIN-20191017022259-20191017045759-00158.warc.gz\"}"}
https://answers.everydaycalculation.com/simplify-fraction/6-13
[ "Solutions by everydaycalculation.com\n\n## Reduce 6/13 to lowest terms\n\n6/13 is already in the simplest form. It can be written as 0.461538 in decimal form (rounded to 6 decimal places).\n\n#### Steps to simplifying fractions\n\n1. Find the GCD (or HCF) of numerator and denominator\nGCD of 6 and 13 is 1\n2. Divide both the numerator and denominator by the GCD\n6 ÷ 1/13 ÷ 1\n3. Reduced fraction: 6/13\nTherefore, 6/13 simplified to lowest terms is 6/13.\n\nMathStep (Works offline)", null, "Download our mobile app and learn to work with fractions in your own time:" ]
[ null, "https://answers.everydaycalculation.com/mathstep-app-icon.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.87781316,"math_prob":0.8828549,"size":347,"snap":"2021-43-2021-49","text_gpt3_token_len":89,"char_repetition_ratio":0.10204082,"word_repetition_ratio":0.0,"special_character_ratio":0.27665707,"punctuation_ratio":0.10606061,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.95465267,"pos_list":[0,1,2],"im_url_duplicate_count":[null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-10-19T15:45:15Z\",\"WARC-Record-ID\":\"<urn:uuid:888a14f8-dea5-4267-a9f6-81cca96d9cdf>\",\"Content-Length\":\"6406\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:23838e0f-91ce-4a3a-a0c6-720580aac2ac>\",\"WARC-Concurrent-To\":\"<urn:uuid:683a710b-072a-42dc-9285-b02d4162e952>\",\"WARC-IP-Address\":\"96.126.107.130\",\"WARC-Target-URI\":\"https://answers.everydaycalculation.com/simplify-fraction/6-13\",\"WARC-Payload-Digest\":\"sha1:UG25WHRU5CVVLIHXLSH26HKDMTXWNP74\",\"WARC-Block-Digest\":\"sha1:73WLV3O2TKZNZPF7DVR4MA4QJTFDPVJN\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-43/CC-MAIN-2021-43_segments_1634323585270.40_warc_CC-MAIN-20211019140046-20211019170046-00607.warc.gz\"}"}
https://ch.mathworks.com/matlabcentral/cody/problems/9-who-has-the-most-change/solutions/1021553
[ "Cody\n\nProblem 9. Who Has the Most Change?\n\nSolution 1021553\n\nSubmitted on 18 Oct 2016 by francescoferrari\nThis solution is locked. To view this solution, you need to provide a solution of the same size or smaller.\n\nTest Suite\n\nTest Status Code Input and Output\n1   Pass\na = [1 2 1 15]; b = 1; assert(isequal(most_change(a),b))\n\nb = 1\n\n2   Pass\na = [ 1 2 1 15; 0 8 5 9]; b = 2; assert(isequal(most_change(a),b))\n\nb = 2\n\n3   Pass\na = [ 1 22 1 15; 12 3 13 7; 10 8 23 99]; b = 3; assert(isequal(most_change(a),b))\n\nb = 3\n\n4   Pass\na = [ 1 0 0 0; 0 0 0 24]; b = 1; assert(isequal(most_change(a),b))\n\nb = 1\n\n5   Pass\na = [ 0 1 2 1; 0 2 1 1]; c = 1; assert(isequal(most_change(a),c))\n\nb = 1\n\n6   Pass\n% There is a lot of confusion about this problem. Watch this. a = [0 1 0 0; 0 0 1 0]; c = 2; assert(isequal(most_change(a),c)) % Now go back and read the problem description carefully.\n\nb = 2\n\n7   Pass\na = [ 2 1 1 1; 1 2 1 1; 1 1 2 1; 1 1 1 2; 4 0 0 0]; c = 5; assert(isequal(most_change(a),c))\n\nb = 5" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.59379137,"math_prob":0.99934274,"size":1097,"snap":"2019-26-2019-30","text_gpt3_token_len":452,"char_repetition_ratio":0.16651419,"word_repetition_ratio":0.04526749,"special_character_ratio":0.4685506,"punctuation_ratio":0.13653137,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.97487056,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-06-25T01:52:00Z\",\"WARC-Record-ID\":\"<urn:uuid:efe690cc-1c09-4b5a-a56b-b28ec141aeb6>\",\"Content-Length\":\"74418\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:b3a05956-4707-47c3-b694-57cc8714f02e>\",\"WARC-Concurrent-To\":\"<urn:uuid:41ca70a7-8650-464a-93b1-c1248bd96def>\",\"WARC-IP-Address\":\"104.118.213.50\",\"WARC-Target-URI\":\"https://ch.mathworks.com/matlabcentral/cody/problems/9-who-has-the-most-change/solutions/1021553\",\"WARC-Payload-Digest\":\"sha1:W4M4AODQP7W6D44TO3MB2DZTR7SHKOEE\",\"WARC-Block-Digest\":\"sha1:XJEX2TRIH5YGIUXXATYUELPM24TBB5VU\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-26/CC-MAIN-2019-26_segments_1560627999783.49_warc_CC-MAIN-20190625011649-20190625033649-00042.warc.gz\"}"}
https://werk.statt.codes/posts/2020-10-10-vienna-elections-2020-age-profile/
[ "# Vienna Elections 2020: Age profile of electoral candidates\n\nAn empirical look at candidates’ age.\nAustria\nelections\nOCR\nregex\nreactable\ngt\nAuthor\n\nRoland Schmidt\n\nPublished\n\n10 Oct 2020\n\n# 1 Setup\n\nCode\n``````library(tidyverse)\nlibrary(here)\nlibrary(extrafont)\nloadfonts(device = \"win\", quiet = T)\nlibrary(hrbrthemes)\nhrbrthemes::update_geom_font_defaults(\nfamily = \"Roboto Condensed\",\nsize = 3.5,\ncolor = \"grey50\"\n)\nlibrary(scales)\nlibrary(knitr)\nlibrary(paletteer)\nlibrary(ggtext)\nlibrary(glue)\nlibrary(pdftools)\nlibrary(svglite)\nlibrary(tictoc)\nlibrary(tidytext)\nlibrary(gt)\nlibrary(reactable)\nlibrary(reactablefmtr)\nlibrary(ggforce)\nlibrary(ggiraph)\nlibrary(htmltools)``````\nCode: Define rmarkdown options\nCode\n``````knit_hooks\\$set(wrap = function(before, options, envir) {\nif (before) {\npaste0(\"<\", options\\$wrap, \">\")\n} else {\npaste0(\"</\", options\\$wrap, \">\")\n}\n})\n\nknitr::opts_chunk\\$set(\nfig.align = \"left\",\nmessage = FALSE,\nwarning = FALSE,\ndev = \"svglite\",\n# dev.args = list(type = \"CairoPNG\"),\ndpi = 300,\nout.width = \"100%\"\n)\noptions(width = 180, dplyr.width = 150)``````\nCode: Define plot theme, party colors, caption\nCode\n``````plot_bg_color <- \"white\"\n\ncaption_table <- \"Source:\\ndata: https://www.wien.gv.at/politik/wahlen/grbv/2020/ analysis: Roland Schmidt | @zoowalk | https://werk.statt.codes\"\n\ntheme_post <- function() {\nhrbrthemes::theme_ipsum_rc() +\ntheme(\nplot.background = element_rect(fill = plot_bg_color, color=NA),\npanel.background = element_rect(fill = plot_bg_color, color=NA),\n#panel.border = element_rect(colour = plot_bg_color, fill=NA),\n#plot.border = element_rect(colour = plot_bg_color, fill=NA),\nplot.margin = ggplot2::margin(l = 0,\nt = 0.25,\nunit = \"cm\"),\nplot.title = element_markdown(\ncolor = \"grey20\",\nface = \"bold\",\nmargin = ggplot2::margin(l = 0, unit = \"cm\"),\nsize = 11\n),\nplot.title.position = \"plot\",\nplot.subtitle = element_text(\ncolor = \"grey50\",\nmargin = ggplot2::margin(t = 0.2, b = 0.3, unit = \"cm\"),\nsize = 10\n),\nplot.caption = element_text(\ncolor = \"grey50\",\nsize = 8,\nhjust = c(0)\n),\nplot.caption.position = \"panel\",\naxis.title.x = element_text(\nangle = 0,\ncolor = \"grey50\",\nhjust = 1\n),\naxis.text.x = element_text(\nsize = 9,\ncolor = \"grey50\"\n),\naxis.title.y = element_blank(),\naxis.text.y = element_text(\nsize = 9,\ncolor = \"grey50\"\n),\npanel.grid.minor.x = element_blank(),\npanel.grid.major.x = element_blank(),\npanel.grid.minor.y = element_blank(),\npanel.spacing = unit(0.25, \"cm\"),\npanel.spacing.y = unit(0.25, \"cm\"),\nstrip.text = element_text(\nangle = 0,\nsize = 9,\nvjust = 1,\nface = \"bold\"\n),\nlegend.title = element_text(\ncolor = \"grey30\",\nface = \"bold\",\nvjust = 1,\nsize = 7\n),\nlegend.text = element_text(\nsize = 7,\ncolor = \"grey30\"\n),\nlegend.justification = \"left\",\nlegend.box = \"horizontal\", # arrangement of multiple legends\nlegend.direction = \"vertical\",\nlegend.margin = ggplot2::margin(l = 0, t = 0, unit = \"cm\"),\nlegend.spacing.y = unit(0.07, units = \"cm\"),\nlegend.text.align = 0,\nlegend.box.just = \"top\",\nlegend.key.height = ggplot2::unit(0.2, \"line\"),\nlegend.key.width = ggplot2::unit(0.5, \"line\"),\ntext = element_text(size = 5)\n)\n}\n\ndata_date <- format(Sys.Date(), \"%d %b %Y\")\n\nmy_caption <- glue::glue(\"data: https://www.wien.gv.at/politik/wahlen/grbv/2020/\\nanalysis: Roland Schmidt | @zoowalk | https://werk.statt.codes\")``````\n\n# 2 Context\n\nElections in Vienna are today and while glancing through the electoral lists I couldn’t help but paying attention to candidates’ birth years. Maybe that’s an age thing… This got me thinking that I haven’t seen any more systematic analysis of parties’/candidates’ age profile. So as a modest contribution to this end, here are my two cents. Again, I’ll focus mainly on the pertaining steps in R and related number crunching. Due to a lack of time and not being an expert on Vienna’s electoral system, I’ll be brief when it comes to substantive matters. But the presented results hopefully provide sufficient material to dig into.\n\nAs always, if you see any glaring error or have any constructive comment, feel free to let me now (best via twitter DM).\n\n# 3 Data\n\nAgain, as so often, the trickiest part is to get the data ‘liberated’ from the format it is provided in. The entire list of candidates is published in this pdf. Note that there are three lists: One for the city council (‘Gemeinderat’; composed on the basis of the results in 18 multi-member electoral districts), one for the 23 district councils (‘Bezirksrat’; one in each district), and the ‘city election proposal’ (‘Stadtwahlvorschlag’; admittedly a somewhat clumsy translation). The latter doesn’t constitute a body in itself, but serves to allocate mandates which remained unassigned after counting the votes for the city council (‘zweites Ermittlungsverfahren’/similar to the d’Hondt procedure).\n\nWhen it comes to extracting the data from the linked pdf, a difficulty may arise due to the two-column format of the document. Hence, simple row-wise extraction doesn’t help much since it would put candidates together which could be from different parties. Similarly, simply isolating the two columns and extracting candidates would also not do the trick since breaks betwee parties, districts etc run over two, and not one column. To illustrate this, I resorted to cutting edge technology and drew the two arrows below:\n\nLuckily, the `tabulizer` package is not only very powerful when it comes to extracting text/data from a pdf, it is also sophisticated enough to take into consideration the text flow highlighted above. I am not familiar with the underlying heuristic, but I assume it is contingent on consistently formatted section headings. Hence, empowered with this tool, retrieving the text becomes rather effortless. The subsequent steps are a battery of regular expressions to extract the specific data we are interested in. To see the code, unfold the snippets below.\n\nCode: Extract text from pdf\nCode\n``````df_raw <- tabulizer::extract_text(file=here::here(\"_blog_data\",\n\"vienna_elections_2020\",\n\"amtsblatt2020.pdf\"),\npages=c(1:115),\nencoding=\"UTF-8\") %>% #capital letters of UTF!\nenframe(name=NULL,\nvalue=\"text_raw\")``````\nCode: Extract data of interest (regex)\nCode\n``````df_clean <- df_raw %>%\nungroup() %>%\nmutate(text_split=str_split(text_raw, regex(\"\\r\\n\\\\s*(?=\\\\d+\\\\.)\"))) %>%\nunnest_longer(text_split) %>%\nmutate(text_split=text_split %>% str_squish() %>% str_trim()) %>%\nmutate(text_split=str_split(text_split, \".(?=Zustellungsbevollmächtigte(r)? Vertreter(in)?)\")) %>%\nunnest_longer(text_split)\n\n# get Listenplatz ------------------------------------------------------------\n\ndf_clean <- df_clean %>%\nmutate(listenplatz=str_extract(text_split, regex(\"^\\\\d+\\\\.?\\\\s+(?!Bezirk)\")) %>%\nstr_extract(., \"\\\\d*\") %>% as.numeric())\n\n# get elections -----------------------------------------------------------\n\ndf_clean <- df_clean %>%\nmutate(election=text_raw %>% str_extract(., regex(\"(?<=[A-Z]\\\\.)\\\\s*[A-z]+wahl(en)?\", dotall = T)) %>%\nstr_trim(., side=c(\"both\"))) %>%\ntidyr::fill(election, .direction=\"down\")\n\n# electoral district --------------------------------------------------------------\ndf_clean <- df_clean %>%\nmutate(wahlkreis=case_when(election==\"Bezirksvertretungswahlen\" ~ str_extract(text_split, \"\\\\d{1,2}\\\\. Bezirk\"),\nelection==\"Gemeinderatswahl\"~ str_extract(text_split, regex(\"Wahlkreis.*?(?=[:upper:]{2,}?)\",\ndotall = T,\nmultiline = T)),\nTRUE ~ as.character(\"missing\"))) %>%\nmutate(wahlkreis=str_trim(wahlkreis, side=c(\"both\"))) %>%\ntidyr::fill(wahlkreis, .direction=\"down\") %>%\nmutate(wahlkreis=str_remove(wahlkreis, \"Wahlkreis \") %>%\nstr_remove(., regex(\"\\\\(.*\\\\)\")) %>%\nstr_trim(., side=c(\"both\")))\n\n# other -------------------------------------------------------------------\n\ndf_clean <- df_clean %>%\nmutate(page=text_raw %>% str_extract(., regex(\"Seite \\\\d+\")) %>% str_extract(., \"\\\\d+\") %>%\nas.numeric()) %>%\nmutate(name=str_extract(text_split, regex(\"(?<=\\\\d\\\\.\\\\s?).*?(?=,\\\\s?\\\\d{4},)\")) %>%\nstr_trim(., side=c(\"both\"))) %>%\nmutate(first_name=text_split %>% str_extract(., regex(\"[:alpha:]*(?=,\\\\s?\\\\d+)\"))) %>%\nmutate(year_birth=text_split %>% str_extract(., regex(\"\\\\d{4}\")) %>%\nas.numeric()) %>%\nmutate(year_interval=cut(year_birth, seq(1930, 2005, 5))) %>%\nmutate(plz=text_split %>% str_extract(., regex(\"\\\\d{4}\\\\s(?=Wien)\")) %>%\nstr_trim(., side=c(\"both\")))\n\n# get party ---------------------------------------------------------------\n\ndf_clean <- df_clean %>%\nmutate(party=text_split %>% str_extract(., regex(\"(?<=^Zustellung)[:alpha:]*\\$\"))) %>%\nTRUE ~ NA_character_)) %>%\ntidyr::fill(party, .direction = \"down\") %>%\nmutate(party=party %>%\nas_factor() %>%\nfct_relevel(., sort) %>%\nfct_relevel(., \"SPÖ\", \"FPÖ\", \"GRÜNE\", \"ÖVP\", \"NEOS\"))\n\n# wrap up -----------------------------------------------------------------\n\ndf_clean <- df_clean %>%\nmutate(wahlkreis_plz=str_extract(wahlkreis, regex(\"\\\\d+\")) %>%\nas.numeric()+100) %>%\nmutate(wahlkreis_plz=wahlkreis_plz %>% as.character() %>% paste0(., \"0\")) %>%\nmutate(wahlkreis_plz=case_when(str_detect(wahlkreis, \"Zentrum\") ~ \"1010, 1040, 1050, 1060\",\nstr_detect(wahlkreis, \"Innen\") ~ \"1070, 1080, 1090\",\nstr_detect(wahlkreis, \"Landstraße\") ~ \"1030\",\nstr_detect(wahlkreis, \"Favoriten\") ~ \"1100\",\nstr_detect(wahlkreis, \"Simmering\") ~ \"1110\",\nstr_detect(wahlkreis, \"Meidling\") ~ \"1120\",\nstr_detect(wahlkreis, \"Hietzing\") ~ \"1130\",\nstr_detect(wahlkreis, \"Penzing\") ~ \"1140\",\nstr_detect(wahlkreis, \"Rudolf\") ~ \"1150\",\nstr_detect(wahlkreis, \"Ottakring\") ~ \"1160\",\nstr_detect(wahlkreis, \"Hernals\") ~ \"1170\",\nstr_detect(wahlkreis, \"Währing\") ~ \"1180\",\nstr_detect(wahlkreis, \"Döbling\") ~ \"1190\",\nstr_detect(wahlkreis, \"Brigittenau\") ~ \"1200\",\nstr_detect(wahlkreis, \"Floridsdorf\") ~ \"1210\",\nstr_detect(wahlkreis, \"Liesing\") ~ \"1230\",\nTRUE ~ as.character(wahlkreis_plz))) %>%\nmutate(residence=case_when(\nstr_detect(wahlkreis_plz, plz) ~ \"inside\",\n!str_detect(wahlkreis_plz, plz) ~ \"outside\",\nTRUE ~ as.character(\"missing\"))) #%>%\n\ndf_clean <- df_clean %>%\nselect(-text_raw) %>%\nfilter(!is.na(listenplatz)) ``````\n\nAfter these few steps we have a searchable/sortable table of all candidates (or better candidatures since one person can be candidate on multiple districts/lists). There have been 8,983 candidatures by 5,038 individuals.\n\nThe table essentially provides all necessary data for the subsequent analysis. While the pdf does not include the exact birth date of each candidate, it provides us with their birth years which we can take as a proxy for age. Note that I also extracted candidates’ residence zip code to see how often place of residence and candidature actually overlap (see below).\n\n## 3.1 Result\n\nCode: Table with all candidates\nCode\n``````tb_all <- reactable(df_clean %>%\nselect(election, wahlkreis, party, name, listenplatz, year_birth, plz),\ncolumns=list(election=colDef(name=\"Wahl\", width=130),\nwahlkreis=colDef(name=\"Wahlbezirk\", width=100),\nparty=colDef(name=\"Partei\", width=50),\nname=colDef(name=\"KandidatIn\"),\nlistenplatz=colDef(name=\"Listenplatz\",\nwidth=70,\nalign=\"center\"),\nyear_birth=colDef(name=\"Geburtsjahr\", width=90),\nplz=colDef(name=\"PLZ Wohnort\", width=90)),\nbordered=F,\ncompact = TRUE,\nhighlight = TRUE,\nstyle = list(fontSize = \"10px\"),\nfilterable = TRUE,\ndefaultPageSize = 23,\ntheme = reactablefmtr::nytimes()) %>%\nadd_title(title= \"WIEN-WAHL 2020: Liste aller KandidatInnen\") %>%\n\n# WIEN-WAHL 2020: Liste aller KandidatInnen\n\nSource: data: https://www.wien.gv.at/politik/wahlen/grbv/2020/ analysis: Roland Schmidt | @zoowalk | https://werk.statt.codes\n\n# 4 Analysis\n\n## 4.1 Oldest and youngest candidates\n\nLet’s now look at the overall youngest and oldest candidates. We could retrieve this information already from the main table provided above (sort column birth year). Here, however, let’s nest candidates’ different candidatures for the sake of clarity.\n\n### 4.1.1 Youngest candidates\n\nCode: Youngest candidates\nCode\n``````df_main <- df_clean %>%\ndistinct(name, year_birth, party) %>%\nslice_max(.,order_by=year_birth, n=10) %>%\narrange(name, desc(year_birth)) %>%\nmutate(index=dplyr::min_rank(year_birth)) %>%\nmutate(index_name=paste(index, \". \",name), .before=1) %>%\nselect(-index)\n\ntb_young <- reactable(df_main,\ncolumns=list(index_name=colDef(name=\"KandidatIn\",\nwidth=130),\nname=colDef(show=F),\nyear_birth=colDef(name=\"Geburtsjahr\",\nwidth=70),\nparty=colDef(name=\"Partei\",\nwidth=50)),\npagination = FALSE,\nonClick = \"expand\",\nbordered=F,\ncompact = TRUE,\nhighlight = TRUE,\nrowStyle = list(cursor = \"pointer\"),\nstyle = list(fontSize = \"10px\"),\ntheme = reactableTheme(\nborderWidth = 1,\nborderColor = \"#7f7f7f\",\nbackgroundColor = plot_bg_color,\nfilterInputStyle = list(\ncolor=\"green\",\nbackgroundColor = plot_bg_color)),\n\ndetails=function(index){\ndf_nested <- df_clean %>%\nslice_max(.,order_by=year_birth, n=10) %>%\nselect(name, election, wahlkreis, listenplatz) %>%\nfilter(name==df_main\\$name[index]) %>%\nselect(-name)\n\ntbl_nested <- reactable(df_nested,\ncolumns = list(\nelection=colDef(name=\"Wahl\"),\nwahlkreis=colDef(name=\"Wahlbezirk\"),\nlistenplatz=colDef(name=\"Listenplatz\")\n),\noutlined = TRUE,\nhighlight = TRUE,\nfullWidth = TRUE,\ntheme = reactableTheme(\nbackgroundColor = \"#ab8cab\"))\n\nhtmltools::div(style = list(margin = \"12px 45px\"), tbl_nested)}\n\n) %>%\nadd_source(source=\"Geburtsjahr lt. Wahlvorschlag als Basis. Top 10.\")``````\n\n# WIEN-WAHL 2020: Jüngesten KandidatInnen\n\nGeburtsjahr lt. Wahlvorschlag als Basis. Top 10.\n\nAs becomes clear from the table, there are overall 16 candidates who were all born in 2002.\n\n### 4.1.2 Oldest candidates\n\nCode: oldest candidates\nCode\n``````df_main <- df_clean %>%\ndistinct(name, year_birth, party) %>%\nslice_min(., order_by=year_birth, n=10) %>%\narrange(year_birth, name) %>%\nmutate(index=dplyr::min_rank(year_birth)) %>%\nmutate(index_name=paste(index, \". \", name), .before=1) %>%\nselect(-index)\n\ntb_old <- reactable(df_main,\ncolumns=list(index_name=colDef(name=\"KandidatIn\",\nwidth=130),\nname=colDef(show=F),\nyear_birth=colDef(name=\"Geburtsjahr\",\nwidth=70),\nparty=colDef(name=\"Partei\",\nwidth=50)),\npagination = FALSE,\nonClick = \"expand\",\nbordered=F,\ncompact = TRUE,\nhighlight = TRUE,\nrowStyle = list(cursor = \"pointer\"),\nstyle = list(fontSize = \"10px\"),\ntheme = reactableTheme(\nborderWidth = 1,\nborderColor = \"#7f7f7f\",\nbackgroundColor = plot_bg_color,\nfilterInputStyle = list(\ncolor=\"green\",\nbackgroundColor = plot_bg_color)),\n\ndetails=function(index){\ndf_nested <- df_clean %>%\nslice_min(.,order_by=year_birth, n=10) %>%\nselect(name, election, wahlkreis, listenplatz) %>%\nfilter(name==df_main\\$name[index]) %>%\nselect(-name)\n\ntbl_nested <- reactable(df_nested,\ncolumns = list(\nelection=colDef(name=\"Wahl\"),\nwahlkreis=colDef(name=\"Wahlbezirk\"),\nlistenplatz=colDef(name=\"Listenplatz\")\n),\noutlined = TRUE,\nhighlight = TRUE,\nfullWidth = T,\ntheme = reactableTheme(\nbackgroundColor = \"#ab8cab\"))\n\nhtmltools::div(style = list(margin = \"12px 45px\"), tbl_nested)}\n\n) %>%\nadd_source(source=\"Geburtsjahr lt. Wahlvorschlag als Basis. Top 10.\")``````\n\n# WIEN-WAHL 2020: Ältesten KandidatInnen\n\nGeburtsjahr lt. Wahlvorschlag als Basis. Top 10.\n\nThe oldest candidate is Waschiczek Wolfgang, who was born in 1928. Not bad.\n\n## 4.2 Avgerage birth year per election and party\n\nLet’s now look at the average year of birth of parties’ candidates on each of the different electoral levels. The table below provides the median, mean and standard deviation for each party. The thin white line in the density plots on the right indicates the median.\n\nCode: Median age of lists\nCode\n``````# summarize data (median, mean, sd)\ndf_list_age <- df_clean %>%\ngroup_by(election, party) %>%\nsummarize(year_median=median(year_birth, na.rm = T),\nyear_mean=mean(year_birth, na.rm=T),\nyear_sd=sd(year_birth, na.rm=T)) %>%\ngroup_by(election) %>%\narrange(desc(year_median), .by_group=T) #order as gt table\n\n#create graphs for table\n\n## define function creating plot\nfn_plot <- function(data){\ndata %>%\nggplot()+\nggridges::geom_density_ridges(aes(x=year_birth,\ny=0),\nfill=\"firebrick\",\ncolor=plot_bg_color,\nquantile_lines=T,\nquantiles=2,\npanel_scaling = F,\nlinewidth=12)+\nscale_x_continuous(limits=c(min(df_clean\\$year_birth),\nmax(df_clean\\$year_birth)),\nexpand=expansion(mult=0))+\nscale_y_discrete(expand=expansion(mult=0))+\ntheme(\nplot.background = element_rect(fill = plot_bg_color, color=NA),\npanel.background = element_rect(fill = plot_bg_color, color=NA),\nplot.margin = ggplot2::margin(0, unit=\"cm\"),\naxis.text = element_blank(),\naxis.title = element_blank()\n)\n\n}\n\n## apply function, dataframe with plots\nbox_plot <- df_clean %>%\nselect(election, party, year_birth) %>%\ngroup_by(election, party) %>%\nmutate(year_median=median(year_birth, na.rm = T)) %>%\n#ungroup() %>%\nnest(year_birth_nest=c(year_birth)) %>%\nmutate(plot=map(year_birth_nest, fn_plot)) %>%\ngroup_by(election) %>%\narrange(desc(year_median), .by_group=T) #order as gt table\n\n#create gt table & insert df with plots;\ntb_list_age <- df_list_age %>%\nmutate(year_mean=round(year_mean, digits = 2)) %>%\nselect(election, party, contains(\"year\")) %>%\ngroup_by(election) %>%\narrange(desc(year_median), .by_group=T) %>% #order as plots\nmutate(index=min_rank(-year_median), .before=1) %>%\nmutate(index_party=paste0(index,\". \", party)) %>%\nungroup() %>%\nselect(-index, -party) %>%\nmutate(boxplot=NA) %>%\ngt(groupname_col = \"election\", rowname_col = \"index_party\") %>%\ntab_header(title=md(\"**WIEN-WAHLEN 2020:<br>Durchschnittliches Geburtsjahr der KandidatInnen**\")) %>%\ngt::cols_label(index_party=\"Partei\",\nyear_median=\"Median\",\nyear_mean=\"arith. Mittel\",\nyear_sd=\"Std. Abw.\",\nboxplot=\"Verteilung\") %>%\ngt::fmt_number(columns=c(year_sd),\ndecimals=2,\nsuffixing=F) %>%\ngt::text_transform(\nlocations=cells_body(c(boxplot)),\nfn=function(x){\nmap(box_plot\\$plot, ggplot_image, height=px(11), aspect_ratio=4)}\n) %>%\ncols_width(\nc(boxplot) ~ px(200),\nc(index_party) ~ px(100)\n) %>%\ntable.background.color = plot_bg_color,\ntable.width=pct(100),\ntable.font.size = \"11px\",\nrow_group.font.weight = \"bold\",\n Median arith. Mittel Std. Abw. WIEN-WAHLEN 2020:Durchschnittliches Geburtsjahr der KandidatInnen 1991.5 1992.12 2.85", null, "1988.0 1985.63 10.57", null, "1986.0 1984.50 5.83", null, "1983.0 1978.02 16.36", null, "1981.0 1975.00 26.75", null, "1977.0 1977.59 13.20", null, "1976.0 1975.66 12.42", null, "1975.0 1975.26 16.06", null, "1973.0 1973.43 12.83", null, "1970.0 1971.81 14.96" ]
[ null, "data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAB9AAAAH0CAIAAADqtyE0AAAABmJLR0QA/wD/AP+gvaeTAAAACXBIWXMAAA9hAAAPYQGoP6dpAAAgAElEQVR4nOzdyY4kSXrYcfMIHvQEgh5CD6HX4kkQ9CY6ESB0oAAJICSBlKDBkE3ONKd7mlPdXd215laZWVm5RLjH4m46VE91Va6xuplF/H6HRlUu7lYzGZd/fPl5FWMMAAAAAAB3xK6rBoOP/019FiiA1wkAAAAA7JTYdR++/XZyehrWnrWtBoOLr79W22FBXioAAAAAsFOqweDgv/23g//+3zew3CLGP/zlX27iULAXBHcAAAAA2DUfvvnm/Le/XXcyPcarZ8+uf/yxOT7e0LlgxwnuAAAAALBrrp49+/DNN2teJMZ4/tVXIYT3v/tdbNtNnAt2nOAOAAAAADulPjyc39w0795Nzs7WuU41GFx+910I4fr5c2vcYRFeJwAAAACwO2LXXf/448c/X373Xey6da529f33IYSbn34KVbWBw8GuE9wBAAAAYIfEOH7z5uMfb37+ec1L3Tx/voHrwN4Q3AEAAABgd1TD4fjt249/Hr14sc4qmPHBQds0IYTRy5cbORvsPMEdAAAAAHbKp+B+8+LFyheJXXfz008f/9zW9fTDhw2cDHad4A4AAAAAO+XTSpm1JtNjHL169elv9cHBeoeCvSC4AwAAAMBOaY6OfvnDyUls29UuUg2Ho88G5Mdv3658KdgfgjsAAAAA7I7YttOLi09/bo6PV77U6PXrT3+uDw/XPRnsAcEdAAAAAHbH5Pw8dt2nv45evQoxrnapT6tpQgj14WE1HK57ONh1gjsAAAAA7I7m5OTzv47fvPm8vy+l/vNqmruXBe4luAMAAADAjri7Q2Z8cLDaZPrs6qodjz/9dXJ2tu7hYA8I7gAAAACwO26Noq+8e/3WNwrusAjBHQAAAAB2RDUcTk5PP/9I89lamMXFtv18gXsQ3GExgjsAAAAA7I7J+fnnf61XCu53v3F2dRXn89WPBftBcAcAAACA3TF9//7zv9ZfrnRfUDUc3h6Nj3Hy5ZWBuwR3AAAAANgdt7J4N5nMLi9XuE795S74EMKtZTXAXYI7AAAAAOyO6Z059NW2yjR3RuMnZ2ex61Y8FuwHwR0AAAAAdsf0yx3uIYT66GiFUN7cmXCfXlyEGFc/GewBwR0AAAAAdkTsutnV1a0PNicnK4Tye4L7hw+rnwz2g+AOAAAAADtidnV1d5i9OT6uhsOlrjMfjdq6vn3xi4tlrwP7RnAHAAAAgB1xd4F7CKF5927Z69wdbw8m3GEBgjsAAAAA7IQY7y5wD/c9/vTJ69z7nNWZ4A5PEdwBAAAAYBfErrt3CH3ZCffYtpP7vsWEOzxJcAcAAACAnRDjvU383nr+mMHg3kY/vbhY7VywPwR3AAAAANgJg8G9W1+mFxexbRe/TDUY2OEOqxHcAQAAAGAXVIPB7PLy7sdj1y07nH7vhPu9Fwc+J7gDAAAAwI54aAj93on1R0xOT+9+cD4ahRhXORbsDcEdAAAAAHbEQ0PozfFx7LrFr3P/2vcY5zc3qx0M9oTgDgAAAAA74sEJ99PTpYbTm/sm3EMIs6urVY4Fe0NwBwAAAIAd8dCE++T0tBosWgLb8bit63s/NbXGHR4luAMAAADAjnhoAr159y5U1YIXac7OHvrU9OLCGnd4hOAOAAAAADtidn1978fvfQjq/WJsjo8f+uT86mqpXfCwbwR3AAAAANgR87WDe+y65t4npoYQHl5ZA3wkuAMAAADALmibJrbtvZ966CGo95o8EtyvrxdfTQN7SHAHAAAAgF0wH40e+tTk4bXst1TD4SPj8LPLy8Ufvgp7yMsDAAAAAHbBQ/tkQgjdZDK/uVnwOo+Mwz+0Ix74SHAHAAAAgF0w/fDhkc8uPuT+yFcK7vA4wR0AAAAAytd1s6urRz5fHx2FGBe50iM73Bcfk4f9JLgDAAAAQPFijI+slAkhTE5PY9ctcqlHVso8fgtAcAcAAACA8sX4+L6X5t27UFVPX6brZg+vprFSBh4nuAMAAABA+QaDJybcz86qwdMxcHpx8cggvJUy8DjBHQAAAACKVw0GT0+4L6A5OXnksybc4XGCOwAAAADsgsfHzycPb2b/JHZdc3z82C0Ed3iU4A4AAAAAu+CJ4L7IhHuMj39ZbNtuMln2YLA/BHcAAAAA2AWPB/dmgQn3ajB48svmo9Fyx4J9IrgDAAAAwC54PIXPrq662eyJS1TVk5tnrHGHRwjuAAAAALALHp9wDzFOzs6evMiTz1adXV0tdSrYK4I7AAAAAOyC2ePBPYTHH4j6y9ecnDz+BfPr6xDjEseCfSK4AwAAAMAueGLCPYTm5CS27ZNf88RdRqPYdcudDPaG4A4AAAAAu+Dp4P7UuphF1s7Mb25MuMNDBHcAAAAA2AXtePz4FzQnJ9Vw+MgXTC8unhyBn9/chKpa+nCwHwR3AAAAAChe2zRPbnp5cl3Mk18QQpiPRoI7PERwBwAAAIDiPTneHp7q6bHr6gWeqjofjaqBqAj389oAAAAAgOLNnlrgHp7c4R5js0hwX+BGsLcEdwAAAAAo3iId/PGeXg2H9dHR0zcajZY4FuwZwR0AAAAAije/vn76a0ajtmke+QIT7rAmwR0AAAAAyha7bqHB8xgfX+O+UHA34Q4PE9wBAAAAoHAxLtjBx2/fhhgf+mz9aI7/SHCHRwjuAAAAAFC8drEO3hwdxa578LNWysB6BHcAAAAAKN6Cg+f18XE1uD8JzkejRWK6CXd4hOAOAAAAAGWrBoP5eLzIV9ZHR6Gq7v/UwcEiV1jwRrCfBHcAAAAAKFxVLTrhfnh478dj143fvFnkCgvuroH9JLgDAAAAQPEWDe5v397/iRjHi024d7NZbNvFDwZ7RXAHAAAAgOItGNzHBwchxrsfr4bDh4bf72rreomTwT4R3AEAAACgeAtueukmk8nZ2b2fGj80/H6HNe7wEMEdAAAAAIq34IR7CGH06tW9Q+7jV682fi/YN4I7AAAAABRv8anz0evX9y5hH71+vei9bm4WPRbsGcEdAAAAAIq34EqZEMLoxYvqL/7i1gdnl5eLZ/T5zc29M/KA4A4AAAAAxZsv/CDTm59+uv2hGEcL75MJIcxHoyi4w30EdwAAAAAo3uIT7jc//3zrI7Hr7qnwj9xrPDbhDvcS3AEAAACgeEvscL/z0NRqOLz6/vvl7iW4w30EdwAAAAAoW+y6bjZb8Iu76XT08uWtD14vE9zb0ShU1eJfD/tDcAcAAACAsrV1vdTI+Ydvv41t+/lHrn74YfFvn4/H1UBXhHt4YQAAAABA2dqmWerrL7/7rhoOP/11cnbWnJwscbvx2IQ73EtwBwAAAICyLf7E1I8u/vCHT3+ObXv+j/+41ID8vK6Xuh3sD8EdAAAAAMq2+BNTP/rwL//STSYf/1wNh+//+Z+X+vZ2ydvB/hDcAQAAAKBs85ubpb6+m83O/uEfflnjHuPR3/7tcrcT3OEBgjsAAAAAlKzrVijgr/7qrz6ucT/9zW+WWuAeTLjDwwR3AAAAAChYjHHZHe4hhJP//b8/fPNNN53+4S//ctnvbe1whwcI7gAAAABQshhXeIppbNvT3/wmtm19eLjs91opAw8R3AEAAACgZFXV844XE+7wEMEdAAAAAEpWVT2PnNvhDg8R3AEAAACgYNVg0HMBX2GDDewJwR0AAAAAytbzjpcVntEKe0JwBwAAAICy9Rzcu9kstm2fd4RSCO4AAAAAULaed7iHENqm6fmOUATBHQAAAADK1vOEexDc4QGCOwAAAACUreeHpia5IxRBcAcAAACAss17n3Dvf4kNFEFwBwAAAICyJZhwH416viMUQXAHAAAAgLL1v8N9Ph6HGHu+KeRPcAcAAACAsvW/4KWt69h1Pd8U8ie4AwAAAEDZ+p9w7/+OUATBHQAAAADKlmCHu5UycB/BHQAAAAAKFtu2m816vum8aUJV9XxTyJ/gDgAAAAAF6yaT/m/ajseCO9wluAMAAABAwdqmSXLTaiAtwm1eFQAAAABQsHnvC9xDiq3xUATBHQAAAAAK1tZ1/zedp7gp5E9wBwAAAICCJRk2T1L5IX+COwAAAAAUK0YrZSAfgjsAAAAAlCrGmGbCPcWTWiF/gjsAAAAAFCvGJO3bhDvcS3AHAAAAgGLFmGSduh3ucC/BHQAAAACKVVVJ2vdccIf7CO4AAAAAUKyqStK+TbjDvQR3AAAAAChVNRikWSnjoalwH8EdAAAAAApmhzvkQ3AHAAAAgIIlGTbvptMQY//3hcwJ7gAAAABQsHY8TnDXGNvJJMF9IW+COwAAAAAULNU69U5whzsEdwAAAAAoWKp16p6bCncJ7gAAAABQsFTh23NT4S7BHQAAAAAKlip8z5Psjoe8Ce4AAAAAULBkK2UEd7hDcAcAAACAgqUM7jEmuTVkS3AHAAAAgIIl2+HeNLHrktwasiW4AwAAAEDBkk2417UJd7hFcAcAAACAgiWbcE8U+iFngjsAAAAAFCvGbjZLcud504SqSnJryJbgDgAAAAClaieTVHtd2roW3OEWwR0AAAAASpVqn0wIoa3raqAuwhe8JAAAAACgVF3C4J7u1pAtwR0AAAAASjVP9+TShK0fsiW4AwAAAECp2nTBPeGtIVuCOwAAAACUqh2Pk93ahDvcIbgDAAAAQJliTBncTbjDHYI7AAAAABQpxphwzNyEO9wluAMAAABAmWJMucNdcIc7BHcAAAAAKFPaCXcrZeAOwR0AAAAAylRVgjtkRXAHAAAAgDKlDe5WysAdgjsAAAAAFKkaDOxwh6wI7gAAAABQKitlICuCOwAAAACUKmFw72azEGOqu0OeBHcAAAAAKFWXcK9LjO1kkuzukCXBHQAAAABKlXavSye4w5cEdwAAAAAoVdonl3puKtwiuAMAAABAqRIHd89NhS8J7gAAAABQqrTJW3CHWwR3AAAAAChV2gn3ueAOXxLcAQAAAKBU6VfKxJjwAJAbwR0AAAAASpU8uEfBHT4juAMAAABAqdJuUe8mExPu8DnBHQAAAABK1aWecBfc4XOCOwAAAACUqp1MUt69aUJVJTwA5EZwBwAAAIAixfk8tm3CA7R1LbjD5wR3AAAAAChS2vH2jweoBHf4jOAOAAAAAEXqkgd3E+7wJcEdAAAAAIrUJn1iakj9yFbIkOAOAAAAAEVq6zrtAeaCO3xJcAcAAACAIiUP7ibc4RbBHQAAAACKNE8d3JPvtIHcCO4AAAAAUKCuSz7hnvwAkBvBHQAAAADKE2NMvtHFhDvcIrgDAAAAQIFiTN67kx8AciO4AwAAAECRkm90ST5iD7kR3AEAAACgQFXVTiZpj2DCHW4R3AEAAACgQFWVvHcnPwDkRnAHAAAAgPJUg0HylTKCO9wiuAMAAABAkZKvUBfc4RbBHQAAAACKlLx3d9NpiDHtGSArgjsAAAAAFCl5cA8xdtNp4jNATgR3AAAAAChS+uAeQjuZpD4CZERwBwAAAIAi5RDcO8EdPiO4AwAAAECRcgjuOZwB8iG4AwAAAECRugxid1vXqY8AGRHcAQAAAKBIOUyXC+7wOcEdAAAAAIqUQ+yeZ3AGyIfgDgAAAABFymHCvWua2HWpTwG5ENwBAAAAoEjdZJL6CKGt6xBj6lNALgR3AAAAAChSDhPuOZwB8iG4AwAAAECRcojdbQZT9pAPwR0AAAAAChRjN5ulPkQW0R/yIbgDAAAAQHnaySSH5eltXYeqSn0KyIXgDgAAAADl6abT1EcIIYSuaaqBxgi/8GIAAAAAgPJkssvFDnf4nOAOAAAAAOXJJbjncQzIhOAOAAAAAOVp6zr1EUIIoRPc4TOCOwAAAACUJ5PgbsIdPie4AwAAAEB5BHfIkOAOAAAAAIWJXSe4Q4YEdwAAAAAoTYyZlO5MjgGZENwBAAAAoDQxdpNJ6kOE4KGp8CXBHQAAAABKU1WZjJZncgzIhOAOAAAAAOXJpHRncgzIhOAOAAAAAKXJZsI9k802kAnBHQAAAAAKUw0GbV2nPkUIJtzhS4I7AAAAAJQnk9HyTLo/ZEJwBwAAAIDyZDJa3s3nIcbUp4BcCO4AAAAAUJ5MgnuIsc1j1h5yILgDAAAAQHm6TIJ7CN10mvoIkAvBHQAAAADKk8uEe04ngeQEdwAAAAAoTz6ZO59Ze0hOcAcAAACA8uQT3Od1nfoIkAvBHQAAAADKk09wbwV3+DPBHQAAAADKk88il7auQ4ypTwFZENwBAAAAoDztZJL6CL9omyYK7hBCENwBAAAAoET5rJTpmsaEO3wkuAMAAABAefLZnN4K7vBngjsAAAAAlCejHe7ZnASSE9wBAAAAoDCx67r5PPUpftE2Taiq1KeALAjuAAAAAFCYbjpNfYRfCe7wieAOAAAAAIXpJpPUR/hV1zTVQGaEEAR3AAAAAChOVmvT25zqP6QluAMAAABAYfIK7nWd+giQC8EdAAAAAAqTVePOqv5DWoI7AAAAABQmq+DeCe7wZ4I7AAAAABQlxqyCuwl3+ERwBwAAAICSxBizatwemgqfCO4AAAAAUJTcgntO4/aQluAOAAAAAEWJsctpqDyr+g9pCe4AAAAAUJSqyqpxe2gqfCK4AwAAAEBhstriYoc7fCK4AwAAAEBRMptwz+owkJbgDgAAAAAlqQaDrBp3VuP2kJbgDgAAAACFyeqhqXa4wyeCOwAAAAAUJqsJ924+j12X+hSQBcEdAAAAAAqTVXAPIXTTaeojQBYEdwAAAAAoTG5r07NacQMJCe4AAAAAUJjcAnduE/eQiuAOAAAAAIXJLXDndh5IRXAHAAAAgMLkFrhzW3EDqQjuAAAAAFCY3AJ3bueBVAR3AAAAAChMm9kO9/l4HGJMfQpIT3AHAAAAgMJ0ma2U6ZomCu4guAMAAABAcbLb4d40JtwhCO4AAAAAUJzcdqbntuIGUhHcAQAAAKAwuU2457biBlIR3AEAAACgJLFtY9umPsUXcpu4h1QEdwAAAAAoSZff/pa2aaqB0giCOwAAAAAUJcOF6e1kEqoq9SkgPcEdAAAAAEqSY3C3UgZCCII7AAAAAJQlwyeU5vYQV0hFcAcAAACAkszH49RHuC3D9wAgCcEdAAAAAEqS4f6WDLfcQBKCOwAAAACUI8Ycg3t+R4IkBHcAAAAAKEbsugwXpmd4JEhCcAcAAACAkmRYt+1wh48EdwAAAAAoR54rZQR3CCEI7gAAAABQkqrKcJxccIePBHcAAAAAKEdVZVi3MzwSJCG4AwAAAEAxKsEdMia4AwAAAEA5sgzuGW65gSQEdwAAAAAoSY4PTZ1MUh8BsiC4AwAAAEBJMqzbsW3jfJ76FJCe4A4AAAAAJclzf0uGbwNA/wR3AAAAAChJhitlQgid4A6COwAAAACUJcOHpoZc3waAngnuAAAAAFCSTIN7lqeCngnuAAAAAFCSPNP2fDxOfQRIT3AHAAAAgJLkubylFdxBcAcAAACAsnRZTri3TRO7LvUpIDHBHQAAAABK0k4mqY9wj7ZpQoypTwGJCe4AAAAAUJI8d7i3dS24g+AOAAAAACXJc1t6notuoGeCOwAAAACUI8ZuPk99iHvMmyZUVepTQGKCOwAAAAAUo51M8tzc0ta14A6COwAAAAAUo8vyiakhhK5pqoHYyL7zGgAAAACAYuT5xNSQ8cGgT4I7AAAAABSjrevUR7if4A5BcAcAAACAguQb3HM9GPRJcAcAAACAYszH49RHuJ8JdwiCOwAAAAAUI8ZsB8kFdwiCOwAAAACUIsaYbdfO9p0A6JPgDgAAAACFyHnCPdeDQZ8EdwAAAAAoRM4T7pNJ6iNAeoI7AAAAABSiqrIdJM/2YNAnwR0AAAAAClFVXa6D5II7BMEdAAAAAEpR5TzhnuuuG+iT4A4AAAAAhcg4uHeCOwjuAAAAAFCQbAfJPTQVguAOAAAAAAXJt2vHmO1+eeiN4A4AAAAAxWjH49RHeFC+bwZAXwR3AAAAAChGtjvcQ8brbqA3gjsAAAAAFCPnqJ3z2aAfgjsAAAAAFCPrCfeM191APwR3AAAAAChGzlPkgjsI7gAAAABQjJyD+3w8DjGmPgWkJLgDAAAAQDGyXinTNFFwZ78J7gAAAABQjMyDuwl39pzgDgAAAADFyHmlTFvXgjt7TnAHAAAAgGJ0k0nqIzyoretQValPASkJ7gAAAABQhm46jV2X+hQPEtxBcAcAAACAMuS8TyaE0NZ1NdAb2WteAAAAAABQhtyDe97Hgx4I7gAAAABQhi7vot3WdeojQGKCOwAAAACUYZ530RbcQXAHAAAAgDK043HqIzzGShkQ3AEAAACgBDHOMw/uJtzZe4I7AAAAABQgxph50c78eNADwR0AAAAASpB/cLdShr0nuAMAAABACfIP7nkfD3oguAMAAABACaoq8xFywR0EdwAAAAAoQVW1mT80Ne/3A6AHgjsAAAAAFKAaDDIfIc/8eNADwR0AAAAAypD5CLngDoI7AAAAAJRhnvdKmW42i22b+hSQkuAOAAAAAGXIf4S8m0xSHwFSEtwBAAAAoAyZr5QJJZwQtkpwBwAAAIAytHmvlAklzODDVgnuAAAAAFCG/OfH54I7+01wBwAAAIAy5D8/nv8MPmyV4A4AAAAAZcg/Z89HoxBj6lNAMoI7AAAAAJQh/5UybV1HwZ09JrgDAAAAQBkKWClT1ybc2WeCOwAAAACUIf9Hkgru7DnBHQAAAADK0JWwUiZUVepTQDKCOwAAAAAUoJtOY9elPsUT2qYR3NlngjsAAAAAFCD/J6aGEObjcTWQHNlffvoBAAAAoAD5PzE1FHJI2B7BHQAAAAAKUETLLuKQsD2COwAAAAAUYD4apT7C0wR39pzgDgAAAAAFKCO4l7BoHrZHcAcAAACA3MWua8fj1Kd4WhGHhO0R3AEAAAAgezEWsa1lLriz3wR3AAAAAMhejPMSgnsR7wrA9gjuAAAAAJC9qipiW0sRh4TtEdwBAAAAIHtVVcTweBFj+LA9gjsAAAAA5K4aDIoI7ibc2XOCOwAAAAAUoIjnkRbxrgBsj+AOAAAAAAUoomW3k0mIMfUpIBnBHQAAAAAKUMa2lhjbyST1ISAZwR0AAAAAClDK80jbpkl9BEhGcAcAAACAArSjUeojLKSI1TewJYI7AAAAABSgmAn3IlbfwHYI7gAAAABQgFJC9ryQSXzYBsEdAAAAAApQyqqW+WgUYkx9CkhDcAcAAACAAswLmXBvx+MouLOvBHcAAAAAKEAxK2XG49B1qU8BaQjuAAAAAFCAUoJ7a4c7e0xwBwAAAIDcxbbt5vPUp1jIvK5DVaU+BaQhuAMAAADAomLbhhBi7ytT2qbp+Y4ra8fjaqA6sqf86AMAAADAoqrB4I//6T9NLy56bu5tXfd5u3XMx2MT7oQQXv/1X7/7+78Pe/YE3b9IfQAAAAAAKENs27Pf/ObFf/kvIYR//x//Y5+3nheywD2Us2uerZqPRt/95//8b/7dv/u3/+E/pD5Lr0y4AwAAAMBCquHw9V//dQjhzX/9r7HfjeoFPYm0oPcG2JLYdQd/8zfz0ejmp58ufv/7/lcwJSS4AwAAAMBCYtu++7//N4QwH43Ofvvbj/vc+zG/uentXmsy4U41GBz/r//18c/H//N/7tVO/z36pwIAAADAymLXnX/11afw/e7v/74aDnu6d9cVNDZe0FHZkm42O/uHf/j455O/+7u0h+mZ4A4AAAAAT6sGg7Pf/vbTX8+++qq3W8cY5+WslDHhvudi1118/XU3mXz86/Xz57PLy7RH6pPgDgAAAAALef9P//Tpz9fff99fBI+xoIptwn3PVVX1+SslxHj+j//Y5/6ltAR3AAAAAHha7LoP33zz61/b9uLrr3t6GmRVFVSxC3pvgK2oqve/+93nH3j/+9/3t38pNcEdAAAAAJ4S4/WPP7ZN8/nHPvzhD1VV9XH3qiqoYhf03gBbcvnHP37+18/fqdp5gjsAAAAAPCF23Yd/+ZdbH/zw7behl+BeDQYFVeyC3htgG5qTk8n5+ecfufzjH0OMqc7TM8EdAAAAAJ5QDYeX331364N3P7I9BVXsgo7KxsW2/fDtt7c+OB+NRq9fJzlP/wR3AAAAAHja1Z/+dOsj9dFRb89NLWjCvZvPu9ks9SlIoxoM7r5SQgiX3323J89NFdwBAAAA4GlXP/xw+0MxXv3pT7GXXRltX2V/I9q6Tn0EEqmqq++/v/vhq2fP9uS5qYI7AAAAADyhPjqa39zc/fjVs2eh63o4QEET7sFWmf12fV9wv/eDO0lwBwAAAIDHxK57KBdeP3/ez9xuWQm7t0075CbO56NXr+5+/Pr58/4Pk4TgDgAAAABPuPnpp/s/3ldGLGvC/d7fBmAfjF69undX+/jNGzvcAQAAAIBQDQY3P/9876ce+vjGlTXhPru5Cb2sticrsW2v7z7q4M+fGr9+3fN5khDcAQAAAOAJD4X15t27flJ4WUta2vE49rLanqw88tZUCOH6xx/3YchdcAcAAACAJ4xevrz/EzHevHjRwwEKWylT1NsDbExVPfJyuHnxIlRVn8dJQnAHAAAAgMe0TdOcnj702ZsXL3qY2y1rK7rgvrcefGsqhNGrV9Vg93P07v8LAQAAAGAd49evH9lIPt5+Ruxms7J2cbTj8T7MMnPXY8H94U/tEsEdAAAAAB4U2/bmp58e+YLRy5fbjsttXW/1+hs3H432YZaZW+aj0fTDh4c+K7gDAAAAwN6rqtHr1498fvTq1baPUNyGlrI2zrMpo1evHvldkObdu2467fM8SQjuAAAAAPCgajB4PLiP37zZ9hmKC+5taQdmfbFtn5hhj7GHF0tygjsAAAAAPGb8aHBvTk+72WyrB5hfX2/1+htX3DsEbEBVPdnTRy9fxq7r5zipCO4AAAAA8JgnMmKM47dvt3j7GMsL7lbK7J9qMHj8rakQwvjt20d2zuwGwYjSZzkAABiCSURBVB0AAAAAHhS7rj48fPxrRi9ebG9uN3Zdcf16fnOT+ggk8OSE+/j162o47OcwqQjuAAAAAPCg5uQktu3jX7Pdud0Yi9vQUtyB2Ygnf9VjZIc7AAAAAOyvGJ94DmQIIYTxmzdbnNutquL6dXEHZgNifPJ3QeqtLl/Kg+AOAAAAAPeLXbfIfvb64GCLhygwuLelHZj1Tc7Onnx68Hirr5Q8CO4AAAAAcL9qOFxkJnerD02tBoPi+nVx7xCwrhhHTz0xNYQwv7kp7gnAyxLcAQAAAOBBi8zkbntud1baM0jbuk59BHoVu+7JJ6Z+tNV3p3IguAMAAADAg55cSx1CmF1ebjUxz0sL7rHr2qZJfQr6Uw0GCy5WGr1+/eRTiIsmuAMAAADAgxYayF3gcZHrKHFDSzsepz4CPaqqBX/Poz44CFW17eMkJLgDAAAAwANibI6PF/nC8Zs3seu2dIriJtxDmW8SsI4F33OqDw+rwS5H6V3+twEAAADAOprT0wXXX4wPDkKMWzpGifG6xDcJWMeCK2W2/cCD5AR3AAAAALhPjAs+BzJ8nNsdDrd0kBLj9ez6envvQJChxSfct32StAR3AAAAALhH7LoFh3bDwuO9qykxuM+vr6Pgvjdml5cLPiZXcAcAAACAvVRVi8fB7T40tcTgfnMTtrbUntwsvihmenHRTadbPUxagjsAAAAA3KMaDOqjowW/ePGvXEFb19u7+JbMR6NQValPQR9i2y7xGx4xNicn2zxOYoI7AAAAANxv8bn15uRkSyvL27qOBY6Kz25uBPf9sdQbTuM3b3Z4v7/gDgAAAAD3WzwjxradnJ1t4wzz8Xgbl922+c1NNdAe90I1HC61Uqk+Ooptu73zpOWHHgAAAADut9zc7tu325jbLXGBeyj22Kxm2eBeDYfbO0xagjsAAAAA3KObTGaXl4t/fX14uI3dL7Orq41fsweC+15plnlrqj462uF1Q4I7AAAAANyjPj5eamK9PjzcfEaMUXAnf0v9LkizzDh8cQR3AAAAALgjxvHbt0t9R3N8vPGt5bHr5tfXm71mP+ajUeoj0JcYm3fvFv/ypep8cQR3AAAAALgttm1zfLzUt2wlI8ZY6Kh4ocdmBZPz86UegrrsK6ssgjsAAAAA3FYNh0sH921kxKqalVmuCz02K1jqiakhhNn1dVvXWzpMcoI7AAAAANxRVctmxG3M7VaDQakrZQT3/RDbtj44WPa7mpOTbRwmB4I7AAAAANxj2SY4OTtbarHGQqqq0HJd6PsErGCF3+0Yv3kTum4bh0lOcAcAAACAeyy7kz227eTsbOPHmJVZrtu6DjGmPgVbVw2HKzy9oD4+jjv64yG4AwAAAMA9VpjbrQ8PN16ZC51wj103H49Tn4I+rLBMqTk+rga7maZ3818FAAAAAOvoJpPZ5eWy31UfHsZNL8oodzdLoW8VsKxmpQn3UFXbOExygjsAAAAA3NacnKwwq95sISMWulImlHxylrLC74Ks0OhLIbgDAAAAwJdiHB8crPB99dHRxhdllDsnPru6Sn0Eti/Gybt3y37TCltoSiG4AwAAAMAXYtuuFgRXGPV9UrnZen51tfEFO+RmenHRzefLftc2XimZENwBAAAA4AvVcFivtPJiG3O75e5wn11fb/wRsuSmPjxc4btmV1fdZLLxw+RAcAcAAACAL1XVihPum95MHbtuXtebvWZvyl2Gw4Ji2674Mx9jc3Ky6eNkQXAHAAAAgNtWq4GT09PNznS3o1G5Q+Kz6+uNP0KW3Kz8JtP48LDcn+1HCO4AAAAAcNtqGTG27eT8fIPHmJU8JD6/vt74I2TJSjUcrrxGqTk6im272fPkwE88AAAAANy2ckbc7FaZcp+YGgo/PAtaeTNMfXxcDYebPUwOBHcAAAAA+EJs2+nFxWrfWx8ebmxuN8bZhw+buVQKgvs+WH3C/fh4JzcOCe4AAAAA8IXm3bvYdSt+76r98a7YdbPr601drX+C+z5Y+Vc6NvhKyYrgDgAAAACfibE+OFj5u+ujo40tyohxXnJwnwvue2D1lTIbXb6UD8EdAAAAAH4Vu65eY/Z2k3O7VWXCnZzNrq7aplnte1cu9ZkT3AEAAADgM1XVrDF7u8GMWA0Gs8vLTV2tf0W/W8Ai1nl7afr+/caedpATwR0AAAAAflUNButkxE0uyqiqoofEiz48T4pdVx8ervPtzenpBs+TCcEdAAAAAL5QrzGlvtlFGUVPuLdNs5MjzPwixjUXKNUHByHGTR0nE4I7AAAAAHxhnZUy3XS6wUpedHAPMc5vblIfgm2phsM1f5+jPjqKXbep82RCcAcAAACAL6zz0NSw0a0ypa9Bt1Vmt635SmmOjkJVbeowmRDcAQAAAOAzMU7WWy1dHxxsam637An38s/P49ZcKdMcH1eDXQvUu/bvAQAAAIB1TM7P19w8Xh8fb2ozdekT4tOLi91b0s0n6/4uyHrfnifBHQAAAAB+VR8ernmF5uioGg43cpjSJ8Snl5e7t6SbT9Z52kFYe0A+T4I7AAAAAPwitu36G9g3Nbcbu24+Hm/kUqmU/oYBj2jrej4arXOFDT7tIB+COwAAAAD8av0IuObY7yfzm5vS97HMLi93b0k3H63/xtLk7Gz3fgHCjzsAAAAA/KIaDtfP5Zua292B8fDZ1VWoqtSnYAu6rn7zZs1rxLadnp9v5Dj5ENwBAAAA4FcbmHA/OdnISabv32/kOgnNPnxIfQS2Isa4kdVJ44OD9S+SFcEdAAAAAH61/oR72zSzq6s1LxK7bnpxseZFkpuWP6TPvarBYCO/yVEfHsa2Xf86+RDcAQAAAOBXG5nbrQ8P171EjDsQ3HdgKw73q6pmE6+UjVwkK4I7AAAAAPxZjJN379a/TH1wsP7TIHdgPFxw32GbeWvq6KgaDte/Tj4EdwAAAAD4xeT9+24+X/869eFhiHGdK1TD4Q4sQJ+W/0/gIc36v8Zhwh0AAAAAdli9oUc4bmRudwdqtQn3HbaZHe6buEhWBHcAAAAACCGE2LYbDO7rX2QHJtzbuu5ms9SnYPPmo9F8NFr/Oht42kFmBHcAAAAACCGEUFWbyn8buc4O7HAPhtx31KZWwUzOzmLbbuRSmRDcAQAAACCEEKrBYFMLLjZynen79+tfJLkdWIzDLbHrxm/fbuZSbTs5Pd3IpTIhuAMAAADALzYV3CcnJ2s+NDXsTHA/P1//fwryEuMGd6+PDw526SdEcAcAAACAX2xqpUw3n0/Ozta8yPTiYiOHSWv64UPsutSnYJOq4XCDu9frg4Nd+gkR3AEAAADgFxvMiOO3b9eZ2+2m07auN3WYhGY78bYBt2wyuB8ehqra1NWSE9wBAAAAIIQQutlsg1tcxuvN7e7M6vPphw+7lFP5aLPBvRrsTqbenX8JAAAAAKxj8u7dBldb1AcH64Tm6fn5pk6S1vTiYpdyKh9tMrhvbh18DvysAwAAAEAIMY7fvt3g9daa241x/RXwmdiNR7/yhRib4+NNXWyD7T4HgjsAAAAAhNi244ODDV5wnYwY23Y3npgaduXRr3xu8v59N5tt6mqCOwAAAADsmmo4rDcb3Ne5WlXtTKeemHDfMTGO37zZ4PVmV1fteLzBC6YluAMAAABACFW12eC+zrx8NRxaKUOeYtdtdvlSCGG8Q0PugjsAAAAAhLBeIr9rfnMzH41W/nbBnUxV1caXwIxfv97g84rTEtwBAAAAIIQt7JJeZxB4cn6+wZMkNB+P43ye+hRsTDUYbPZ3QcLHl16Mm71mKoI7AAAAAIQQQn10tNkLjl+/jm272vdOdyW4hxinl5epD8EmbTy4j9++rYbDzV4zFcEdAAAAAMLk/LybTDZ7zfHbt6GqVj7PZg+T0M6sx+GjzT40NWyh4CckuAMAAACw92Icv3698auO37ypBiv2t50K7u/e7czCEMIWnnG68aewJiS4AwAAALDvYtdtfGg3rDG3200m7Xi82cMkNDk7W3m1DrmZXV5u/IdTcAcAAACA3VENBttIfitH/B3bwTI5Pw+rTvqTm228NTW9uGibZuOXTcIPOgAAAAB7r6rGW9givWLEj7E5Odn0WVKanJ2tvFqHrMS23UZwDzHuzBp3P+gAAAAAELaxw30+Gk0/fFj2u2LX7V5wT30ENqSqRtsI7iGMXr6MXbeNK/dMcAcAAACArSzKCCGMXr5c4XmhzenpNg6TynSHHgC756rBYBtvTYWPvw6yE0/WFdwBAAAA2Hex65qjo21cefzq1bJzu9VwONmt4G7CfZds6a2p8evX1XC4jSv3THAHAAAAYN81JyfdfL6NK49ev15hfXnz7t02DpPKjg3s77ktTbhvaVNN/wR3AAAAAPZbjKOXL7d07dGrV6Gqlv2uHZtwn75/vxvbQggx1lv6XZDtdPz+Ce4AAAAA7LXYdaNXr7Z08dVSfnN8vOmDpBTbdvL+fepTsAH18XE3m23jylvaVNM/wR0AAACAvVYNh1uccF/pyvXJyaYPklizc/+ifdR1Nz/9tKVrt02zG7v+BXcAAAAA9t321llMP3yYj0ZLfUs3nc4uL7d0nlSa4+NlHx5LbmKMW138MnrxYgdWDwnuAAAAAOy70fYy4scF8ctkxObdux3IjrdMdvEftW+q4XCLr5QQRq9e7cC7MoI7AAAAAPtuvLUd7iGEm+fPl8iIMdYHB9s7TCr1yUk1HKY+BesavXixxYu/erUDPySCOwAAAAB7bXJ+Ph+Pt3f9m59/Xjwjxq7bsSemfrST/6g9tL2nHWz74r0R3AEAAADYYzFu7zmQH90sMxRcDQbjt2+3d5hUasF9B8S41ZUyS71SsiW4AwAAALC/YteNfv55q7e4Wer6VTU+PNzaWZJpjo5SH4F11Scn3XS6veuPtrnZqTeCOwAAAAD7qxoOb7a8yGL04sVSzwutd3HC3UqZ0sWuu3n+fKu3aMfjyfn5Vm/RA8EdAAAAgL221edAhhDapqmXGVrfyZUys5ubtmlSn4I1xLjc72qs5PqHH5Z6dypDgjsAAAAAe+16yzvcQwhXz57Frlvwi+ud3L4SoyH3olXD4bafdhBCuPnpp8VfKXkS3AEAAADYX7Ft6zdvtn2X64V3cUxOT7vJZKuHSWX8+nXpLXXP9RHcf/65Gg63fZetEtwBAAAA2F/jN2+6+Xzbd7n+4YdqsECI62VrRyrjw8PSt4XsuR5+OHfg519wBwAAAGBPxba9+v77Hm509ezZIl8Wu27bC+UTqg8OSh9e3mfteNy8e7ftu1z/+OO2b7FtgjsAAAAAe6oaDPoJfDc//RTb9unzDIejV696OE8S44OD1EdgVTFe9fI40+bkpB2Pt32XrRLcAQAAANhXVXX9ww893KebzRbclXHz8uWWz5JM/fZt6iOwoth1/bxSeiv72yO4AwAAALC/elth8eHbbxcZcu/huZSpjLf/cFq2pBoOF3/w75quv/++6IfrCu4AAAAA7KnYtqO+HtJ4+e23T24wj2073t2VMs3paTebpT4FK7pe7DkE67t69qzoXf+COwAAAAB76ub5824+7+del3/845NfM3r5srfzJBCjIfdyLfjg3w3cqJfnGG+P4A4AAADAPopte/mv/9rb7S7/9V8fXykT27b01Pik0YsXRW8L2VvTi4vJ+Xk/9yr9VSC4AwAAALCPquGwt6HdEELbNFfPnj3yNMhqOLz60596O08So9evUx+BpcWuu/zuu95uN/vwYXJ62tvtNk5wBwAAAGBPLbLmZYPe/+538eHgHkLoM2smcfPzz9VAkCxMVVU9v1Iu/vCHRZ4wnCc/3wAAAADsqT5XyoQQzr/66vHc3OfEfRK9PaKWTaqqnt8Kuvzuu3LfmCn13AAAAACwjvrwcHZ11ecd33/11SOfnZyeNicnvR0miRvBvUz9B/dQVX3ecYMEdwAAAAD2Tmzbi6+/7vmmk/Pzm+fP713jHtv2/J/+qefz9K85PW3H49SnYDnzm5uel+9ffvttn7fbLMEdAAAAgL1TDYcfvvmm//ue/N3f3bvGvRoO+38DIIEYr3744ZEnx5Kb2HUXX3/d8/9lzbt35T43VXAHAAAAYB8lCe7v/s//eWg59en/+389HyaJq2fPYtelPgWLqqoqySvl/e9/X+hzUwV3AAAAAPZObNsPKdZWnH/11b2L45uTk+sff+z/PP27/v77ajhMfQoWVlXvf/e7/m978fXXhf6cCO4AAAAA7JkYr/70p7auE9y5bQ//x/+4NeIdu+7ob/92TxatXD17lvoILCfJsqOLFJV/IwR3AAAAgP/f3t37RJWFARi/54IkLBt3GxMLKltj599gZSw12mk0JhbYUJhoYeFnYSzUaNQYDW4EjYkiGhcwIwQn4IIO6IxO5EM+F4YBZoYBmY97zhYosIiILss7d+7zq5jqPglTvefOe+Atxpix1lapp/f+8ceirTLKtvvv35fqWWPxUEg6AStmTLKra8nfZPzfYsGgzmTW/rn/HQN3AAAAAAAAeIuy7bHmZqmnx0Oh0cbGuf3UxnHG29riwaBUzxrLJpPTfX3SFVgRY0zU7xd5tE6lJl6/duO6fwbuAAAAAAAA8Bhjxl6+FHx+8ORJ4zhGa8sYZdvvzp71yD6ZWRPt7S69D9NrlG1HW1qknh71+5VSUk//aQzcAQAAAAAA4CFG63golInHBRsmOztbDx3KJpM6m+04dkzkUkpBsUDApfdheo4xY6IDd8uFA/dC6QAAAAAAAABg7SilIs+fS1dYIz7fn1u3qsJCnUpJt6y1cYlLOPHDjIkHg+nxcannTwQC2ampwpISqYCfwxvuAAAAAAAA8BKlIg0N0hGWZVnGcTw4bbcsKxEK6XRaugLfNyJ6NGUcZ+FtB27BwB0AAAAAAAAekonHJwIB6QpP05nMeFubG+/D9BalhuvqZBOGnz1z3fYhBu4AAAAAAADwCuM4w3V1rntnNv9E/X5lM5nMYcbMRCLxYFC2YsTnc93BDF9rAAAAAAAAeIUqKBh6/Fi6AtZoU5N0ApZjjBmqqbGMkc3IxGLRFy/cdULGwB0AAAAAAABekUkkon6/dAWs+Nu36YkJ6Qp8k7LtwZoa6QrLsqzBR4/ctVWGgTsAAAAAAAA8wWg98OCBzmalQ2AZrYdra123LcQrtE52d8c6OqQ7LMuy/n761F13CzNwBwAAAAAAgCco2+67e1e6Ap8N1tSwxj1H2XZvZaX4PplZ2ampgepqF53N8J0GAAAAAABA/jOOM9bSknj3TjoEn421tMxEIjky1cVCOpXqv3dPumJez82bLjqbcU0oAAAAAAAA8NNUQcGHy5elKzDPOE5fZaV0Bb5iTE9FRSaRkO6Yl3j/PtLQ4JarUxm4AwAAAAAAIM8Zx5l49Wq0qUk6BP/Se+eOW6aoXmGMk0p1Xbsm3bFY+Px5t1ydysAdAAAAAAAAeU7Z9tsTJ9hekmtmIpHeqir+LzlEqQ+XLqWiUemOxWJv3gw+fOiKrwoDdwAAAAAAAOS5j7dvx9rbpSuwhA8XLzqplCsGqXnPOE6yszMHX2+fFTx1KpNM5v7tqQzcAQAAAAAAkLeM1snOztDZs9IhWNpMJBI6c8ZSSjrE64zWJpttKyvTmYx0y9JS0WigvFzZdo4fzzBwBwAAAAAAQH4yjpOKRpv37XM+fZJuwTd9vH176MkT6QpPM1pbxrSVlSXCYemW5QzX1wdPnrSUyuWZOwN3AAAAAAAA5CNjpgcGXuzc+WlwUDoFyzLmdXn5aGOjdIdHGcfR6fRfBw8O19dLt3xf940bb44fN8bk7HW7DNwBAAAAAACQh3qrqhp37Jju75cOwffpVOrlgQNd169bxuT+ku68MTuznggEGrZvH/H5pHNW6mNFhX/37un+fp1OS7csgYE7AAAAAAAA8k3gyJGOo0ezyaR0CFZKZ7Oh06cbtm8frK6eG6Qax2H+vmqMMY4z92K4zmRGfL6WvXtf7No11dMjm/ajxltbfdu2TXZ2SocsQZkc3ncDYIVqa2tv3bp19erVkpIS6RYAgOsdPnx4y5Yt+/fvlw4BALhec3PzhQsXzp07t3HjRukWeM70wEAmHpeuyHX2unWqoMCZmZEOWUzZtl1UNPfRLioqKC62i4pmgy3bVvb8a8Rq9sJVj1+7+mXGOzfsNVpbWhutZzfG6HTamZ5eeHqh02nXHWacunLl9/XrD+3ZM/vx102bCoqLZZO+VigdAGAVxGKxcDjs5OruKgCAu3R3d2/YsEG6AgCQDyYnJ8PhcDonf/KPvPdLaalVWipdAayVL+cNau6PBWcSVr68oDkUi2WLin7bvFk6ZDmslAEAAAAAAAAAYBUwcAcAAAAAAAAAYBX8A3slaKhFWlPOAAAAAElFTkSuQmCC", null, "data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAB9AAAAH0CAIAAADqtyE0AAAABmJLR0QA/wD/AP+gvaeTAAAACXBIWXMAAA9hAAAPYQGoP6dpAAAgAElEQVR4nOzdeZSnVWHn/+epQjQSI3FcsjjRJBNjovn9ZoyTiZOYODPR7FHjgOwg+44L4oKIIIqKgKzSDQ3Y0NKKgN2ssjTYe/W+r1XVtXR1177v33qeO3800UiQ3qrqfpfX6/iHx3OsfteCfc7HW/emIYQEAAAAAKgQIYQ8T6uqkjT9hf84yyYGByeGhrKRkWxkZGJkJAmh6ogj0iOOqHrVq4446qgjfvVXj/jVX6068sgD+WhQmY6IHQAAAAAATKGQZWl19b5/nw0PD9bXD9bXDzc3j7a3j7a2jra1jXV1Ffr6JoaHkwM4m1v1qlcd+YY3vPqNb3z1m970mje96Vfe+tajfud3jnrb2456+9tf9frX/8c/ESpK6oQ7AAAAAJSTn+/dIQzW1/du3Ni3ZUv/li0DO3aMdXcfyKp+KNL0NW9+8+v/+I9f/653vf5P/uQN733vkUcfnRjfqTAGdwAAAAAoeT/btSeGhrpWrOhZu7ZnzZre9esnhofjBKXpUW972xve+97/9Gd/9ua/+qtXv+lNifGdCmBwBwAAAIBSte/+9HxsrHPZss7lyzuXLevfujVkWeyuX5Smr/v933/T+9//5g984I3ve19aXW15p1wZ3AEAAACgxOzb2cc6O1ufeabtuec6ly3LRkdjRx2QVx199G/8zd/81t///Zve//60uvrFB1ehXBjcAQAAAKA0vLizd3S0PPbYnscf712/PuR57KhDdOTRR//2hz/8tuOOe9073mF2p2wY3AEAAACgqO27gGVicLDl0Ud3z5vXs3p16e7sL5WmR7/73b9z3HH/+V//terII0MIaZrGboJDZ3AHAAAAgKIUQpKmIc/bX3ih+eGH2xYsyMfGYjdNlVcdffTbjj32d0877TVveYsb3ildBncAAAAAKC77FufR9vbG73+/6Yc/HG1ri100TdLq6t/8u7/7g/PP/7V3vtPsTikyuAMAAABAsdh3m3nX8uX199zT9vzzIctiF8WQpm/+679+x4UX/vp/+29md0qLwR0AAAAAikAIIc9bHn20btas/i1bYtcUgTR94/ve964vfvHX/uiPvKpKqTC4AwAAAEA8ISRJkhcKDXPm1N1112hra+yg4pJWVf32hz/8R5/97Gve8pZ9l9rHLoJXYnAHAAAAgBhCSNJ0Ynh417331t9zz3h3d+yg4lX9mtf83hlnvOPCC9MjjnDUnWJmcAcAAACAaRdCNjJSd9dd9ffcU+jvj11TGl771re+60tf+o0PftDF7hQtgzsAAAAATKMQsrGx+lmz6u6+u9DbG7um9Lzlf/2vP7n66l/5rd+KHQIvw+AOAAAAANMh5HkSQsOcOTtuucUFMoej+rWvfeenP/17p50W8txRd4qKwR0AAAAApta+K1D2/uQnW7/1raGGhtg5ZeIN73nPf73uuqPe/vbYIfBzBncAAAAAmCohz9Oqqr6tWzd95Svdq1bFzik3Va9+9Ts/9anfP/NMR90pEgZ3AAAAAJgaIRQGBrZ+85tNDz4Ysix2Tdl64/ve957vfOfIN7whraqK3UKlM7gDAAAAwCQLWZZWVTXMmbPtxhu9jDoNjjz66P//2mt/40MfSkJI0jR2DpXL4A4AAAAAkyeEJE37tm7d8IUv9G7cGLumkqTp20866d1XXJEkietliMXgDgAAAACTI+R5Pja29brrGu6/3x0yUbzhPe957x13HPnrv+56GaIwuAMAAADA4dr3OGrbggUbvvSl0ba22DkV7TVvfvOf3nrrG/70T2OHUIkM7gAAAABweEIo9PVt+PKX9zzxRGJtKwJVRxzx7iuvfNsJJ7jSnWlmcAcAAACAQ7TvYHvL/Pmbrr56vKcndg7/Tpr+7imnvPuKK0IIrpdh2hjcAQAAAOBQhDyfGBpa/4Uv7H3yydgtvLw3//Vfv/e226qOPNIzqkwPgzsAAAAAHKQQkjTtWLhw3ec+N9reHruGV/K6d7zjz++559VvfrNz7kwDgzsAAAAAHISQZSHPN19zTcOcOW5sLwmvectb/vzee1/3B3/gPnemmsEdAAAAAA7CYG3tqgsvHNi5M3YIB+FVr3vdf58x4z/9j/8RO4Qy59coAAAAAGD/Qp4nSdJw330LP/xha3vJKQwMLD/ttD2PPx47hDLnhDsAAAAA7EfI82x4eO1nPtP67LOxWzh0aVXVu7/ylbefeGLsEMqWwR0AAAAA9qN348bVF144vHt37BAOW5q+6/LLf+8Tn4jdQXkyuAMAAADAywt5nlZV1c+atfW66/JCIXYOkyRN/+izn/0v55wTu4MyZHAHAAAAgJcRsiwfG1vz6U+3PvNM7BYmW5r+4cUXv+Pii2N3UG6OiB0AAAAAAMUnhKGGhhXnnDO0a1fsFKZACNtvuilJEps7k6sqdgAAAAAAFJMQkiTZ88QTiz7yEWt7edt+8811d94Zu4Ky4oQ7AAAAALwo5HmapluuvbZu1qzEVcxlL4Qt3/xm1atf/bunnBI7hTLhDncAAAAASJIkCVmWjY6uuvDCjoULY7cwfdKqqv/va1/7nWOPjR1COTC4AwAAAECShDDU1FRzxhmukalAaXX1e2688bf+8R9jh1DyDO4AAAAAkHQsWrT64osL/f2xQ4ij6lWv+rNZs970P/9nkqaxWyhhHk0FAAAAoIKFkCTJrtmza844w9peyfJCYdV55/Vt2RLyPHYLJcwJdwAAAAAq1L5pddPVVzfcd1/sForCkW94w1/+6Eevfetb0+rq2C2UJIM7AAAAAJUoZFk+Nrbyggs8kcq/9yu//dvvf+SRI48+2ubOITC4AwAAAFBxQp6PdXQsP+20gR07YrdQdF7/x3/8Fw8+WHXkkWmVG7k5OH5iAAAAAKgwIQxs377oox+1tvOy+rZsWXX++Uny4hX/cOAM7gAAAABUlvaFC5cce+xoW1vsEIpX+09/uvGKK5I0jR1CiTG4AwAAAFBBGufOXXHWWRPDw7FDKHaNc+fWzpgRu4IS4w53AAAAACpACEmabv/Od3bceqt7QjhAaVXVe2+77Tc++EFH3TlABncAAAAAylzI8zRNN1xxReMDD8RuocQccdRR73/kkaPe/va0ujp2CyXA4A4AAABAOQtZFvJ89UUXtT7zTOwWStJRb3vbX82fX/3a16ZVLuhmP/yIAAAAAFC2Qp6n1dV1M2da2zlkQ42Nqy66KE1TlxGxXwZ3AAAAAMpTyLKJwcEkSQZ37YrdQmnrWLhwyze/6SZ39svgDgAAAEAZCnk+1tm58rzzYodQJuruumvPk0865M4rM7gDAAAAUG5Cng83Ny/+2MeGm5tjt1AuQlj/+c8PNTWFLIudQvEyuAMAAABQXkIY2LFj8f/9vyN798ZOoaxMDA6uPOecMDER8jx2C0XK4A4AAABAGQmhZ/36pccfP97dHTuFMjSwc+e6z38+rTKr8vL8ZAAAAABQPjqXL19+8smF/v7YIZStlvnzG+67L3YFRcrgDgAAAECZaFuwoOaMMyaGh2OHUOY2f/3rfZs3u8yd/8jgDgAAAEA52PvUU6vOPz8fG4sdQvnLx8dXX3hhPj7uMndewuAOAAAAQMnb/eMfr7744rxQiB1CpRhqalr3uc+5zJ2X8AMBAAAAQGlr+uEP1112mfs9mGZ7Hn+8ce7c2BUUF4M7AAAAACWsYc6cDZdfbm0nis1f/epAba0fP37G4A4AAABAqdo1e/bGK690jzaxZKOjqy64IGRZCCF2C0XB4A4AAABASdr1ve9tuvrqxNBJVIO1tZuvuSZN09ghFAWDOwAAAAClp/7eezd99avWdopBw/e/3/7CC37TgsTgDgAAAEDJqb/nns3XXGNtp1iEsO5znyv099vcMbgDAAAAUErq771389e+Zm2nqIx1dq777GfTKnNrpfMTAAAAAEDJ2PW97znbTnFqW7CgYc6c2BVEZnAHAAAAoDTsmj3bve0Usy3XXjvc1BSyLHYI0RjcAQAAACgBDfffv+nqq63tFLNsZGTtpZe6WKaS+d4DAAAAUOwa587ddNVV1naKX/fq1fV33x27gmgM7gAAAAAUtaYHH9x4xRUhz2OHwAHZdsMNQ42NLpapTAZ3AAAAAIrX7kce2XD55dZ2Skg2Orr2M59xsUxl8l0HAAAAoEi1PPbYus99zklhSk7P2rV1d90Vu4IIDO4AAAAAFKO9P/nJus98xtpOidr+ne+4WKYCGdwBAAAAKDrtL7yw5pJL8omJ2CFwiLLR0XWf+1xaXR07hGllcAcAAACgmITQsWTJyvPPzwuF2ClwWLpXrmyYMycJIXYI08fgDgAAAEDRCKFr1aqV55yTj43FToFJsPVb3xrt6PDqb+UwuAMAAABQFEIIvRs2rDjjjGxkJHYLTI6JwcENX/xiWmWGrRS+0wAAAADEF/J8YNu25aedNjE0FLsFJlPb88+3zJ/vYpkKYXAHAAAAILKQ50MNDctOPrnQ3x+7BSbfpq9+tTAwkLhYpgIY3AEAAACIKeT5SEvLshNPHO/pid0CU2K8u3vzNdckLpapAL7HAAAAAEQTsmyso2PpCSeMtrfHboEp1Pzww10rVng9tewZ3AEAAACII2RZoa9v6fHHj+zZE7sFplgIGy6/PMlzl7mXN4M7AAAAABGELJsYGlp6wglDjY2xW2A6DNbX77j11iRNY4cwhQzuAAAAAEy3kGXZ6Oiyk04a2LkzdgtMn9oZM4YaGkKWxQ5hqhjcAQAAAJhWIc/zQqHmtNP6Nm+O3QLTKh8fX//FL6bV1bFDmCoGdwAAAACmT8jzkGUrzjqre82a2C0QQVdNze4f/9jrqeXK4A4AAADANAl5noSw6vzzO5cujd0C0Wz95jfzsTGvp5YlgzsAAAAA0yKENE3XfOpTbQsWxE6BmEbb27fdcIPXU8uSwR0AAACAqRdCkqbrv/CFPY8/HjsF4muYPXuwrs7rqeXH4A4AAADA1EvTTVdd1fTgg7E7oCjkExMbrrjC66nlx+AOAAAAwJTbdv31u2bPjl0BRaSrpqbl0Ue9nlpmDO4AAAAATK3aO+7YefvtsSug6Gy59tp8fNzrqeXE4A4AAADAFNo1e/bWb387dgUUo9G2tp233ur11HJicAcAAABgqjT/6Eebv/pVB3jhl6m7++6RlhYXy5QNgzsAAAAAU2LP44+v/+IXLYnwCvKxsU1f/WpaZactE76RAAAAAEy+tgUL1n760yHLYodAsWt99tnOpUv9w1IeDO4AAAAATKoQOpctW3XhhfnEROwUKAUhbLr6aje5lweDOwAAAACTJ4SetWtXnH12PjYWOwVKxsDOnQ333++1gzJgcAcAAABgcoQ879uypeb007Ph4dgtUGK233TTxNBQsLmXOIM7AAAAAJMg5Plgff3yU04pDAzEboHSU+jt3X7jjamLZUqcwR0AAACAwxXyfLi5edmJJ4739sZugVLVMGfOcFNTyPPYIRw6gzsAAAAAhyXk+Whr69ITThjr7IzdAiUsLxQ2f+1raZXNtoT55gEAAABw6EKWjXV2Lj3++NHW1tgtUPJan3uuq6YmZFnsEA6RwR0AAACAQxSyrNDXt/T444d3747dAmUhhE3XXOOQe+nynQMAAADgUIQsmxgcXHrCCUMNDbFboHz0b9nS9KMfhRBih3AoDO4AAAAAHLSQZdnIyNITTxzYuTN2C5Sb7TfcEMbHE5t7CTK4AwAAAHBwQpZlo6NLTzyxf+vW2C1Qhkbb22tnzkzSNHYIB83gDgAAAMBBCFmWj48vP+WUvk2bYrdA2aq7887xnp6Q57FDODgGdwAAAAAOVMiyvFBYfsopPevWxW6BcjYxNLTthhu8nlpyfMMAAAAAOCAhz/NCYflpp3WvWRO7Bcpf0w9+MNTQELIsdggHweAOAAAAwP6FPA+FQs3pp3evXBm7BSpCyLIt116bVlfHDuEgGNwBAAAA2I+Q52Fioub007tqamK3QAVpfe657tWrHXIvIQZ3AAAAAF5JyPOQZTVnnNG5fHnsFqgwIWz5+tcdci8hBncAAAAAfqmfnW3vXLo0dgtUop5161qffjrkeewQDojBHQAAAICXZ22HYrDt+uvTNI1dwQExuAMAAADwMkKWvbi2L1sWuwUq2kBtbfNDDznkXhIM7gAAAAC81Itr+yc+YW2HYrD9ppsSg3spMLgDAAAA8AtCluWFwvLTTvNKKhSJkT17dt13XxJC7BD2w+AOAAAAwM+FLMvHxpaddFLXihWxW4Cf23n77dnYmM29yBncAQAAAHhRyLJsZGTpCSf0rF0buwX4BePd3XUzZyZeTy1uBncAAAAAkiRJQpZNDA0tOf743o0bY7cAL6Nu1qxCf79D7sXM4A4AAABAErJsvLd3yTHH9G/ZErsFeHkTg4M7b7/dIfdiZnAHAAAAqHQhz0fb2xd/7GMDtbWxW4BX0nD//ePd3SHPY4fw8gzuAAAAABUt5PlwU9Pij31suLk5dguwH9nIyPabb06r7LpFyjcGAAAAoIKFMLB9++Jjjhlta4udAhyQprlzR1pbHXIvTgZ3AAAAgEoVQveqVUuPP368uzt2CnCg8kJh+403OuRenHxXAAAAACpU24IFy087rTAwEDsEODi7H3lkqLHRIfciZHAHAAAAqES7H3lk5XnnZaOjsUOAgxaybNv11zvkXoR8SwAAAAAqSQhJktTPmrXusstClsWuAQ7R3iefHNi50z/FxcbgDgAAAFApQghJmm659trNX/+6yyigpIU833bDDWl1dewQfoHBHQAAAKAihDxP8nzNpz9dd9ddsVuASdD6zDP9W7c65F5UDO4AAAAA5S9kWT4+XnPGGS3z5sVuASZJCNtuvNEh96JicAcAAAAocyHPx3t6lhxzTMeiRbFbgMnUtmBB36ZNDrkXD4M7AAAAQFkLYXDnzoUf/nDfli2xU4DJFsK26693yL14GNwBAAAAyln7woWLjzlmtLU1dggwJdoXLepZt84h9yJhcAcAAAAoRyEkSbJr9uwVZ501MTQUuwaYMiFsv+EGh9yLhMEdAAAAoNyELAt5vuFLX9p01VXOvULZ61i6tGfNGv+wFwODOwAAAEBZCVk2MTy8/JRTGh94IHYLMC1C2H7TTQ65FwODOwAAAEAZCWGosXHRv/xL5/LlsVOA6dOxZEnP2rUOuUdncAcAAAAoH3uffnrRRz4y1NQUOwSYXg65FweDOwAAAEDJC3mehLDt+utXXXCBJ1KhMnUsXtyzbp1D7nEZ3AEAAABKW8jzbGSk5swzd95+exJC7BwgEofci4DBHQAAAKC0DWzf/tN//Mf2F16IHQJE1rFoUe+GDQ65R2RwBwAAAChJIc+TJGl84IFFH/vYcHNz7BygCISw/cYbHXKP6IjYAQAAAAActJBlYWJi3eWX737kkdgtQBFpX7Sob/PmX3vnO83uUTjhDgAAAFB6Bnbs+Ok//7O1HXipEHbcfLO1PRaDOwAAAEDJ2HeNTN2ddy76138drKuLnQMUo9bnnhvYscNN7lEY3AEAAABKRAjjPT3LTz11yze+kY+Px64BilUIO265xSH3KAzuAAAAAMVu38H2lkcfff5DH+pYvDh2DlDs9j711OCuXfv+p4PpZHAHAAAAKGohzycGB1ddeOGaT32q0NsbOwcoASHPd9xyS1pl/p1uvuIAAAAARWrf6dS25557/oMf3Pvkk7FzgFKy57HHhpubHXKfZgZ3AAAAgKIUQqGvb9WFF64877yxzs7YNUCJCVm249ZbHXKfZr7cAAAAAMUlZFmSJM0PP7zgb/5m75NPJiHELgJKUsuPfzza2po45D6NDO4AAAAARSOEJEmGmpqWnXzyussuc2M7cDjyiYmd3/1u4pD7NPK1BgAAACgKIc+zsbEt3/jGT//+7zuXLo2dA5SDpgcfHO/uDn5RZroY3AEAAAAi23eHzJ7HH1/wf/5P3Z135oVC7CKgTORjY7UzZ6ZpGjukUhjcAQAAAKIJeZ4kSc+6dYs++tE1n/zkaGtr7CKg3DTOmVMYGPAaxPQwuAMAAABEsG9qH25uXnnuuUs+/vHeDRtiFwHlaWJ4uH7WrMQh92lhcAcAAACYVvum9tH29nWf+9zzH/xg6zPPOHkKTKlds2dnIyOxKyqCwR0AAABguuR5kiTjPT0br7xywQc+0PyjH+27vR1gShX6+nZ973v+v71pcETsAAAAAIDyF/I8raoaaW/fedttzQ89lI+NxS4CKkv93Xf/3hlnVL3qVbFDypzBHQAAAGAKhSxLq6uHm5t33nZby7x5+cRE7CKgEo11dTU+8MDvnnyyy9ynlMEdAAAAYGqEkKRpx6JF9d/7XufixfuubgeIpe6uu95+4olpdXXskHJmcAcAAACYTPuOtBf6+5t/9KOGOXOGGhpiFwEkSZKMtLTsnjfvrR/5SFrlac+pYnAHAAAAmAQhhDRNkyTpqqlpnDu39Zln8vHx2FEAv6B2xoz//NGPxq4oZwZ3AAAAgMMQQpIkSZoONzY2P/RQy/z5w7t3x24CeHmDtbV7n376Nz74QYfcp4jBHQAAAOCghRDSJEnSdGTv3j1PPNEyf37fli0vju8ARaz2u9/9zb/929gVZcvgDgAAAHCg9t3PniTJ4M6de3/yk71PP92/daudHSghvRs3dixe/Mb3vc/rqVPB4A4AAADwSn42shf6+toXLuxYuLBj8eLR9vbYXQCHaOftt7/pL/8ydkV5MrgDAAAA/IIQQhLCvguOx7q6upYv76qp6aqpGairc5gdKANdK1b0btjw+ne9yyH3SWdwBwAAACpdyLK0qipJ0yRJstHR/q1be9au7Vm3rmft2pG9e43sQLkJYeftt//3O+6I3VGGDO4AAABAxQgh5PnPtvUkSfKxscH6+oHa2sH6+v5t2/q3bh1paQl5HjcTYKq1PffcUEPDa3/nd/b9Ng+TxeAOAAAAlIsQQp4nISRVVS+ZkEKWjXZ0jOzePbJnz3Bz81Bj43Bz81BT01h7u3kdqEAhz3d+97v/9ZvfjB1SbgzuAAAAQFEKYd9d6kmSJGn6Cmcw87GxwsBAoa9vvKdnvKdnvLt7vKdnvLd3rLNzrLNzrKtrvLNzrLPTsA7w77XMm/dHl1565BvfmP7bL/1w+AzuAAAAwDTadwg9SV72pb6QZRODg4X+/sLAQKG/f2JwcGJgYGJwsDA4mA0NFQYHJ/7tX4WBgYmBgcLAwMTgYD4+Pu2fBkDJywuF2pkz33X55bFDyorBHQAAAJhs/+Gq9CRJJgYHR9vbR9vaXjx13tX1s6Po4z09hb6+Qn9/NjrqhVKAadM0d+4fXnLJEUcdlTjkPkkM7gAAAMDh2Tev/9uJ9YmhocG6uqFdu4aam4ebm4ebm0f37h1tb89GR+NmAvASE8PD9ffe+44LL4wdUj4M7gAAAMDBefFOmKqqJEkKAwP9W7f2b9s2sH37QF3dUH39WHe3U+oApWLX9773X84+u+rII2OHlAmDOwAAALB/Icv2nWHPRkd7163rWb++d/363g0bRlpbzesApWu8u7vpBz94+0knuVVmUhjcAQAAgJcXQkiTJEnTbHS0a/nyrpqazpqavk2bQpbFTgNg0tTNmvX2k06KXVEmDO4AAADAL/jZYfaB7dvbX3ihfeHCnjVr8kIhdhcAU2K4ubnl8cd/6x/+Yd9dYRwOgzsAAACQJP+2s4cs61y2rPXpp1uffXa0rS12FADToW7GjN/+p3+KXVEODO4AAABQ2fI8qapKQuiqqWl++OG2Z58tDAzEbgJgWvVt2dKxZMkb//zP9/2GE4fM4A4AAAAVKuR5WlU11NTUOHduy/z5zrMDVLLaO+5401/8ReyKkmdwBwAAgAoTQpKmYWJizxNPND7wQNfKlUkIsZsAiKxz2bK+LVt+7Q//0CH3w2FwBwAAgEqx75b2sa6uXffe2/iDH4x3d8cuAqBohFB7xx1/evPNsTtKm8EdAAAAyt++qb1/+/a6u+7a+8QTeaEQuwiAorP3qadGWlpe85u/mVZVxW4pVb5wAAAAUM5CliVJ0r1q1bKTTlr4L//SMm+etR2AlxWyrHbmTGv74fC1AwAAgPK0b2rvWLJkyTHHLD3hhM5ly9zVDsAra37ooUJfn78vDpnBHQAAAMrNvqm9d8OGJcceW/OJT3SvWRO7CIDSkI2M1N97b5KmsUNKlcEdAAAAykcIIUmSoaamleecs/iYY7pXr45dBECJabjvvnx8PHZFqTK4AwAAQLkIYWJwcOOVV77wt3/b+uyzLgQA4BCM9/Q0zp0b/CVySAzuAAAAUPJCliUhNNx//3Mf+EDD/ffvu1IGAA5N/d13u1Pm0BjcAQAAoISFPE+SpHf9+p/+0z9t/MpXCr29sYsAKHnDzc17nnhi318xHBSDOwAAAJSqkOfZ8PD6L3xhycc/3r9tW+wcAMpH7cyZaZX1+KD5kgEAAEDp2XfqsGXevAX/+383/fCHDiECMLn6Nm3qqqlxR9nBMrgDAABAqQlhvKdnxZlnrr300rGurtg1AJSn2hkz0urq2BUlxuAOAAAAJWPfSfbd8+Y9/6EPtT3/fOwcAMpZ+8KFA7W1fonqoBjcAQAAoDSEPJ8YHFx53nlrP/MZj6MCMOVCqJsxw03uB8UXCwAAAIpeCEmSdK9c+cLf/V3r00/HrgGgUrQ8+uhYR0cIIXZIyTC4AwAAQFELWRZC2Pbtby87+eTRtrbYOQBUkLxQqJs1K03T2CElw+AOAAAAxSvk+Vhn55Jjj9353e+GLIudA0DFaZo7NxsZiV1RMgzuAAAAULw6Fy/+6T/8Q8/atbFDAKhQhYGBhvvvT9wqc2AM7gAAAFB0QpYlIWy74YaaM84Y9z4qAFHV33tvyPPYFaXB4A4AAADFJWTZxNDQ8lNP3XnbbQYOAKIbbW1tmT/fX0kHwuAOAAAAxSSEwdrahUnr1hYAACAASURBVP/8zx1LlsROAYAX1d11V1plTN4/XyMAAAAoDiEkSdLy+OOLPvax4d27Y9cAwM/1b9vWsXix57v3y+AOAAAA8e37Pf0t3/jGmk9+MhsZiZ0DAC9VN3NmWl0du6LYGdwBAAAgspBlYWJi5Xnn1d15575z7gBQbDqWLh3Yvt0h91dmcAcAAICYQpYV+vuXfPzjrc88E7sFAH65EGodct8fgzsAAABEE/J8qLFx0Uc+0rthQ+wWANiPPY89NtreHvwy1i9ncAcAAIBoelavXuyJVABKRD4xUT9rVpqmsUOKl8EdAAAA4tj7k58sO/XUQn9/7BAAOFCNc+dmw8OxK4qXwR0AAAAiaPz+91dfdFE+NhY7BAAOwsTgYMOcOZ74/mUM7gAAADCNQkiSZPt3vrPhy18OWRa7BgAOWv2994Y8j11RpAzuAAAAME1CCEmabvzKV3bccouzgQCUqNHW1pb5823uL8vgDgAAANMh5HkSwtpLL224777YLQBwWOpmzUqrbMsvwxcFAAAAplzI8yTPV5133u5HHondAgCHq3/r1o4lS9yN9h8Z3AEAAGBqhSwLhcLyT3yi9dlnY7cAwOSomzkzra6OXVF0DO4AAAAwhUKW5YXCslNP7Vy6NHYLAEyajiVLBnbscJP7SxjcAQAAYKqELMvHxpaffHL3ypWxWwBgUoVQO3Omm9xfwpcDAAAApkTIsmxkZOmJJ3avWRO7BQAm357HHhvr6AghxA4pIgZ3AAAAmHwvru0nnNC7YUPsFgCYEnmhUDdrVpqmsUOKiMEdAAAAJtm+m2SWnXxy3+bNsVsAYAo1zZ2bjYzErigiBncAAACYTC++knrKKc62A1D2CgMDjd//fuJWmX9jcAcAAIBJE/I8TEwsP+20nrVrY7cAwHSov/de17j/jMEdAAAAJkfI85BlNWec0b1yZewWAJgmI3v27HnssZDnsUOKgsEdAAAAJkOeJyGsPPfczmXLYqcAwLSqu+uutMrUnCQGdwAAADh8IYQkTVdfckn7Cy/EbgGA6da3eXPX8uUhy2KHxGdwBwAAgMMTQpqm6y67bO+TT8ZOAYA4amfOTKurY1fEZ3AHAACAw5OmG7/yleaHH47dAQDRtC9cOFhf7yZ3gzsAAAAclu033thw332xKwAgqhBqZ8xwk3ulf/4AAABwOOrvvXfHbbfFrgCA+Frmzx/r6kpCiB0Sk8EdAAAADtHuRx7Z8rWvVfiyAAD75OPj9XffnaRp7JCYDO4AAABw8EJoW7Bg/ec/77JaAPiZxgceyEZHY1fEZHAHAACAgxPyvGf9+tUXX5xPTMRuAYAiUujra5w7t5J/98vgDgAAAAchZNlwU9OKM87IRkZitwBA0dl1zz3B4A4AAADsV8iy8Z6eZaecMt7bG7sFAIrR8O7de554omKvXDO4AwAAwAEJeZ6PjS0/9dSRlpbYLQBQvOruvDOtqtDluUI/bQAAADgoIYQkhBVnn92/bVvsFgAoan2bNnWtWBGyLHZIBAZ3AAAA2L80TddddlnnsmWxQwCgBNTOmJFWV8euiMDgDgAAAPu37YYbdv/4x7ErAKA0dCxcOFhfX4E3uRvcAQAAYD+afvjDnbffHrsCAEpGyPPaGTMq8Cb3ivuEAQAA4CCE0LF48cYrrkhCiJ0CAKWkZf78sa6uSvsL1OAOAAAALy/k+UBt7aoLLsgnJmK3AECJycfH6+++O0nT2CHTyuAOAAAALyNkWaG3t+b00ycGB2O3AEBJanzggWx0NHbFtDK4AwAAwEuFPA9ZVnP66SN79sRuAYBSVejra3zggYq6VcbgDgAAAL8ohDRNV198ce/GjbFTAKC01d9zTzC4AwAAQOVK0y3f+EbrM8/E7gCAkjfS0rLn8cdDnscOmSYGdwAAAPgFTXPn1s2aFbsCAMpE3cyZaVWlDNGV8nkCAADA/oXQVVOz8corK+q2WQCYUn1btnQuXRqyLHbIdDC4AwAAQJIkSciy4ebmleefn09MxG4BgLJSO3NmWl0du2I6GNwBAAAgCXmejYwsP/30Qm9v7BYAKDcdixcPbN9eCTe5G9wBAACoeCEkSbLy3HOHdu2KnQIA5SiE2sq4yb38P0MAAADYjzTddNVVncuWxe4AgLK157HHRtvaQrm/kmJwBwAAoNI1fv/7DfffH7sCAMpZPjFRN2tWmqaxQ6aWwR0AAIDKFfK8a8WKTVddFTsEAMpf09y5E0NDsSumlsEdAACAChWybHTv3lXnnZdPTMRuAYDyNzE0tGv27KSsb5UxuAMAAFCJQp7nhULNmWeO9/bGbgGAStEwe3bIstgVU8jgDgAAQCVKq6rWXHLJwI4dsUMAoIKMtrc3P/RQyPPYIVPF4A4AAEAl2n7jja3PPhu7AgAqTt2sWWlV2e7SZfuJAQAAwMsLYe9TT+247bbYHQBQiQbr6lqffbZcL5YxuAMAAFBBQpYN7Ny59rOfLe8X2wCgmNXNnJlWV8eumBIGdwAAACpFyLKJoaEVZ52VDQ/HbgGAytW9enXP2rVlecjd4A4AAEBlCCFJ01XnnTe8e3fsFACodLV33FGWh9wN7gAAAFSGNN18zTWdy5fH7gAAkrYFCwZ37Qp5HjtkkhncAQAAqAjNDz20a/bs2BUAQJIkScjz2jvuSKvKbaAut88HAAAAXiLked+mTRuuuMJDqQBQPFrmzRvr6Ajl9bezwR0AAIByFrKs0Ne34uyz87Gx2C0AwM/lhULdXXelaRo7ZDIZ3AEAAChfISRJsvLcc0fb2mKnAAAv1fjAAxODg+X0K2gGdwAAAMpXmm66+uruVatidwAAL2NiaKjMXlgxuAMAAFC2mh58sGHOnNgVAMAvtet738snJmJXTBqDOwAAAGUo5Hnvxo0br7yynH5LHQDKz1hnZ/ODD4Y8jx0yOQzuAAAAlJt9D6WuPPdcD6UCQPGru/POsnk61eAOAABAeQkhSdNV558/2toaOwUA2L+hpqY9TzxRHofcDe4AAACUlzTd/NWvdq1YEbsDADhQtXfckVaVw1hdDp8DAAAAvCiE3Y88suu++2J3AAAHoW/Llo5Fi0KWxQ45XAZ3AAAAykTI8/5t2zZ86UseSgWAkrPzu99Nq6tjVxwugzsAAADlIOT5xODginPOyUZHY7cAAAeta8WK3g0bSv2Qu8EdAACA0hdCmqarL7xwpKUldgoAcEhC2Hn77aV+yN3gDgAAQOlL063f+lbHkiWxOwCAQ9f23HNDDQ0hz2OHHDqDOwAAACUuhD1PPll7552xOwCAwxLyfOftt6dVJbxal3A6AAAAhCwb3LVr/WWXeSgVAMpAy/z5o21tpXvI3eAOAABAqQp5no2NrTj77Inh4dgtAMAkyAuF2jvuKN1D7qXaDQAAAGlV1ZpLLhnatSt2CAAwaZoefLDQ21uiv7tmcAcAAKBU7bj55rYFC2JXAACTKRsZqbv77iRNY4ccCoM7AAAAJSiEtuef33HLLbE7AIDJ13DffdnISOyKQ2FwBwAAoMSELBvevXvtpz9dui+qAQCvoNDfv2v27FK8VcbgDgAAQEnJ87xQWHH22YX+/tgpAMBUqb/nnnxiInbFQTO4AwAAUFKqqtZddtnAjh2xOwCAKTTW0dH0wx+W3CF3gzsAAAClpO7OO/c8/njsCgBgytXNnBkM7gAAADAVQp53LV++9brrYocAANNhePfulnnzSuvJFoM7AAAAJSBk2VhHx6qLLgpZFrsFAJgmO7/73TRNY1ccBIM7AAAAxS6EEPJ8xdlnj3d3x24BAKbPYF3d3qeeKqFD7gZ3AAAAil2aphsuv7xv06bYIQDAdNt5++1pVcns2CUTCgAAQMXaNXt280MPxa4AACLo27Kl/ac/LZU75QzuAAAAFK+Q592rV2/52tdihwAA0ey89da0ujp2xQExuAMAAFCkQpaNd3evuuCCfGIidgsAEE33mjVdK1aUxCF3gzsAAADFKISQhLDy3HPHOjpitwAAke245ZaSOORucAcAAKAYpWm64ctf7lm7NnYIABBf57JlPevWFf8hd4M7AAAAxajx+99v+sEPYlcAAMUhhB0331z8h9wN7gAAABSXkOc9a9duuvrq2CEAQBFpX7iwb/PmIj/kbnAHAACgiIQsG+/pWXX++XmhELsFACgmpXDI3eAOAABA0QghSZKV55wz2t4eOwUAKDqtzz03sGNHMR9yN7gDAABQNDyUCgC8ghC2F/chd4M7AAAAxaLxgQea5s6NXQEAFK/Wn/xksL4+5HnskJdncAcAACC+kOc9a9Zsuuqq2CEAQFELeb7j5pvTqiJdtos0CwAAgMoRsmy8u3ulh1IBgAOw54knhhobi/OQu8EdAACAmEIIIc9XnH32WEdH7BYAoASELCvaQ+7F2AQAAEDlSNN0/Re+0Lt+fewQAKBktDz6aHEecje4AwAAEFP93XfvfuSR2BUAQCkJWbbjlluK8JB70QUBAABQKULoXLp0yze+EbsDACg9LfPnDzc3F9shd4M7AAAAEYQsG25pWXXRRSHLYrcAAKWnOG9yL64aAAAAKkHI83x8fMWZZxZ6e2O3AAClave8ecO7dxfVIXeDOwAAANMrhDRNV19yycDOnbFTAIASVoSH3IsoBQAAgIqQplu//e22556L3QEAlLzdP/5xUR1yN7gDAAAwjUJoefTR2hkzYncAAOUgZNmOm24qnkPuxdIBAABA2Qt53rdly/rPfz4JIXYLAFAmds+bN9zUVCSH3A3uAAAATIeQZeM9PSvOOisbHY3dAgCUj5Bl24vmJveiiAAAAKC8hTwPeb7izDNH29pitwAA5aZl/vyhxsZiOORucAcAAGDKpVVV6y69tHfDhtghAEAZClm2/TvfKYZD7vELAAAAKHs7br215bHHYlcAAGVrz+OPD+7aFf2Qu8EdAACAqRTC3qee2nHTTbE7AIByFrJs+403Rj/kbnAHAABgqoQ879u6de1nPxv9uBkAUPb2PvnkwM6dIcsiNhjcAQAAmBIhy8a7ulaceWY2PBy7BQAofyHPt33722l1dcQGgzsAAACTL+R5mJioOeOM0ba22C0AQKVofe65vs2bIx5yN7gDAAAw2UJIq6pWf/KTfZs3x04BACpJCFujHnI3uAMAADDZ0nTrt77V+vTTsTsAgIrTsWhR9+rVsQ65G9wBAACYZE1z59bOnBm7AgCoSCFsu/76WIfcDe4AAABMnhA6lizZeOWVSQixUwCACtVVU9O5dGmUQ+4GdwAAACZHyLLB+vrVF1yQT0zEbgEAKlqsm9wN7gAAAEyCkGWF/v6a008vDAzEbgEAKl3v+vWtTz8d8nya/1yDOwAAAIcr5HmYmKj5xCeGd++O3QIAkCRJsu3669M0neY/1OAOAADA4QkhTdNVF13Uu3Fj7BQAgBcN1NY2P/zwNB9yN7gDAABweNJ041e+0vbcc7E7AAB+wfabbkoM7gAAAJSQ2pkzG+6/P3YFAMBLjbS0NMyZk4QwbX+iwR0AAIBDt+fxx7ddd13sCgCAl7fzttuysbFp29wN7gAAAByKkOddK1asvfTSab4aFQDgwI11ddXddVcyXa+nGtwBAAA4aCHPh+rrV55zTj4+HrsFAOCV1N15Z6GvL0zLIXeDOwAAAAcnZNl4V9fy004r9PfHbgEA2I+JwcHtN92UTsshd4M7AAAAByFkWTY6uvzUU0f27o3dAgBwQBofeGBkz55puAfP4A4AAMCBCnke8nzFWWf1b98euwUA4EDl4+Nbr7surZryPdzgDgAAwAEJIaRpuvqii7pqamK3AAAcnD2PPda/bVvIsin9UwzuAAAAHJA0Tdd/8YutzzwTOwQA4KCFPN/yjW+k1dVT+qcY3AEAADggW6+7rumHP4xdAQBwiDoWL+5ctmxKD7kb3AEAANi/+rvvrp0xI3YFAMBhCGGqD7kb3AEAANiPpgcf3Pz1rychxA4BADgsfZs2tcybF/J8ij6+wR0AAIBXsveppzZcfrm1HQAoD1uvv37qbpUxuAMAAPBLhNCxePGaT31qSq86BQCYTiMtLbvuvXeKDhMY3AEAAHg5IfSsW7fyvPPy8fHYKQAAk2nn7bcXBgfDFGzuBncAAABeKuR537ZtNZ/4RDY8HLsFAGCSFfr7d9x0U5qmk/6RDe4AAAD8gpDnQ7t2LT/55MLAQOwWAIAp0XD//SMtLZP+eqrBHQAAgJ8LeT6ye/fSE08c7+mJ3QIAMFXyQmHztdemVZO8kBvcAQAAeFHIsrH29qUnnDDW0RG7BQBgau196qnu1asn93F4gzsAAABJsm9t7+pactxxI3v3xm4BAJh6IWy6+urJPeRucAcAACAJWTbe27v0+OOHm5tjtwAATJO+TZuaH3oohDBZH9DgDgAAUOlClhX6+5ced9xQQ0PsFgCAabXt+uvzsbFkkjZ3gzsAAEBFC1k2MTCw9LjjBuvrY7cAAEy30fb2nbfemqTppHw0gzsAAEDl2ne2fclxxw3U1sZuAQCIo+7uu0daW0OeH/6HMrgDAABUqJBlhb6+JccdN7BzZ+wWAIBo8rGxzddcMymvpxrcAQAAKlHIsvGensXHHjvobDsAUPH2PvVUV01NyLLD/DgGdwAAgIoTsmysq2vJsccO7doVuwUAoAiEsOmqqw7/JneDOwAAQGUJeT7a2rrkmGOGGhtjtwAAFIv+7dsb7r8/CeFwPojBHQAAoIKEPB9ualp8zDHDu3fHbgEAKC7bv/OdwsDA4byeanAHAACoFCHPB2trlxx77GhbW+wWAICiU+jr2/rNbx7O66kGdwAAgMoQQt/mzUuOP36sqyt2CgBAkWp68MH+rVsP+fVUgzsAAEBF6KqpWXbiiYXe3tghAADFK2TZxi9/Oa2uPrT/usEdAACg/LU+88zy00+fGBr6f+3d629b93348XNIyRKpi+3YtR3Hke3YspL2PxlQBB1QYBjwe7ArsF8fbNiTLV2bZfgl3Ypu+z1Zi6xb+6AthiZLCyRBEyDx0ESWrMiWLVmSdeFFlHgTKd55eA4PeXi+3z04NEvLl9iJpENS7xcEgTpikk8ch0je+vJz3B4EAACg0+Vv34796ldf7O6pBHcAAAAA6HGxX/967lvfErWa24MAAAB0h9Xvf79hGPLpmzvBHQAAAAB6lJSKomz89Kd3/uZvvvAeUgAAgEOolsut/uAHqqo+7R9IcAcAAACAHiSlVFR15R//8e4bb0gh3B4HAACgy2z913+V19ae9tQCwR0AAAAAeo0UQhHi9l//dfg//9PtWQAAALqStO2l7373ae+eSnAHAAAAgJ4ibVvU67N//MeJd991exYAAIAulr99O/bOO09191SCOwAAAAD0DilEvVCY+uY3M1NTbs8CAADQ9Vb+6Z+sSuXJF/QR3AEAAACgV0hZCQYnX365vLLi9igAAAC9oF4orLzxhup50pBOcAcAAACAHrFz7drUN79pplJuDwIAANA7ou+8k5+be8K7pxLcAQAAAKDLSakoyuYvfnHjT/+0oetuTwMAANBbpFz8u797wucS3AEAAACgi0khpJRLr7229Pd//4QHrwAAAPBUtFAo9O///iTPJLgDAAAAQLeStm1Xq7N/9EebP/+527MAAAD0suCPflRNJj/3fAPBHQAAAAC6khSimkxe+8Y3MlNTbs8CAADQ4+xq9c63v616vY9/GsEdAAAAALpSdnp68uWXK+Gw24MAAAAcCplr12K//rVz+5xHIbgDAAAAQDeRQiiKEvrxj2f/5E+sUsntcQAAAA6Ru2+8US8Wnf8eeyiCOwAAAAB0DWnbstG4/Vd/tfr973OLVAAAgANmFYtLr76qeh7Z1QnuAAAAANAlpKwmk9d+//cT77/v9igAAACHVPLDD1NXrz7qkDvBHQAAAAA6npSKomx/9NHk179eXl11exoAAIBDTMqlV1+1TVM+bJk7wR0AAAAAOpq0bSnl3e99b+5b37I0ze1xAAAADjsznb77+uuqqj74LYI7AAAAAHQwKWvZ7PU/+IONn/xEedgpKgAAABy86NtvZ6amHlwsQ3AHAAAAgI4kpaIoqatXP/m938vfuuX2NAAAAGgj5Z1XXhG12q7FMgR3AAAAAOg40ralbS//wz/c/Iu/sIpFt8cBAADAbtVkcvmBxTIEdwAAAADoOHo0OvmNb0R+9jPWyAAAAHSs6FtvZaan2xfLENwBAAAAoFM4/7e2+fOfT3796+WVFbfHAQAAwGNJeedv/7Z9sQzBHQAAAAA6ghSiUS7f+LM/W3rtNbtadXscAAAAfL5qMnnjz/+8oWnOl33uTgMAAAAAUIRQPJ701auL3/lOLZdzexoAAAA8hez166JWcx4T3AEAAADATVIIu1pdevXV+LvvsrEdAACgqxHcAQAAAMAdUgjV48lOTS288oqZSrk9DgAAAL4sgjsAAAAAuEAK0ahUll57LfHeexxsBwAA6A0EdwAAAAA4UNK2Va83+f77y6+/Xs/n3R4HAAAAe4bgDgAAAAAHykylFr/znZ3JSbcHAQAAwB4juAMAAADAQZC2rShK6M03gz/6kW2abo8DAACAvUdwBwAAAID95dwcNT83t/jd71bCYbfHAQAAwH4huAMAAADA/qplMndffz354YfcHBUAAKC3EdwBAAAAYF9IIaRth3/84+Cbb9qG4fY4AAAA2HcEdwAAAADYY9K2Va83+cEHa//8z0Ys5vY4AAAAOCAEdwAAAADYM05qL965c/eNNwoLC26PAwAAgANFcAcAAACAPeDcGVXf2lr9wQ9SH3/MunYAAIBDiOAOAAAAAF+Kk9rNdHrtX/4l8d570rbdnggAAADuILgDAAAAwBfkpPZ6Lhf4t3+LvvWWsCy3JwIAAICbCO4AAAAA8PSEUJzU/sMfRt96S9Trbg8EAAAA9xHcAQAAAOApNBfI7OwE33wz+vbbolZzeyIAAAB0CoI7AAAAADwRaduq12tEo8Ef/jDx3nui0XB7IgAAAHQWgjsAAAAAfA7nVHthYWHjJz9JXb3KbVEBAADwUAR3AAAAAHgEKRVFkUIkf/ObjZ/+tLi05PZAAAAA6GgEdwAAAADYzdkeUy8UNn/xi61f/tJMp92eCAAAAF2A4A4AAAAAbaRUVLUwPx/52c9SH30kLMvtgQAAANA1CO4AAAAA0DzSbpXLsf/+7623366EQm5PBAAAgO5DcAcAAABwiAmheDyKlNnp6divfrX90UeiXnd7JgAAAHQrgjsAAACAw0dKRVEUVa1EIrF33om/+y5b2gEAAPDlEdwBAAAAHBr3Ons1mYy/+27i/fe1QMDtmQAAANA7CO4AAAAAepyUUlUURVWNRCL5wQfbH35YXFpqxncAAABg7xDcAQAAAPQm5z6oiqJUgsHUxx8nP/ywvLZGZwcAAMD+IbgDAAAA6ClSCNXjkbadu3EjffVq6n/+x4jF3B4KAAAAhwLBHQAAAEDXax1mryaT6d/+dufTT3MzMw3DcHsuAAAAHC4EdwAAAABdqRXZrVIpMzWVuX49Oz3NYXYAAAC4iOAOAAAAoGv8LrIXi9mZmdyNG9nPPquEQlIIt0cDAAAACO4AAAAAOlirsCuKYsRiudnZ/Nxcbm5O39zk9qcAAADoNAR3AAAAAB1E2rbq8SiqqihKPZ8v3LlTXFgoLC4WFxetYtHt6QAAAIDHIbgDAAAAcI+UUojWGXZzZ6e0tFRaXS0tLRWXlsydHY6xAwAAoIsQ3AEAAAAclPvzuqjXtWCwvLpaXlsrr6+XV1frhYK7AwIAAABfBsEdAAAAwL5wbmSqejzOlw1dr4RCWjhcCQa1YFALhaqJBDc7BQAAQC8huAMAAAD4sqRtK6raauuy0TASiUooVNnYqGxu6pFIJRyu5XLshwEAAEBvI7gDAAAAeFJSCEXK1k4YRVEaum5Eo/rmph6LGdGovrWlb22ZqZS0bRfnBAAAAFxBcAcAAACw24NhXVhWNR7Xo1EjFjPicSMeN6JRIx63SiUX5wQAAAA6CsEdAAAAOLx2rYJRFMWuVo1Ewonp1WSymkgY8Xg1kajl8yyEAQAAAB6P4A4AAAD0vgfDulUqGfG4EYtVEwkjkagmEkYyWY3HrXLZxTkBAACArkZwBwAAAHrHg2G9Xiwazh6YWMxIJKrxuJFMVpNJ2zBcnBMAAADoSQR3AAAAoAtJKYVQPR5FVZ0Ltmk2b14ajTpH151VMHa16u6kAAAAwOFBcAcAAAA6nbTt9rZulUqVSESPRPRoVN/aMqJRfWurXiiwYx0AAABwF8EdAAAA6CTO0XWv1/nKNs3KxkYlFKpEIvrmph6J6FtbrFkHAAAAOhPBHQAAAHCNFEJRlNbK9Xo+X15fr4RCWjhcCYcr4bC5s8O5dQAAAKBbENwBAACAg3L/6fV6oVBeXS0HAlowWAkEtHDYKpXcHRAAAADAl0FwBwAAAPZL+wF2YVlaIFBaWdHW1srr6+X19Xo+7/aAAAAAAPYSwR0AAADYM1IIVVWdu5ta5XJpebl0925pZaW8slKJRKRtuz0gAAAAgH1EcAcAAAC+uPsKe6lUmJ8vLi+XlpZKd+9WUynWrwMAAACHCsEdAAAAeBpte9htwygsLhYXFoqLi8XFRQo7AAAAcMgR3AEAAIDPIW3bKexSCC0QKNy+XVhYKNy5o29sOFvaAQAAAEAhuAMAAAAP1YrsVqmUu3mzMD9fmJ8vLi3ZhuH2aAAAAAA6FMEdAAAAUBRFkVIqUqoej6Io+tZWbnY2f+tW/tYtfXOTRTEAAAAAngTBHQAAAIdX65anUojyykpudjZ382b+1q16Pu/2aAAAAAC6D8EdAAAAh0srsgvLKi4sZGdn8zduFObnG+yKAQAAAPDlENwBAADQ+9oje2F+Pjszk5udLSwsiFrN7dEAAAAA9A6COwAAAHqTlFJVFEVVpW0XoWwzXQAADuRJREFU5uezn32Wm5nJz88T2QEAAADsE4I7AAAAeoiU0rnxqZTlu3cz09PZmZn8rVs262IAAAAA7D+COwAAALqetG3V61UUpRKJZKamstPTuRs3rHLZ7bkAAAAAHC4EdwAAAHSlVmSv5XKZycnM9HT2+nUznXZ7LgAAAACHF8EdAAAA3UNKRVEUVbVNMzszk52aykxNaeFw8zoAAAAAuIrgDgAAgE7XPMwuZXF5OTM5mZmaKszPC8tyey4AAAAAuA/BHQAAAJ2otTHGTKXSn3ySuXYtOzNjlUpuzwUAAAAAj0RwBwAAQKeQUqrKvY0x09M7165lrl3Tt7bYGAMAAACgKxDcAQAA4LLWxpjyysrOp59mpqYKt2+zMQYAAABA1yG4AwAAwAWtjTG1bHbn008zk5OZ6el6oeD2XAAAAADwxRHcAQAAcFCklFKqHo+wrNzs7M7kZObaNS0YZGMMAAAAgN5AcAcAAMD+ah1m10IhZ2NM/uZN2zTdngsAAAAA9hjBHQAAAHtPCqF6PIqiWKXSziefZKamMtPTZjrt9lwAAAAAsI8I7gAAANgj9zbGyEYjNzeXuXYtMzlZXluTQrg9GQAAAAAcBII7AHw5Ukop79s+/JhNxKqqKIqqqorzAQA9obUxphIO71y7lpmczN28aVerbs8FAAAAAAeN4A4ATdK2FSkVj8fZgfBQtmna1arz0TAMYZp2vS4tS1iWbDSEbSu2LYWQQvwuxKuq6vWqHo/q8ah9fZ4jRzz9/Z7+fs/gYJ/P5/X5PAMDXp/POzjoHRx85GxCKEI8fjYAOEityF7L5TKTk5np6ez0tLmz4/ZcAAAAAOAmgjuAw8KJ4KrHs+touW0Y9ULBzGRq2Wy9ULCKxXqxaBWLVrlsaZpVLjc0rVGpNCoV2zT3dSuC6vF4Bwf7hof7Rkb6R0b6Rkb6R0f7jx49cuzYkWPH+o8dO3L8+MDJkwMnTx45ftzr893/tyeb8YuD8wD2TWstu12tZmdmMlNT2elpLRx+3Dt7AAAAAOAwIbgD6C1SNntQW3du6LqZShmJhJlK1TIZM502d3Zq2Wwtk6lls7ZpujhvOylEwzAahqE8wRFR7+CgE98HvvKVwdOnB0+dGjxzZvDUKd+5c74zZ+7L8Q/7NQGAJySldJZhSdsuzM87kb24uCgaDbdHAwAAAICOQ3AH0K2cw+btK1bquZwejRqxmBGPVxMJI5msJpNmMtkwDPfG3C+2aRrxuBGPP/S7/SMjg2fO+M6e9Z0963vuOf9zz/nHxobGxo4880zrOdK2FVVlRw2Ah7h371NFyvLaWnZqKnP9en5uzu7Fl1MAAAAA2EMEdwBdoLkNxuttfmnbRjxeCYf1aNTY2nIiezWR6Jyz6q6zNM3SNC0Y3HXdOzjoO3duaGxsaGzMf/780Pnzwy+84Dt7tv3XlgoPHFKtyK4oWiiUvX49e/167uZNq1RyezIAAAAA6BoEdwAdR9p2+/4TM53WgsHKxoYeiVQ2N/VIpJpMStt2d8guZZtmJRSqhELtF1Wv13/u3ND580MXLw5fvDj0wgsjly8Pnj7d/LazkeZekQfQU9oie2VjIzM9nZudzd24Uc/n3Z4MAAAAALoSwR2Ay5q3+lQURVGEZembm1ogUAmHtVCoEonokYhdrbo7Yc+Ttq1vbelbW8rkZOui1+8fvnBh+PLl4UuXRi5dGrlyZejChfaD8CR4oEtJKZVWZA+HM9evE9kBAAAAYK8Q3AEcqF15vRIOa+vrWjCoBYNaKGTEYhxd7xC2YZRWVkorK60rqtfrHxsbuXx55PLlkfHxkYmJ4UuXPP39zndJ8EAnk0KoqqqoqhSivLqanZnJ37yZn5urF4tujwYAAAAAPYXgDmAftS+HkbatRyKltTUtENACAS0YJK93F+efoB6JpD7+2Lmier3+558fGR8fuXJl5MqVoy++OHTxYjO7s4gGcFvrx2C2aRYWFvI3buRu3iwuLPTkfaQBAAAAoEMQ3AHsnfsbazWZLK2saIGAtr5eDgT0SERYlrsDYm9J29Y3N/XNzVaC9/T3D124MDoxMXLlysjExNGvfc337LPNJ987YOvevECva1vIXstmczduFG7dys3NlVdX+ekmAAAAABwMgjuAL659i4ilaeXV1fLaWnl9XVtf1wKBhq67Ox4OnrAsZ0FQ60qf3+/E99GJidEXXxx96aX+0VHnW7vujgvgC2i9DkvbLq+u5m/fzs/NFebnq9vbipRuTwcAAAAAhw7BHcCTaj+hLG27Eg6XVlbKa2va+np5fd3c2SHu4EENwygsLBQWFppfq+rgqVPN/j4xMfrSS79bBM8WGuAJtL8Um6lU/tat4uJi4fbt0sqKbZpuTwcAAAAAhx3BHcAj3F8/zXS6Pa/rGxui0XB3QHQlKc102kynM5OTzgXV63W20Iy++OLIxMTRr37Vd/Zs87lCqIqieDyuTQt0ACmEoijOohhL04oLC8XFxcKdO8U7d2rZrNvTAQAAAADuQ3AH0NS+H6ah67v2w1ia5u546FXOuyUq4XDygw+cK80tNPcW0Rz96lf7jx5tPZktNOh57WfYG7peXFoqLi6WlpeLi4tGPM57iQAAAACgkxHcgUOqPa8Ly6qEw+XV1fL6uhYIaIFANZWi6cAtu7fQKMrAiRMj4+MjV66MTkw4Fd7r9zvfIsGjB7S/INdzueLycunuXeeDwg4AAAAA3YXgDhwK7TVH2rYeiThtvRwIaIGAEYtJ23Z3QuAxarlcLZfLfvZZ82tV9Z054yT4kfHxkYmJkfFx7+Cg800SPDpc+4oYKYQeiZRWVsqrq85ntsQAAAAAQFcjuAM9R0pp22pf899u2Wjom5vl9XUtGNSCQS0UMjY3Wb+O7iZldXu7ur29c28RvJPgh8fHRy5fHrl8eWR8fHh8vH9kpPn0tr4JHLBdv/1qmUxpddW5GYYWCGihkKjVXB0QAAAAALCXCO5Ad9uVcmzD0EIhLRh0lmJroRCn13Eo3EvwmbYEP/DMM8OXLw9fvDh8+fLwpUsj4+O+M2daJ985CI/9sOv3lZlOa+vrWjisBYNaIFAJhbgfBgAAAAD0NoI70D2klEL8bjOMENVkshIOVzY2nM96JGJmMmz7BRRFUaR0FtHkZmdb17yDg/6xseEXXhh+4YWhCxeGL14cvnSpdUdWhQqPpyFtW1HV1s87Rb2uR6NaIFDZ2HBelvWNjYZhuDskAAAAAOCAEdyBTiSFUKRstXVFSnNnpxIO61tb+uamvrlZiUSMaFRYlqtjAl3GNk3ntsDtF/tHR/1jY0Pnzw9duDB04cLQ+fPDFy4cOXGi9YTd/z7isHF+2Nn2kxhhWUY0WolE9M3N5styJGKm085bjgAAAAAAhxnBHXDV/YfWFUURllWNxyubm0Y0akSjejSqb20ZsZio110cE+hhVrlcWl4uLS+3X/T6fP7nn/c//7z/3Dn/2Jj/3LmhsTH/uXNev7/1HEJ8rxGi+YLceouDlLVs1nkRNhIJY2tLj0aNWKyWydDWAQAAAAAPRXAHDoKzRb09zMlGo7q9rUej1USimkgY8bgRixnxOB0H6AR2tfrgWXhFUfpHR33nzvnPnvWdPet77jn/c885DwZOnGhfRNNs8Wyn6TwPvhorimKbprm9bcTj1e3tajJZTSSqyaSRSJipFG8kAgAAAAA8FYI7sEeklEK07/N1LtYLBSfcVLe3ze1tI5GoJpPVZLKeyxHWga5jlcvWykp5ZWXXdU9f38CpU4OnTw+eOeM7fXrwzJnBU6cGTp3yPfvs4OnTXp9v1/Ob2Zciv9ekEIoQisdz30uxokjbruVytZ2daiplptO1nR3Teby9baZSVqXC3S8AAAAAAHuC4A48GaenP3AuUlEUq1yuZTLVVKq2s2Om02Y6bWYyZiplplK1TEY0Gm6MC+BAiUbD+VnaQ7/r9fkGTp4c/MpXBk6dGjhx4siJEwMnTgycPDlw4sSRkycHnnmmf3T0IeXdedmR8sF8fNg0fx0e/SOKhq7XC4VaNlvLZuu5XC2fr2eztWy2lsvVslkzk7FKJZI6AAAAAOAAENxx6D02aUkhrFKpXiiY6XQtl6vnck6+qWWztUzGecB2dQCPZ1erRixmxGKPeoLq8fSNjh45fnzg+PH+48ePHD3af+xY/9GjR44e7R8d7Rsd7R8dPXL8eN/wcN/QUJ/f/znn4u/9gPDen11VVdW1o/RSSikV50NRFFV9onmkbBhGo1KxNM0qlaxyufnZeVAs1kslq1Col8v1fN4qlZx3DAAAAAAA4DqCO3pN6yDk7u0u97MNw9K0erFYLxSsQqHuFJxisV4o1AuFej5fLxbr+XxD01j8AmC/SSGsYtEqFvVI5HOfrHo8Xr+/b2io2d+Hh/v8fq/f7/X7+/x+7+Cgd3DQ6/N5fT7PwIB3YOC+z4OD3oEBta/P09+v9vV5+vpUr7f18fiXzQeGllIIKYS0bUUI0WjIRkM0GtK2Rb0uajVRr9v1ujBNu1ZzrtimaZtm84Fh2KbZMAy7Wm3oekPXbV1vVKuNSqVRqdimyYF0AAAAAEA3IrijMzz0COSTdR/bNJu9plJpaJpVqTQqlYauNzTN+WxpmqVpDeeYpKZZ5XKjUuE4JIAuJYVwqrSSTu/LX0BVVY+neQjd+Wi9OEspW+8KAgAAAAAADyC4H17NO8spyn3v67/3eD/2D0ghpGWJRkPU660Pu1ptnnms15snH2s1Uau1rjs9vfml88AwmociDUOYJifQAWAvSSltm6AOAAAAAMAXoEoOqR1Wdq1Wjcf35U/t/K6Ssv3cumwdkMQ++O3s7C9/85v//8orfp/P7VkAAF3v2//6ry9duvR/Xn7Z7UEAAF1vbnn5P95++//95V+eOnHC7VlwiKmqd2BAWBZvdge63ffefPPY6Oj//cM/dHuQhxiZmPD09SmccD/MvAMDw5cuuT0F9kb97t3Q1tbQlSujo6NuzwIA6HrRnZ1nL148+rWvuT0IAKDriWQytLU1cOHC0bExt2cBAHS9ZLHYOHKkw/9X5YnvjQYAAAAAAAAAAB6N4A4AAAAAAAAAwB74X4zPnOnNYUIEAAAAAElFTkSuQmCC", null, "data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAB9AAAAH0CAIAAADqtyE0AAAABmJLR0QA/wD/AP+gvaeTAAAACXBIWXMAAA9hAAAPYQGoP6dpAAAgAElEQVR4nOzdyY9kZ3rY63MienU39y/w7gIXXnlzt4Y3XnpnA4Z3hmHYgLRoGJAXMmQJhgEbhmXLkoUWDNFQqyG3rRalZpHspqTmWCNnNotzjWSOFRlDzjGf891FUhyKWTlGnO8Mz7NTVeQ5b1aroqt/8eV70hBCAgAAAAAXE0KSprGHACiFVuwBAAAAAKikkOfTwSBJ0/3PPgt5HnscgPgEdwAAAAAuIm217v2P/5EkycMf/ShtqUwAgjsAAAAAFxDCaHNz69q1JEkmvV7/rbdClsWeCSAywR0AAACAcwtJsvH888nfPB1w7ac/TdvtuCMBRCe4AwAAAHBuaZpuvPDCV//n5gsv5LNZxHkAykBwBwAAAOCcQhh3Oju3b3/1C7O9vcFbb3l0KtBwgjsAAAAA5xPyvPPKK1/tkznSe/11j04FGs6bIAAAAADnk7bbg7fffuwXB2+9FWUYgPIQ3AEAAAA4t+8G9+3337fGHWg4wR0AAACA85kOBsO1tcd+MZ9Mtt97zxp3oMkEdwAAAADOIWRZ/403HlvgfmTw1ltpmhY/EkBJCO4AAAAAnEPabg/eeefY39r58MNEcAcaTHAHAAAA4Hx2Pvzw2F/f++STgicBKBXBHQAAAIDz2f/ss2N/fbi2lg2HBQ8DUB6COwAAAADnMO50Znt7x/9eCLsffXTseneAJhDcAQAAADirkOe7H310wgt2P/44CO5AUwnuAAAAAJxVmqZ7n356wgt2P/44bSlOQEN5+wMAAADgzE4L7p6bCjSZ4A4AAADAOew94YmpRw4ePChsEoCyEdwBAAAAOKswnx8+fHjCC7LRaNzpFDYPQKkI7gAAAACc1eHKSsiyk1+zf/duyPNi5gEoFcEdAAAAgDMJWXZw//6pLzt48CAJoYB5AMpGcAcAAADgbNL04MR9MkcOHjxI2+0CxgEoG8EdAAAAgDNJW62TF7gfOfTcVKCpBHcAAAAAzuqMJ9wLmASghAR3AAAAAM7qLCfcx51ONh4XMAxA2QjuAAAAAJxJNhxO+v1TXxby/CxdHqB+BHcAAAAAzuTg4cMkhLO88vDzz0OWLXsegLIR3AEAAAA4Xciysy9nH66tJWm61HkASkhwBwAAAOB0aas1XFk544sPV1bSlu4ENI43PgAAAADOIE2H6+tnfO1wbW2pswCUk+AOAAAAwJmMzh7cV1eXOglAOQnuAAAAAJzJ2c+tj9bXz/h4VYA6EdwBAAAAOJPR5uYZX5lPp5Neb6nDAJSQ4A4AAADA6ab9fj6ZnP31h59/7pA70DSCOwAAAACnCeHwnGvZD1dXQ54vaRyAchLcAQAAADhFyPOzL3A/MlxZSdvtJc0DUE6COwAAAACnSdPReYP7OV8PUAOCOwAAAACnSFut8wb08ZmfsApQG4I7AAAAAKcbra+f7/WPHi1pEoDSEtwBAAAAON1oY+Ncrx8L7kDzCO4AAAAAnO68J9az8Xi2u7ukYQDKSXAHAAAA4BTZaDQ/ODjvV42scQcaRnAHAAAA4BQXS+fDtbWQ5wsfBqC0BHcAAAAATpTn531i6pHx5mYSwsLHASgtwR0AAACAk4QQLnbCfbS5mbbbC58HoLQEdwAAAABOkrZa43M+MfWIHe5A0wjuAAAAAJwoTUeCO8AZCO4AAAAAnOJi6XwsuAMNI7gDAAAAcIqLpfOLLaIBqC7BHQAAAIBTXOyEez6fT3d2Fj4MQGkJ7gAAAACcJBuN5gcHF/vacaez2GEAykxwBwAAAOAkl4nmo42NkOcLHAagzAR3AAAAAJ4shNHGxoW/etLpJCEscByAMhPcAQAAAHiikOeXOuHe6aQtAQpoCu93AAAAADxZmo63ti781eOtrSRNFzgOQJkJ7gAAAAA8UdpqXeaE+8RDU4EmEdwBAAAAOMllTriPBHegSQR3AAAAAE5ymVPqTrgDjSK4AwAAAHCSy5xwn25vhyxb4DAAZSa4AwAAAHCSywT3kOeTXm+BwwCUmeAOAAAAwBPN9vby6fQyVxg/erSoYQBKTnAHAAAA4Ikuc7z9yGhz01YZoCEEdwAAAACeIM/HGxuXvMblkz1AVQjuAAAAABwv5Pnlc/mk10vb7YXMA1BygjsAAAAAx0vb7QUEdyfcgcYQ3AEAAAB4gjS9fHAfd7sLmQWg/AR3AAAAAJ5oculc7oQ70ByCOwAAAABPtIDg3ustZBKA8hPcAQAAAHiiBexw7/eTEBYyDEDJCe4AAAAAPNGk37/kFUKWTbe3FzIMQMkJ7gAAAAAcLxuNsuHw8tfx3FSgIQR3AAAAAI53+QXuR8aPHoU8X8ilAMpMcAcAAADgOCGMO52FXGnS7SaCO9AAgjsAAAAAxwh5fvknph4Zb22l7fZCLgVQZoI7AAAAAMeb9HqLuU63m6TpQi4FUGaCOwAAAADHSNvthZ1w99BUoBkEdwAAAACOt6iHpi7qpDxAyQnuAAAAABxvYcHdCXegGQR3AAAAAI63qFUwTrgDDSG4AwAAAHC8RYXy+eFhPpst5FIAZSa4AwAAAHCcEKaDwcIu1e8v5lIAJSa4AwAAAHCM2d5eyLJFXW1R22kAykxwBwAAAOAYi128Pu50Qp4v8IIAJSS4AwAAAPAdIYw7nQVeb9rrJSEs8IIAJSS4AwAAAPC4kGWLPeE+6ffTlhIF1Jy3OQAAAAC+I00XHNx7vSRNF3hBgBIS3AEAAAB4XNpuLz64A9Sd4A4AAADAMQR3gPMS3AEAAAA4xmIT+bjbXeDVAMpJcAcAAADgGIsN7lMn3IEGENwBAAAAOMZig/vs4CCfzRZ4QYASEtwBAAAAOMZ0MFjk5UJY8AUBykdwBwAAAOBx8yUcSPfcVKD2BHcAAAAAHreMOD7pdkOeL/yyAOUhuAMAAADwbSGMt7YWftVJv58I7kCtCe4AAAAAfEvI80m3u/DLTnq9pCVGAXXmPQ4AAACAx036/WVcMxXcgVrzHgcAAADAt6Tt9nQJwX0Z1wQoFcEdAAAAgMdNBoPFX1NwB+pOcAcAAADgccs4jS64A7UnuAMAAADwuGXEcStlgNoT3AEAAAB4nOAOcAGCOwAAAACPW0Ycz+fz+f7+wi8LUB6COwAAAADfErJstpwyvoxnsQKUh+AOAAAAwLdMt7eTEJZx5cnW1pKuDFAGgjsAAAAA3zLp9ZZ35ZDnS7o4QHSCOwAAAADfEMJka2tJ117Gs1gBykNwBwAAAOBrIc+Xl8Un/X7a0qOA2vIGBwAAAMA3pOnygvt0MEjSdEkXB4hOcAcAAADga2mrNV1qcAeoL8EdAAAAgG+ZLC2L2+EO1JvgDgAAAMC3LPGEu+AO1JrgDgAAAMC3LPGEu5UyQK0J7gAAAAB8y/I2rc92d5MQlnRxgOgEdwAAAAC+ZXmLX0KWzfb2lnRxgOgEdwAAAAC+ls9m89Foedf33FSgxgR3AAAAAL42HQyWuvVl0u3aKgPUleAOAAAAwNeWfQJ90u+HPF/qLQBiEdwBAAAA+Bt5Pun1lnqH5S2IB4hOcAcAAADgSyHPlx3EJ4NB2m4v9RYAsQjuAAAAAPyNVms6GCz1Dk64AzUmuAMAAADwpbTVmiw5uC/7+gARCe4AAAAAfG3ZJ9CXfYIeICLBHQAAAICvLfsEupUyQI0J7gAAAAB8bdkn0K2UAWpMcAcAAADga8s+gT7b3U1CWOotAGIR3AEAAAD42rJPoIcsm+3vL/UWALEI7gAAAAB8Kczn88PDZd/Fc1OBuhLcAQAAAPjSdGengH0vk27XVhmglgR3AAAAAL40WfIC96/uEvK8gBsBFExwBwAAACBJkiQJYdLtFnAfK2WAuhLcAQAAAEiSJAl5Pt3eLuBGk8EgbalSQA15awMAAADgS8WcPZ/2+0maFnAjgIIJ7gAAAAAkSZKk7XYxO9ytlAHqSnAHAAAA4EvFpPCJ4A7UlOAOAAAAwJcKWilTyKZ4gOIJ7gAAAAB8qZgUbqUMUFeCOwAAAABfKmbZi+AO1JXgDgAAAMCXpoU8NDWfzeaHhwXcCKBggjsAAAAASZIkSQiz3d1ibmWNO1BLgjsAAAAASZIks729kOfF3GvS6xVzI4AiCe4AAAAAJElRC9y/vFevV1jcByiM4A4AAABAkoQwLfDU+XR7OxHcgdoR3AEAAABIQp5PCnli6pHpYJC0hCmgbryvAQAAAJAkRxG8wHulgjtQO97XAAAAAEjSVqvIHe5Fxn2AwgjuAAAAACRJmhYZwYuM+wCFEdwBAAAASJKCV8psbxd2L4DCCO4AAAAAJEmxEdxKGaCWBHcAAAAAkqTYNS/Tfr+wewEURnAHAAAAIEmKjeDz0SifzQq7HUAxBHcAAAAAkqTgveohzHZ2irsdQCEEdwAAAACSbDTKp9Mi7zixVQaoHcEdAAAAgGRa+HnzSa+XhFDwTQGWSnAHAAAAIJn0egXfcToYhCwr+KYASyW4AwAAADRdyPMIwX17O0nTgm8KsFSCOwAAAEDj5XmhT0xNkiRJJv1+2m4XfFOApRLcAQAAABqv1ZoW/gjT6WBQ8B0Blk1wBwAAAGi6tNUq/oR78XcEWDbBHQAAAIAI582dcAfqR3AHAAAAIMJ5c8EdqB/BHQAAAIBkUvgO94ngDtSO4A4AAABAhPPms93dJISCbwqwVII7AAAAABFWyoQsm+3vF3xTgKUS3AEAAACaLlb7Lr7yAyyV4A4AAADQdLG2u0x6veJvCrA8gjsAAABA08V6fum03w9ZFuXWAMsguAMAAAA0WwiTbjfKnaeDgeemAnUiuAMAAAA0WsjzaaQT7pPBIG23o9waYBkEdwAAAICmixXcp9vbSZpGuTXAMgjuAAAAAI2WtlrT7e0ot44V+gGWRHAHAAAAaLY0jfXQ1Fj3BVgSwR0AAACg6aKtlBHcgXoR3AEAAACaTnAHWAjBHQAAAKDpou1wj3RfgCUR3AEAAACaLtZJ82w0yieTKLcGWAbBHQAAAKDpIp40n+7sxLo1wMIJ7gAAAACNNj88zGezWHef9Puxbg2wcII7AAAAQKPFXaQ+6fWSPI84AMACCe4AAAAAjTaNesZ8OhiEECIOALBAgjsAAABAc4U8n/R6EQeI9bxWgGUQ3AEAAAAaLIRJ1OQ93d5O2+2IAwAskOAOAAAA0GBpGnmHuxPuQI0I7gAAAADNlbZacZe6xN0gD7BYgjsAAABAo0V+aGrU8/UAiyW4AwAAADRa3OTtoalAnQjuAAAAAI0W+aGpgjtQI4I7AAAAQKPFTd6zvb2Q5xEHAFggwR0AAACg0eIG95Dns729iAMALJDgDgAAANBc+Ww2Hw7jzuC5qUBtCO4AAAAAzTXb2UlCiDvDpNuNPgPAQgjuAAAAAM0V94mpR6b9vjXuQD0I7gAAAABNFcKk2409hJUyQH0I7gAAAAANFbIs7hNTj0wGg7QlUgF14L0MAAAAoKnStAyny6f9fpKmsacAWADBHQAAAKCh0nZ70u/HniIpwyl7gIUQ3AEAAACaqwyxuwyn7AEWQnAHAAAAaK4yBPdJCWYAWAjBHQAAAKC5yhC7yxD9ARZCcAcAAABorjKscxHcgdoQ3AEAAACaa1qCh6bms9n88DD2FAALILgDAAAANFUIs93d2EMkSZLMdnZijwCwAII7AAAAQEPN9vZCnseeIkmSZNLrxR4BYAEEdwAAAICGKsMTU49Mer2SpH+AyxDcAQAAABophEm3G3uIL00Gg0RwB6pPcAcAAABoopDn09KccJ9ubyctnQqoPG9kAAAAAA1VouA+GKSCO1B93sgAAAAAmihttcqzw33a78ceAWABBHcAAACARkrT8mTu8qR/gMsQ3AEAAAAaqlQrZWKPALAAgjsAAABAQ5XnXLngDtSD4A4AAADQUNPt7dgjfKk86R/gMgR3AAAAgIYqzw73bDjMp9PYUwBcluAOAAAA0FClWuRSnuP2ABcmuAMAAAA00fzwMJ/PY0/xtUlpjtsDXJjgDgAAANBEpTreniTJpNsNeR57CoBLEdwBAAAAmmjS7cYe4Vumg0EiuAMVJ7gDAAAANE7IsrKtcJn0+0lLqgKqzbsYAAAAQPOEMC1ZcJ8OBqngDlScdzEAAACAxknb7UnJdriXbac8wAUI7gAAAADNk6ZlO+Fetg8AAC5AcAcAAABoorIFbifcgRoQ3AEAAACaqGyBu2wn7gEuQHAHAAAAaKKynXAv2zwAFyC4AwAAADRR2U6Uzw8P89ks9hQAlyK4AwAAADRR2VbKJCHMdnZiDwFwKYI7AAAAQOOU8zj5pNeLPQLApQjuAAAAAI0z3d6OPcIxxt1ukuexpwC4OMEdAAAAoHHKeZZ82u8HwR2oMsEdAAAAoFlClpUzuE/6/aSlVgEV5i0MAAAAoGFCmJYyuE/7/VRwB6rMWxgAAABAs6Tt9qTfjz3FMSaDQewRAC5FcAcAAABomDQtZ3CflnIqgLMT3AEAAAAaZ1rKs+Tl/BgA4OwEdwAAAIDGKWfaLufHAABnJ7gDAAAANE45l7fY4Q5UneAOAAAA0DjlTNvZcJiNx7GnALg4wR0AAACgcUq7vGW6sxN7BICLE9wBAAAAmmW2txeyLPYUx5t0u7FHALg4wR0AAACgWUp7vD1Jkkm3G/I89hQAFyS4AwAAADRJCGU+RT4dDBLBHagswR0AAACgQUKeT3q92FM80aTfT1qCFVBV3r8AAAAAmmXS78ce4Ykm/X4quAOV5f0LAAAAoEHSVqvUO9xLfPoe4FSCOwAAAECTpOmkxMF9WuLT9wCnEtwBAAAAmqXMp8jLvO4G4FSCOwAAAECzlDm4O+EOVJrgDgAAANAsZY7aZd4vD3AqwR0AAACgWcq8tiWfz+f7+7GnALggwR0AAACgQUKWzfb2Yk9xkjJ/HgBwMsEdAAAAoEGm29tJCLGnOMl4a6vkEwI8ieAOAAAA0CBlfmLqkUmvF/I89hQAFyG4AwAAADRGnk+2tmIPcYoyP9MV4GSCOwAAAEBThBDKvyF90u+n7XbsKQAuQnAHAAAAaIw0rcBKmdJ/JADwJII7AAAAQFOkrVb5c7aVMkB1Ce4AAAAADVL+nF3+M/gATyK4AwAAADRI+XN2+c/gAzyJ4A4AAADQIOXP2eX/SADgSQR3AAAAgAYpf3CfHx7ms1nsKQAuQnAHAAAAaJDpYBB7hNOEUIEhAY4juAMAAAA0xfzwMJ9OY09xukm3G3sEgIsQ3AEAAACaoirr0cdbWyHPY08BcG6COwAAAEAzhDDZ2oo9xJlM+v1EcAcqSHAHAAAAaISQ5+OKrGqZ9Hppux17CoBzE9wBAAAAmqIqK2WmvV6SprGnADg3wR0AAACgEdJ2uyrBvSpzAjxGcAcAAABoikm/H3uEMxHcgYoS3AEAAACaYlqRkF2VDwYAHiO4AwAAADRFVU6OV2VOgMcI7gAAAABNUZWQPdvdDXkeewqAcxPcAQAAAJqiKsE95PlsZyf2FADnJrgDAAAANEI2GmXjcewpzmrc7cYeAeDcBHcAAACARqjWk0gnnU5iqwxQNYI7AAAAQCNMtrZij3AO417PGnegcgR3AAAAgPoLWVatJS2TXi9pKVdAxXjbAgAAAGiESbWCe7ebCu5A1XjbAgAAAKi/tN2e9HqxpziHak0LcERwBwAAAGiEyp1wjz0CwLkJ7gAAAACNUK0z49WaFuCI4A4AAADQCNVK2E64A1UkuAMAAAA0wrhSCXu2txeyLPYUAOcjuAMAAAA0QrVOuIc8n25vx54C4HwEdwAAAID6mx8e5pNJ7CnOx1YZoHIEdwAAAID6q9bx9iPjTifkeewpAM5BcAcAAACouxDGnU7sIc5t0uslgjtQKYI7AAAAQM2FPK/iepZxt5u227GnADgHwR0AAACg/qq4UmbS7SZpGnsKgHMQ3AEAAABqLm23q3jCvYofEgANJ7gDAAAA1F8V43UVPyQAGk5wBwAAAKi/Kgb38dZW7BEAzkdwBwAAAKi/KsZrJ9yByhHcAQAAAOqvivF6Phzmk0nsKQDOQXAHAAAAqLsQJv1+7CHOL4QqbsIBmkxwBwAAAKi56c5OyLLYU1zEuNNJQog9BcBZCe4AAAAANVfFBe5HxltbIc9jTwFwVoI7AAAAQJ2FPB93OrGnuKDqflQANJPgDgAAAFBreT6pbLae9Hppux17CoCzEtwBAAAA6ixtt8fdbuwpLmhS2cmBZhLcAQAAAGotTat7wt1KGaBaBHcAAACAmpv0erFHuCAn3IFqEdwBAAAAaq6658Sr+1EB0EyCOwAAAEDNVfec+KTXS0KIPQXAWQnuAAAAADVX3eAesmy6vR17CoCzEtwBAAAA6iwbj+fDYewpLq66+3CABhLcAQAAAOpsUvFgPdrcDHkeewqAMxHcAQAAAOorhNHmZuwhLmWytWWNO1AVgjsAAABAbYU8r/pKlnG3m7YkLKAavFsBAAAA1Feajjud2ENcyrjTSdI09hQAZyK4AwAAANRW2mpV/YR71XfQA40iuAMAAADUWdWDddU/MAAaRXAHAAAAqLOqB+uqzw80iuAOAAAAUGdV3+E+7fWSEGJPAXAmgjsAAABAnVV9pUw+n093d2NPAXAmgjsAAABAbWWj0Xw4jD3FZVX9MwOgOQR3AAAAgNqqxwL00eZmyPPYUwCcTnAHAAAAqKkQxo8exR5iAcadjjXuQCUI7gAAAAD1FPK86k9MPTLudNKWigVUgLcqAAAAgJpK03qslBl3Okmaxp4C4HSCOwAAAEA9pa1WbU64xx4B4EwEdwAAAIDaqkeqrsd3ATSB4A4AAABQW/V5aCpAFQjuAAAAALVVj1Q9HQxClsWeAuB0gjsAAABAbdUjuIc8n/T7sacAOJ3gDgAAAFBPs93dfDaLPcVijDc3Y48AcDrBHQAAAKCeRrVY4H5k9OiRrTJA+QnuAAAAADUU8rxOp8LrsRsHqD3BHQAAAKCOQhjX6IT7uNNJ2+3YUwCcQnAHAAAAqKG01RrV6FS4E+5AJQjuAAAAAHWUpnWK1HU6rQ/UmOAOAAAAUE91itR1egAsUGOCOwAAAEA91eqEe42+F6DGBHcAAACAeqrTqfBsOJwfHMSeAuAUgjsAAABADeXT6Wx3N/YUi+SQO1B+gjsAAABADY07nSSE2FMs0nB9PeR57CkATiK4AwAAANROCKP19dhDLNh4czMR3IFyE9wBAAAA6ibk+WhzM/YUCzbudNJ2O/YUACcR3AEAAABqJ03r9MTUI6NHj5I0jT0FwEkEdwAAAIC6SVutce2C+7h2Z/aB+hHcAQAAAGqofsG9fmf2gfoR3AEAAABqqH55etzpxB4B4BSCOwAAAEAN1e+E+2xvL59MYk8BcBLBHQAAAKBuQpZNB4PYUyxaCPU7tg/UjOAOAAAAUDfjbjfkeewpFm+4tpaEEHsKgCcS3AEAAADqJYTR+nrsIZZivLlZyw8SgNoQ3AEAAABqJeR5XYP7aHMzbclZQHl5hwIAAAColzQdbW7GHmIpRpubSZrGngLgiQR3AAAAgFpJW606B3eAEhPcAQAAAOpmXNMwPd7YiD0CwEkEdwAAAIC6GdY0TDvhDpSc4A4AAABQN3U9CT4/PJwfHsaeAuCJBHcAAACAWsmn0+nubuwplsUhd6DMBHcAAACAWhk/epSEEHuKZRmtrYU8jz0FwPEEdwAAAIAaCeFwdTX2EEs02tys8ccJQNUJ7gAAAAD1EfJ8XOulK6ONjbTdjj0FwPEEdwAAAID6SFutem85H66vxx4B4IkEdwAAAIAaSdPRxkbsIZao3t8dUHWCOwAAAECtjGp9Brze3x1QdYI7AAAAQK0Ma30GfNzphDyPPQXA8QR3AAAAgFqp99KVkGWTbjf2FADHE9wBAAAA6mO6vZ1PJrGnWK7h2loSQuwpAI4huAMAAADURxNWnI/W122VAcpJcAcAAACoiZBlw9XV2FMs3XB9PUnT2FMAHENwBwAAAKiLNB024YT7xkbaErWAMvLeBAAAAFATaatV7yemHmnC2hygogR3AAAAgPpoQoxuwvcIVJTgDgAAAFAfwwaccG/C9whUlOAOAAAAUB9NWCmTDYez3d3YUwAcQ3AHAAAAqInmlOjh6mrsEQCOIbgDAAAA1MRwfT0JIfYURThcWQlZFnsKgMcJ7gAAAAB1ELLs8IsvYk9RkNH6epKmsacAeJzgDgAAAFATw7W12CMUZLi2lrZ0LaB0vDEBAAAA1EHabo+aFNxjjwBwDMEdAAAAoCaa8yjR5ny0AFSL4A4AAABQE8P19dgjFGS4sRF7BIBjCO4AAAAANdGcc9/ZcDjb3Y09BcDjBHcAAACAOpgfHMz292NPUZzDlZXYIwA8TnAHAAAAqIPmLHA/cvjFFyHLYk8B8C2COwAAAEDlhSxr2onv4cpK2pK2gHLxrgQAAABQfWk6bFpwX1tL0jT2FADfIrgDAABQFyHEngCiSVutBp5wjz3CwoQs8w4G9SC4AwAAUHEhJEky6XZ3Pvww5LmdzjRWnQL0WdRkZ30I84ODrVdfHW1sxB4FWIDvxR4AAAAALiGEJEk++g//4eEPfxiy7P/6W3/r//vBD/7vv/23LZqggZoW3EebmyHL0nY79iCX0r127a1f/dVsOGx973v/z6/8yv/7/e/Hngi4FCfcAQAAqLI0vf2bv/ngf/7Po4Ptw9XVm//knxw8eOCcO00T8rxpR6RDlo0fPYo9xcWFLNv+5S/f/Jf/MhsOkyTJ5/M7v/d7n/3O78SeC7gUwR0AAICqCnm+fuXKFz/+8Td/cX5w8OY//+dhPrcQmUYZdzr5fB57iqIdPHyY5HnsKS4ihJDPZu/9q3+VT6ff/PW7P/hB79atUM1vCkgEdwAAAKoqhGw8/ug//sfv/s7hysrdP/gDW2VokBAOHz6MPUQEw9XVUM2P1tI0/fS3f/u7z7kNef7Lf/2vw2wWZSrg8gR3AHJ3lLkAACAASURBVAAAqilN7/7+70+63WN/8/5TT423tpwSpSFCnn833TbB4RdfVHGH+9H+n8//1/869ndHm5v3n3qq4JGARRHcAQAAqKAQZvv7n//Jnzzp97PR6N4f/EHa8j97aYS03W7aE1OPHH7xRewRLiJttT757d9+bJnMN93/wz+c7e/biwVV5F8eAAAAVFCaPnjqqfnh4QkvWXn66dnenmJFQzTzhPuwgsE95Pno0aON558/4TWz/f2HP/xhURMBiyS4AwAAUD35bHbC8fYj2XD48I//2CZ3GqKiZ70v6XB1NfYI55a2Wg+eeipk2ckv++LHP7YUC6pIcAcAAKBiQp6vP/fcdGfn1Fd+8b//t2JFQww//zz2CBFkw+Gk3489xflko9HKT35y6svGW1sbP/+5dzCoHMEdAACAiklbrVOPtx8Zdzqdl18+9SQpVN10MJgPh7GniOPwwYNQnc1RIc/Xrlw5eR3WV7748Y89iAIqx19aAAAAqiTk+f6dOzu3b5/x9Sv/5/+k7fZSR4LIQjh48CD2ENEcPHyYVOdDtbTVOsvx9iODt98ebWx4EAVUi+AOAABAlaSt1uqf//nZC9TW1auV2zgB5xLy/LCR+2SOHH7xRfq978We4kxCnh/cu3f2zwtDnq8+/fRSRwIWTnAHAACgUkJYf+65c7w8y9affdYeZGosbbcbHtxjj3BWaau18vTT5zqxvvbTn3ryM1SL4A4AAEBlhCzr3rw57nTO9VXrzz5rDzL1VqHovHDV+t43fvazc73+cGVl54MPfGQIFeIfHAAAAFRG2m6vP/vseb9q54MPhqurFXqsIpzXQYNPuA8r8r2HPN9+773RxsZ5v3DjZz/zkSFUiL+uAAAAVEbIskcvvnj+Lwvrzz1nKQM1VpXovAzz4bASz2lIW61zrcP6yuYLLyx8GGB5BHcAAACqIWRZ79at2c7OBb5286/+yh5k6mo6GMyHw9hTxHRw9+65FqPHsvmXf3mBrxqure1++KGtMlAVgjsAAADVkLbbGxc96bn70UfjTqcSSQ7OJ4T9e/diDxHZwcOHZe/Ref7lu9CFbLzwgq0yUBX+rgIAAFARIXQusE/mb7524+c/t8ad+gl5fvDgQewpIjt48CBtt2NPcaI03fyrv7rwV1/8rQ8onOAOAABABYQ837l9e9LrXfgKj37xC0dEqZ+03RbcDx8+jD3CadL0MtF8//794eqqn9GBSvBPDQAAACogbbUe/eIXl7nC9jvvzA8PFzUPlEcFcvOSHZT8TyCE0ebm3p07l7nCo7/+az+jA5UguAMAAFANj1566TJfns/nnVdeCVm2qHmgJJxwH66ulvmvdgjh0S9+ccnz6Y9eesnP6EAl+IsKAABABYw2N/fv3r3kRbZeeaXsi57hnEKWDVdXY08RWciy4dpa7CmeKG21tl599ZIX2X7nnWw4XMQ4wHIJ7gAAAJRdyPPOyy9ffn/x1quvWoJMzQzX1sp8uLsw+3fvlvbPIZ/N+m+8cdmLzOdbr71W2u8R+IrgDgAAQNmlrVb36tXLX2e6s7Nz+3aS55e/FJRByPPL/+RHPRzcv5+kaewpjhGyrHfjRjYeX/5SW6+95md0oPwEdwAAAMouZFnv1q2FXGrrtdfKWeXgYjwx9cjBvXvlXHGetttbr722kEttLeJzR2DZyvhOBAAAAF8JeT5466354eFCrrZ19argTm2krdb+vXuxpyiF/fv3Y4/wRIsK5eNOZ+/TT4O9WFBugjsAAEC9fLvF1GDhb9pqLfBc587t24tq91AGByUOzUUq7Z/DaHPz8IsvFnW1ratXfWAIJSe4AwAA1EfIsnw+/+x3fufFv/t3X/g7f+fNf/EvDj//PPZQC9C9dm1RlwpZ1r16tQafQ8CRAyfckyRJkvnBwaTXiz3F40KeL/ZZzd1r1/yMDpSc4A4AAFATIctme3vX/+E/vPP7vz/a2JgfHHReeum1f/APOi+/HHu0S5nt7Ox9+ukCL7h1/boHD1IP035/tr8fe4qy2Pvss1CyRyIv9gd0kiQZvPNOPp0u8ILAwgnuAAAAdRBCCFn2xj/7Z7sfffTNX8+n07d/5VcGb71Vtg51RiHLtq5dW+zwvRs3Fng1iCbP9+7ciT1EiRzcv7/As+QLEfK8v6AHPh/JJ5P+66/7GR0oM8EdAACgDtI0/eC3fmvn9u3v/lY+m73z/e/P9/er2NzTdrt7/fpirzlcXR2try/2mlC8EML+3buxpyiRg3v3yvXDK3m+c/v2wn8Ewc/oQMkJ7gAAAJUX8rx7/frKn/3Zk14w7nRu/9t/m7Yq+b8BFx7ckyTZssad6kvb7dI+KTSK0n38kKYLfP7EV/yMDpRcJf+xBQAAwLfk+e3f+I2Tdyls/PznvZs3K3bIPYTDzz8fP3q08At3b9xwRJQa8MTUb9ov24KdNO0uIY7v37kz29lZ+GWBRRHcAQAAKi6EB3/0R8PV1VNf9sG/+3dpmhYy02KEEBb7vMGv9G/dKtuuZ7iA0p3pjmq6szMdDGJP8bVsPN55772FXzbkeffGDT+jA6UluAMAAFRZCPPDw7s/+MFZXntw797qX/xFhQ65p61W7+bNZVx5urOz9+mnQXOnyma7u5N+P/YU5bL7yScleYsLWda7dSufz5dx8e7Nm35GB0pLcAcAAKiyNL3/1FOzvb0zvvyz3/3dKp3sDqH/xhtLunb3+vUq/VHAY/J875NPYg9ROuXZKpO220v6vDCxxh3KTXAHAACorBCy4fDhH//x2b9itL5emUPuIex8+OHZP0s4r+7NmxV9iiwkSRKSZK80cbk89u/cKc/f6+Vl8eHq6mhzc0kXBy6pLO9BAAAAXMDDH/3ovEn6/h/+YVU2uXevXVvexQdvv20JMtWVtlr7n30We4rSKc9S++nOzlI/Eeleu+YdDMpJcAcAAKiqkOcPf/Sj837Vwf37j158sQKlJk2Xt5AhSZJsONx+991qHPaH45RnfUp5lOTPJGTZspdW9W7dssYdyklwBwAAqKSQ5xs/+9m407nA1z74oz8qf6nJZ7PBu+8u9Rbdmzerctgfvqs8p7nLY354ONrYiD3Fche4H+ndurXU6wMXJrgDAABUUtpqPfjhDy/2tf033zy4d6/Mh7tDng/efjufTJZ6l96tW4ngTjWNt7Zm+/uxpyij3Y8+KsNP8Cw7uE+63YMHDzz5GUpIcAcAAKiekOd7n3yyc/v2Rb8+PPjhD8vzaMHvSlut5T1v8Cs7v/zlsps+LEPI892PPoo9RUntffJJ9De30cbGcHV12XfpXr8eBHcon/L+6woAAIAnSVutz//kTy5ztnH9ypVsPF7gSAtXwMKEfDbrv/lmGQ7Dwrmkabr38cexpyip3U8+ifuTKyHLlvrA56/0bt6M/tEC8F3+WgIAAFRPNh6vP/fcZa4wHw7Xr1wp7VaZbDjc+eCDAm7UvXGj/Ovs4XFpuvfpp7GHKKm9Tz6JO0ABC9yP9N94w0oZKCHBHQAAoGJCnq9fuTI/PLzkdVZ+8pNyno4MWda9ebOYg+cePEhF7cbOyqU1Wl/PRqO4M/Ref72Au8z29nY//thWGSibMv7TCgAAgBOkrdbqn//55a+z/f775Xx0amHnQ5Mk2fvkk/nBQTH3gkXJxuPhykrsKUrq6BEX0TJ0CPt37056vWLu1r1+3XOfoWwEdwAAgCoJIQxXVgbvvruQa608/XQ5D7kXFtxDlvWKOk0PixHC/mef+X/aE+x+9FES6aPEEEL3+vXCbte7dSvuwnrgu8r47yoAAACeJE3TlaefXtTe3vUrV0q4Ani6vb1/715ht+vevGmNOxUS8nzXE1NPtPPhh7H+UqetVu/GjcJuN3j7bR+9QNkI7gAAABWzfuXKoi413trqXrtWql4Tsqx79WqRHwNY4061pO224H6y3Q8/jHXrkGX9N98s7HbZaLT97rsl3AwGTSa4AwAAVEbI88Hbbw/X1hZ4zdW/+ItSne9O2+1uUftkjhzcvz/p94u8I1zS7gcfxB6h1Pbv3s1ns+LvG/J85/btyz/R+ly6N26UczMYNJa/kAAAAJWRtlqrP/3pYq/56MUXs/F4sde8pMIWuH8phLId84cThCzb++yz2FOUWsiyvY8/Ln5fVpqmRS5wP1L0GyZwGsEdAACgMsJ8vvnCC4u9ZjYabb7wQllycwiHKyujjY2Cb9uzxp2qCGH/zp18Oo09R9nt3L4dYdFKmnavXSv4njvvv1+2D02h4QR3AACAaghZ1nnlldnu7sKvvPbMMyXJzSGE4nNV4ogo1RHyfPv992NPUQFRnpuajUY7hf+nk8/nvVu3yvKhKSC4AwAAVEXabq8/99wyrty7dWu6vb2MK59X2mpFCe6jzc3h6mrxCyjgvNJ22wL3s9i5fbvgO4Ys6964kc/nBd83SZLejRsl+dAUSAR3AACAqsjG487LLy/jyiHL1q5cibB+4buT5Hn/9dej3Hrr6tUguFMFO4L7GRzcv5+NRkXeMW23ezduFHnHr/gZnW/+95fD/kQnuAMAAFRAyLLNv/zL5fWj9StX0lbk/4UY8nzn/fdn+/tR7t69di36nwCcKp/N9u/ciT1FBYQs237vvYI/R9yK8QM6SZLs3bkz3dmJcuvojj4oHa6sfPa7v/vu97///r/5N+vPPpvPZn5iiYj8YwIAAKAClrdP5sjOBx8MV1fjHvFO03Tr6tVYd++//noZzvjDSULY/fDDfDaLPUc1bL/3Xpqmhd1utLl5+Pnnhd3uW0LoXr3awJPdIcvy8fj9X//1l//+37/ze7+3/vzzK3/6p+/92q+99Pf+3uZf/3Xs6WguwR0AAKACZvv7vevXl3iDENauXCkuTR0rTZf7PZ5otr+/c/t2orlTYiGE7XffjT1FZWy/915SVHAPWbb16qsRT1V3r11r2hr3kGXT7e3r/+gfrfzkJ4/9yY87nbd/9Vc/+2//LdZsNJzgDgAAUHYhzzd+9rNlP4tv/bnnCotTx5ofHGy//37EAbrXrsX9E4CTpa1W3L8j1bL9y18Wdq+03Y74AzpJknQjrY+PJWTZfH//xj/+x3uffvqEV4Q7//2/f/pf/2uxc0GSCO4AAADll7Za688+u+y7HNy7t/fpp7HWqoQs23rttbgrEQR3ym/7vfdij1AZ0+3t4epqMfcKed6/dauYex1r3Okc3L/fkMXlIYSQ56//03966g6fuz/4wcqf/mkhQ8HXBHcAAIByC2HS6w3efruAW60980ysB4dGPx+aJMn2L385PzyMOwOcYNrvjzY3Y09RJb3XXy/gY7yQ59vvvhvrgc9f2XrttbjP4ShMmqbv//qv73zwwekvDeGD3/qt4h+fS8MJ7gAAAKUWQlh/7rlijn5vPP98AXd5ku61axHvniRJyLLutWsNfPAglRCybPDOOw05wrwogzffLGCzedpqdV5+edl3OVX32rVYn5gWKoSVP/uztZ/+9Iwvz2ezd77//Ww41NwpTAP+HgIAAFRZ2mqtP/dcMfcabW4O3nqr+OIcQti/c2fc6RR83+/aat6DB6mKtN3uF/KTLnXSf+utYm609eqrxdzoBP0338xns9hTLFfIstHm5kf//t+f66tG6+u3f+M3GvFpBOXg/9UAAABKLITRxsbO7duF3XDtypXii3OaJI9efLHgmx6rG3utDZxgUFQ+ro3h2tqk11v2XcZbW3t37iz7LqfKxuP+rVv1/hmdtN1+79d+7QK7v9aff/7Riy865E4xBHcAAIBSW3vmmSKXSGy+8EKEXpOmZVjIkCTJaGOjOQ8epFryyWTv449jT1E1ISx7jXvI887LL5fkTaPz6qt1/hmdEFZ+8pP+G29c7Gs/+M3fzCeTkvwnRb0J7gAAACWWpoXtkzky3dnZeu21gpv7bHe3yFP8JytJ+odvCnk+ePfdfD6PPUj19F9/fakNOm21Oi+9tLzrn8vWa6/FHmFZQgiz/f2P/9N/uvAVxp3Op//lvyRpusCp4FiCOwAAQFmFcHDv3n7hmwrWnnmmyDOSIcs6L79cnjUInVdeUWQomzRN7ZO5mN7Nm0u9fj6ZLPsWZ3f4+efD1dVaHuJO0/ST//yfZzs7l7nIwx/9aP/u3fL81w11JbgDAACUVZquPfNM8bftvPRSNhoVdru03S7VofLtd965wIJgWK407b/5ZuwhKulwZWX86NGSLh6ybOvq1Ww8XtL1L+DRL37x/7d3/8FRlfcex8+zC1yt9rblXudqvXbm4rR/1LZj/aP/tNO540ztjDpqdXrt9IfV6si0MtJaOx1bOmirwlQZQWyKggomw68AAQYChF8SCGRJQoAk5AdJyI/NZrObTTabTfbn8zz3jyj1BwJJztnn7Ob9mvyDkud8kuw5G77P93yPLriCu5ZytK2tZ9Om6a/T9Le/FfLUHbgDBXcAAAAAcC//zp25P6hMJgO7d+fs4XI6m3XVGASVzeZ+qA5weSqTGa6vN50iP2kdqqx06IwWXq9LHvh80cChQ8JTaOU+4fU2vfiiLT/EcFXVwOHDPD0Vjiq0MxAAAAAACoNWaqiuLtHXZ+Tovdu25aZko6UMHzvmto7ygUOHaIGEe2ilhuvqXNVGnV8Gjx936ozWOnT4sCMrT9VQTY0cHzedwk5aynBlZbiqyq4Fm5cuFcwNg5MouAMAAACAGwmPx8g8mQlDNTWJ/v4cDAIWXm///v1OH2Wy6H+EqwiPJ+yaKeH5aPD4cSeuZlrKyMmTqUjE9pWnQ2WzA4cPF9I9OsLjmc6zUj9ttL29p7S0ICfdwyUouAMAAACAG2kpA+Xlxo6uVO+WLTk5kh44eDAXB5qMTDQ6VFtLzR3uETlxwnSEPJaKRKKNjbaf0cLrNXiVvozggQMFc4+OVsq/Y0espcXeZVuXL1fZrL1rAhdRcAcAAAAA19FSBg8cyESjBjP0bt1qOXzTvZYyUlubCocdPcrUBPfvL7w5yMhTMpmMnj1rOkV+Gzh40P4zWutgRYXNa9ohVEgd7lq3Ll9u+6rJgYELa9fS5A6H8NsDAAAAALiO8Hr927aZzTDe2xuprna0aiO83sDu3c6tPx1B9w26wcw08ZwDunGnaeDQIXsX1FIOnTqVDIXsXdYWmdHRwePHC6HmrnX3+vXjvb1OrN2+apVMJKi5wwkU3AEAAADAdTKxWOjIEdMprO5Nm5ydS6B1/969Dq4/DeO9vbGWFoupMjBNeL1uuBrku5Fz5+wdtu6GbdHL6K+oKICpMiqTOV9U5NDi6Wi0/a23nL6RCzMTBXcAAAAAcBmte7duVZmM6RxW/7592XjcocW1lJGaGnfOk5kQKC+3mCoDFwgfPWo6Qv7TOlhRYeMYd53NBvbssWs12wX378/73m2tO9eudfQegs53383EYnn/jYL78KsDAAAAALiMEDl6YOmVqFSqp7TUoWKE8Hr927c7sbJd+vftMx0BM57WY93dDo3UmGkC5eV2jXHXUg4cOpQZGbFlNSekwuFITU0eT5XRWiaTHW++6ehBsvH4+aIimtxhOwruAAAAAOAiWqmRc+diLS2mg3yge/16h4oRKpPpd3F/qGVZ8fb2eGenpvkR5mitbR8+PmNFfD67SuTC6+0tK7NlKecEdu3K46kyQnSsXp12/snhXcXFqUjExlsfAIuCOwAAAAC4ivB4ejZtMp3iX+KdnYMOPDpVSxncvz8Ti9m7rO3827cLmh9hjvB4eH6vXbSU/Xv22FBa1To9PBxy/UZI/759+TosRevM6GjH22/n4FAymWx7/XW7bn0AJvB6AgAAAAAXUalU344dplN8zIV162xvkxRer9/1/aGWZQV27TIdATNaJhYbqq01naJw9O3aZUtptWfzZpXNTn8dR6UGB53YLs0FIdqLipx7gsgn9GzalOjvp8kdNqLgDgAAAABuoZXy79iRGR01HeRjBg4eTAQCdhYjtE4ODISOHLFtQceMdXePNDZSiIEREzeC5GXB1K0iPl8iGJxu37cQrroP6TL8ZWV5N1VGK5UeGrpQXJyzI6pMpvW112hyh414MQEAAACAWwiPp3vjRtMpPklL2fnOO3YWI4To3rAhX8qI/rIyCjEwQni9wYoK0ykKilaqd/Pmaa0gZbiycqy7265Ijurft09lMqZTTI7weFpXrJCJRC4P6t++fayri71V2IVfGgAAAADAFbSUI42N0TNnTAe5hJ7S0uzYmF3jgLVSPdOreeWSf+fOfNkbQIGR4+Oho0dNpyg0vVu3TufThdfb8c47doVxWjYe79+3L4+uYFqpRCCQ+xsItJTNr77K3irswisJAAAAAFxBeL2da9eaTnFp2Xj8wrp1tiyllQqUlycHBmxZLQfSQ0PBAwfyqGKFwqClDJSXq1TKdJBCM+73Dxw+PLUzWisV7+wMHztmeyrn+LduzaOpMsLjaVm2zEhXfv/evSNNTVzqYQsK7gAAAADgAlpnotFAebnpHJ/pwtq1thRBhMfTuWbN9NfJpd4tW/KoYoXCILzevp07TacoTB1r1kztjBYez/miIrvu9cmNcFVVcmAgLzJrKUdbW4297LU+t2QJl3rYgoI7AAAAALiAEBeKi93czZqKRLqKi6dZtdFSDtXURBsa7EqVG6EjR5KhUF5UrFAgtE4PDw9WV5vOUZgiJ0+ONDVNdmC3Vmq8tzfvdkG0lPkywkt4vU1LlxocpD544kSospJJ7pg+Cu4AAAAAYJ7KZLqKi02nuILz//ynTCanU3cWXm/bG2/YGCk3tJRdJSWWEKaDYAbpKS1luoVTtG5dsWKyA7snHuaZjz+UntJS0xGuTEsZPno0XFlpNsa5JUsEl3pMGwV3AAAAADBMK+XfujUViZgOcgXp4eH2VaumXHfWUg7V1YWrquxNlRs9mzfnY6EN+UqIfOlKzlMDhw4Nnzp19Se1ljLW3Jx37e0TEn19wYMHXX4FEx5P08svm05hjba1dW/cyP1MmCYK7gAAAABgmBCiffVq0ymuSsfbbyeCwandcS+83pZly/K0kJEKhwPl5YwaQA5oKSM1NWMXLpgOUtC0Prd06dUP7BZeb8MLL7i8Zn0ZF95919XTybXu3rBhtK3NdA7LsqzW117LJhJ5+lYFl6DgDgAAAAAmaaX8O3aMdXWZDnJVZCLRuHjxZEcxWJallerfty/i8zmRKjc61qyZwhcOTJbwervXrzedovAN1dVdbS+z1j2lpUM1Nc6Hcsqgzzfa1ubOLUOtdXZsrGXZMtNBPpCKRFqXL2eGGKaD3xUAAAAAwCQhxPmiItMpJiF48GD/3r2TK9xoraU854JxAdMx0tgY8fnyt8UV+UHr1OBg/549pnPMCM1LlyZDocuf1FrKcb+/6a9/zVkqR2h9ftUqd24ZCiGaX3klHY2aDvIvXevWxTs6uNpjytx4pgEAAADADKGV6t22Ld7RYTrIZGh9dtGizMjIJGruQrS8+uq43+9krFxof/NNV49lQAEQ4sK6dSqTMZ1jRsiMjtbMn6+ltD7jaqallMlkza9/nR0fz3E22wV27Ur09bmtyV1LOdLU1L1hg+kgH6Oy2bN/+QtXe0wZBXcAAAAAMEZL2bp8uekUk5YeHq5bsMCyrKuZxqCVivh8ne+843gs54UqK0caG2l7hHNUKuW24mNhizY01C1cqLX+9HmtpVTptO/RR2PNzUay2UtL2VZU5LYmd+HxnPnTn1x4UY34fL1btjDJHVPjrtMMAAAAAGaUC2vXJgIB0ymmYrC6uvGFF6445VZLmQqHT/32t25rq5wirVtee422RzhF6wvFxenhYdM5ZpZgRUX1I49k43HLsiauVBP133hHR+V99w2dOmU4n338W7e6rcm9Y82akcZG0ykurWnJknQ06qpvF/IFBXcAAAAAMEArlR4ebnvjDdNBpq6rpKT5lVcs6zP73LWU2fHx6l/+MhkK5TSZk0JHjgyfPu3CfkwUAJXNdqxZYzrFTDRYXX3g+99vfuWV8LFjsebmYEVF3dNPH7n33nhnp+lodlKZTPOrr7qkyV1LOd7b27pihekgnykTjZ5dtMgl3y7kF140AAAAAGCA8HjOLVky0VOZv9pXrTq7aJGW8pMFaK0tyxr3+4/ef//o+fNmwjlE66YXX6TJHfbTuuu991LhsOkcM1Q2Hm9ftcr32GNH7r23dsGCwO7dBbmvFti1K9bc7IovTYhTv/udTCRM57ic/r17+3buZLAMJouCOwAAAADk2sRY895t20wHsUH3hg2VDzwQPnr0o/8xOzbWunz5kXvuGevuNhXMOcP19YHdu5kzABtprbNjY21FRaaDoMBppRoWL3bDlmHbypXD9fWmU1xZw+LFiWDQFVsUyB+zTAcAAAAAgBlGay3lmeeeK5imuVhzs+/xx6+58cYvfuMb3muuSYZCw6dOqWzWdC4HNb300n/deaf3mmuuOMUeuBpCiNYVKzLRqOkgKHxDdXX+srKbH3hAGLp8aaWGTp48/49/GDn6ZGVisboFC767ebOlNRd8XCU63AEAAAAgt4Roeumlwmv9TgaDwQMH+nbtipw8WdjVdsuykgMDzX//O8UX2EJLGWtp6XrvPdNBMFM0vfxydmTEyG06Wsp0JFL39NN51DM+fPr01TwkHLiIgjsAAAAA5I5WKvT++10lJaaDYLq6Skoi1dUMlsH0CY/n9B//WPDbVHCP9NDQGROPA9VK6WzW9/jjqUgkx4eepq7163s2bjSdAnmDgjsAAAAA5IiWMhkM1v/+9wUzTGYm00qdeuaZbDxOzR3T1LpixUhjo+kUmFn69+zp2bw5l0fUWgsh6p5+eqSpKZfHtYfWDYsXh48e5e0bV4OCOwAAAADkglZKZTInn3wyzZjmQpEcGKh96inLsijBYGq0UoMnTpznWakwofGFF0bb2nK0Zai1EOLMc88FDxzIxeEcoLLZ2qeeip49yyYrqs9ICwAABQ1JREFUroiCOwAAAAA4TitlaV3z5JOx5mbTWWCnwePHme2LqdFSJvz+ugUL8miYNQqJTCZ9v/pVOhJx+hWotbaEOLtoUU9pqaMHclp2bKz60Udj586xyYrLo+AOAAAAAM7SSllK1f7mN+GqKtNZYL+ukpK21183nQJ5RkuZicWqH3uMW15gUKK//8QvfpEdHXWu5j7xDlj/7LPdGzY4dIhcysRix3/2s0htrekgcDUK7gAAAADgIC2lSqd9TzyRv/fR44paX3+9beVKy2K2DK7KRLX9+E9+MtbVZToLZrrR8+erHn44HY06MSlFK5UdG/M99pi/rMz2xU3JxuPVjzzywVfENR+XQsEdAAAAAByjdTIUOvbgg+GjR01HgZO0bl2+vOH557XWjPfF5WmlEn19xx56aLS93XQWwLIsa7S9vfK++0bb2uxcVGvLsqJnzhy5557Cu7tLpdP1f/hDw/PPq2yWkVD4NAruAAAAAGC/iapr3+7dR+6+O9baajoOcqGruPjEz3+eHhqi5xGXpLW2LCt0+HDlj3401t1tOg7wL8lg8NhDD3WVlFiWNf0KslZKplJNL79c9fDDib4+OwK6j9ZdxcWV994bbWiwPnzTByZQcAcAAAAAWyllWVYyGKyZP//UwoWZWMx0IOROxOc7fNddPVu2WLS64xO0lmNjZ/7855Pz52eY2w73kclkw+LFx3/604lJR1Mpu2ttaa2l7Nm48dCdd3a+/XbBd3+PtrdX/fjH9c8+mwqHLcru+JDQbLwDAAAAgB20lMLrTQQCHatXd2/cqNJp04lgzL9//etfe+qpm374ww/+LITRODBGKyU8HplMXli7tmP16oJ8ROrnv/a1/92zp2b+fJ5UURiE1/vlu+/+n0cf/dLtt1sfvoYv9wkTpUUhUpFIz+bNXSUlyWAwJ0ldxDNnzi0PPjjv8cevnzfvyt8xFDoK7gAAAAAwdRf/XS3Hx4MHDvjLysJVVQXf04erdN1XvnLL//3ff99//7Vf/rL14ZaM6VDIhYs/6+HTp/1lZf7t27PxuOlQTqHgXqiunzfvxh/84D+/+9253/6293Ofu+TfUen0SFNTpKYm9P77Q7W1M/3tT4i5d9xx8/3333TXXf92ww3WxKXA42HPdaah4A4AAAAAU5SKREYaG4fr6yM+33B9vcpkTCeCKwnx+a9+9YbvfW/uHXd88Vvfuvbmmz/6Py/WpyjK5JmJqUFaW0J8dB9FSxnv7IyeORPx+cLHjiVDIYMZc4OCe+ET4tqbbvrcLbfMmTt31rXXaq3l+Hh6eDgRCCQCAeaoXIIQ199663985ztfuv32L9x22/W33uqZPdt0JuQOBXegEFRUVKxbt+6tt9667rrrTGcBAOS9hQsXfvOb33ziiSdMBwHywEhTk+kIyD/C4/HMnn3J2rpn1iwxZ45n9mzh9YpZs4THM/FhCXHxQ3zkE8WnF3FZyb66unrlypXLli278cYbTWf5uE8VQz5aHtFaWxc/lNJaaym1Ujqb1dmsymRUJnPJTl6tlMpkZtpTc4XH45kz57O+JwAsy/LMni1mzbp+3jzTQfLeokWL5s6d+8wzz5gOcjmzTAcAYINoNNra2ir55QYAYIfOzs4bbrjBdAogP3zhtttMRwBcbXR0tLW1Ne3C5xl8amfiYzsZuc0CALhK3d3diUTCdIorYIQ/AAAAAAAAAAA2oOAOAAAAAAAAAIAN/h/M+Vvvebn9yAAAAABJRU5ErkJggg==", null, "data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAB9AAAAH0CAIAAADqtyE0AAAABmJLR0QA/wD/AP+gvaeTAAAACXBIWXMAAA9hAAAPYQGoP6dpAAAgAElEQVR4nOzdeZTddX3/8e/3DiQssofdjdYVUbQgoggEqihhsefnUm2tbX+/1qUgIpCwVFARRBYFF0QgFEEQAkpYskxISDKTAAlJJvueyTaZPbMksy/3+/n9cUMQikCSmfnOvfN4HA/nVCXzOiZ60ud88r5xCCECAAAAAAZcSJIohLio6FX/ZDbb09LS09zc3dSU7er6y38ps9deRfvtt9d++xXtu2/uH5m99371jxhCkrzmBwQGzF5pDwAAAACAISFksztTeMhm2zZtatuwoaOqqqO6OvfXztra7sbG3vb26C2/kS3ab7/hhx467LDDhh922PDDDtv32GPf9jd/c8B737v/ccftaPESPAyg2At3AAAAAOgPrxT2EFrXr29atKhlzZrW9etby8vbt2wJ2Wz/fek4k9n32GMPeO97DzrhhENOPPGQj31s74MOiqIoJEkcx1Ec99+XhqFMcAcAAACAPrMzsvds3771xRebFy1qWrx427JlvW1tac6K432POebgj3zk0JNPPvxTnzrgfe+LxHfoB4I7AAAAAOyZXGGL42xnZ8OcOfUvvLD1hRdaVq8OSZL2stc37OCDDz3llBGnnnrEyJH7v+tdUS6+ZzJp74K8J7gDAAAAwO7Y+Zi9dcOG2mnTamfMaFqwIOntTXvXrnnb3/7t0eecc/TnP3/QCSdEyjvsGcEdAAAAAHZBrrOHJGmYM6dm2rS6GTPaNm9Oe1Qf2Oeoo44+55x3fPGLB51wws43+2mPgjwjuAMAAADAm9vx9DuEhnnzKp95prq4uLuxMe1R/eKA973vHf/n/7zjS18adsghr3zuK/AWCO4AAAAA8EZyqX3bihUVf/pT9eTJnXV1aS8aCHFR0RFnnvmur33tyLPOiiKv3eEtEdwBAAAA4HXkHnf3trVtGT9+87hx21asSHtROvZ7xzve/c///M6vfnXvAw5w4R3emOAOAAAAAK+Sy8pNCxdufPjh6uLibEdH2ovSV7TPPsecf/7f/t//e8D73+/ODPw1gjsAAAAARFEUhRDiOE56erY8+eTGBx8csk/a30gcH3H66e+9+OJDTzpJdof/TXAHAAAAYKjLteOOmpqNDzyw+bHHupub01402B368Y+/97/+64gzznBkBv6S4A4AAADA0JVL7duWLVt3993VU6aEbDbtRfnkoOOP/8Do0UeccYbX7pAjuAMAAAAwFOWeZtfOmFF+zz0N8+ZFKtnuGvGpT33ommsO/OAHvXYHwR0AAACAoSUkSRzHW558ct3vfteybl3acwpBnMkcc/75HxwzZt+jj45CiOI47UWQDsEdAAAAgKEil9orn3lmza9/3bp+fdpzCk1m2LDj/vVf33/ppZlhwzx1Z2gS3AEAAAAofLlrJ1UTJ6751a+8au9X+xx55PFXXnnsF77gsDtDkOAOAAAAQCHLZd/aGTNW3Xbb9lWr0p4zVBx68skfuf76A97//hBC7MIMQ4bgDgAAAEBhyqX2prKyFTff3Dh/ftpzhpy4qOhd//RPx48Zk9lnHxdmGCIEdwAAAAAKTpJEmUxrefmKm2+unT49UsDSs8+RR374Rz866pxzcld90p4D/UtwBwAAAKDQdDU0rLr11oonngjZbNpbiKIoOuqccz7yk58MP+ywyHkZCprgDgAAAECBCEkSenvX3X13+T339La3pz2HV9n7gAM+cMUV7/761z11p4AJ7gAAAADkvZDNxplMxfjxq267rbO2Nu05/FWHn3bax26/fdihh/okVQqS4A4AAABAHss9l25eunTptdc2L12a9hze3LCDDz7xppuOOuecEILsToER3AEAAADIWyH0bN++4mc/q/jTn0KSpL2GtyyO3/mVr3z4hz+M99orLipKew30GcEdAAAAgPyTuyGz8Y9/XPWLX/Q0N6c9h92x/3HHnfSrXx10/PFpD4E+I7gDAAAAkFdCiOJ42/Lli6+5ZtuyZWmvYY9khg07/uqrj/vGN3ySKoVBcAcAAAAgb4QkSbq6Vt5yy8aHHw7ZbNpz6BvHjBr10VtuyQwb5rwM+U5wBwAAACAP5F5AV0+Zsuz66ztratKeQx/b/93vPvnOOw/8wAfSHgJ7RHAHAAAAYNALobO+fum119ZMm5b2FPpLZvjwE6677l1f/WoIIY7jtOfA7hDcAQAAABi8QjYbFxVt/MMfVt56a29bW9pz6Hfv/PKXP3LDDVEcOy9DPhLcAQAAABi82jZtWjRmTOP8+WkPYeAcfOKJp9x997DDDvMxquQdwR0AAACAQSdks1Ecr/vd79b85jdJV1facxhow0eMOPm3vz30pJPSHgK7RnAHAAAAYNBpWbNm4eWXb1uxIu0hpCaz117H//d/H/eNb0QhRE66kycEdwAAAAAGi9zD9rW//e3a3/wm6elJew7pe+c//uNHbrghiiLnZcgLgjsAAAAAg0VreXnZZZdtW7Ys7SEMIod/+tMfv+uuzPDhPkaVwU9wBwAAACBlIZuNM5l1d9+9+pe/TLq7057DoHPA+9536u9/P/zww71zZ5AT3AEAAABIVQjtlZVll17atHBh2lMYvIYffvgn7rvvoOOPd8+dwcx3hAAAAABIR0iSKIo2P/ZYybnnqu28sa76+ue/+tWa555Lewi8ES/cAQAAAEhBSJKe7dsXX3llzbRpaW8hb8RFRR++/vp3ffWraQ+B1ye4AwAAADCwQojiuHbGjMVXXdW1dWvaa8g3cfz+Sy9938UX534hpb0GXkVwBwAAAGDghGw2JMnyn/xk4x//GAlT7K7jvvGNE667LoTgY1QZVAR3AAAAAAbO9lWrFnzve63r1qU9hLx3zHnn/d3tt0dxrLkzeAjuAAAAAPS7kCRxJlM+duyqn/886e5Oew4F4vBPf/rjd9+d2XvvuKgo7S0QRYI7AAAAAP0tJElPc3PZ979fP3t22lsoNId87GOnPvBA0T77aO4MBoI7AAAAAP0mhCiO60pKFl5xRXdjY9prKEwHHX/8Jx96aK+3vU1zJ3WCOwAAAAD9ImSzURStuOmmDQ88EJIk7TkUsre95z2fevjhYYccormTLsEdAAAAgH4QQntFxfyLL962fHnaUxgS9nvHOz71yCP7HHmkz1AlRX7xAQAAANCXcu87tzz5ZMn556vtDJj2iorZX/xi++bN/jgFKfLCHQAAAIA+E7LZkM0uufbaij//OdKdGHDDDz/8tEcf3e+d7/TOnVQI7gAAAAD0kRBaN26c/53vtKxdm/YUhi7NnRT5NQcAAADAnsq96awYP770wgvVdtLVVV///Fe/6rYMqfDCHQAAAIA9suOMzA9+UPHnP6e9BXbY54gjPvXII965M8AEdwAAAAD2QAhtmzfP+/a3W9asSXsKvIrmzsDzSw0AAACA3RJCFEWVEyaUXnCB2s4g1FlX98LXvtZRWRmy2bS3MFR44Q4AAADALgvZbBTC0h//eNMjj0T6EoPYvsce++nHHx8+YkRcVJT2Fgqf4A4AAADALgqho7p63re/vW358rSnwJvb/7jjPv3443sfeKDmTn9zUgYAAACAtyyEKIpqp08vOf98tZ180bZhw4v//M/Zjg63ZehvXrgDAAAA8JaEbDbOZFbeckv52LEhSdKeA7vm4BNP/NQf/5gZNsxnqNJ/BHcAAAAA3lxIkp5t2+ZfdFHD3Llpb4HddNgnPnHqAw/ERUWaO/3ELywAAAAA3lzTggUlo0ap7eS1hrlz5//Xf0VR5BUy/URwBwAAAOCvyp2OKR879sWvf72zri7tObCnaqdPXzRmTBzHkeZOP9gr7QEAAAAADFIhm016ehaNHl01aVLaW6DPbBk/ftihh37ommvSHkIBEtwBAAAAeD0htG/Z8tI3v9m6bl3aU6CPrb/vvuGHHfaeb30r7SEUGidlAAAAAHi1EKIoqp4ypfTCC9V2CtXKW2/d/Pjjaa+g0MQ+HwAAAACAnUKSxHG84uaby8eOdeSawhYXFZ18551HfeYzURynvYUCIbgDAAAAsENIkt6WlvkXXbT1xRfT3gIDoWiffT75hz8c/NGPxhm3QOgDgjsAAAAAO2xbtmzet7/dUV2d9hAYOMMOPvjTf/7zfu94R1xUlPYW8p7v2wAAAAAMdbkXmZsffXT2V76itjPUdDc3z/nXf+3Zti1ks2lvIe954Q4AAAAwpIVsNgphyXXXbR43Lu0tkJqDjj/+tMcfzwwb5rYMe0JwBwAAABi6QpJ0bd0679vfbl68OO0tkLLDTz/9E/fdF2Uysc9QZXf5dg0AAADA0NU4f37p+eer7RBFUf2sWYuuvFJtZ08I7gAAAABDTkiSKIrKx4598etf72poSHsODBZbxo9f/ctfpr2CPOakDAAAAMDQErLZ0Nu7aMyYygkT0t4Cg08c/93ttx97wQVp7yAvCe4AAAAAQ0hIks7q6pe++c3tq1alvQUGqczw4ac98shBH/6wD1BlVwnuAAAAAENIXWlp2aWX9mzblvYQGNSGjxhxxtNPDx8xIi4qSnsL+cS3aAAAAAAKX+5o+9o773zpP/5DbYc31bV169x///ekpyf33x14i7xwBwAAAChwIZtNurvLvv/9mqlT094C+eTIs8465d57oyiK4jjtLeQHL9wBAAAACloI7Vu2lH7hC2o77KraGTOW33ij2s5bJ7gDAAAAFLKa554rvfDC1vLytIdAXlr/+99vfvzxtFeQN5yUAQAAAChAIUniOF59xx1rf/tbR6hhT2SGDfvUH/948IknxhnPl3kTgjsAAABAoQnZbLazs+x736udMSPtLVAIho8YccbTTw8fMSIuKkp7C4Oa4A4AAABQWEJoXb/+pW9+s23jxrSnQOE48PjjT//Tn+K99/bOnTfgFwcAAABAoQghiqLqKVNm/cM/qO3Qt7avWFF2+eVqO2/Mrw8AAACAQpA71L7y5pvnX3xxb3t72nOgAFVPnrzmV79KewWDmpMyAAAAAHkvZLO97e0LLr64fvbstLdAIYszmZN/+9ujPvOZKI7T3sJgJLgDAAAA5LkQWtaseelb32qvqEh7ChS+vfbf//Qnn9z/Xe/yAar8b07KAAAAAOStEKIoqnz66Vlf/KLaDgOjt63tpf/8z2xnZ+6OE/wlL9wBAAAA8lLIZqM4XnHjjesfeCBSeGBgHTFy5CfGjnVYhtfwwh0AAAAg/4Qk6dm+/cWvf33973+vtsPAq5s5c9UvfpH2CgYdwR0AAAAg/2xbvrzk/PMb5s5NewgMXWvvuqu6uNh3vPhLTsoAAAAA5I0QQhzHmx59dNmPf5x0d6c9B4a6vfbb79Pjx7/tuON8gCo5gjsAAABAfgjZbBTCkuuu2zxuXNpbgB32f/e7z3zmmcw++8QZ10RwUgYAAAAgH4Qk6dq6dfaXv6y2w6DStnFj2eWXq+3k+HUAAAAAkAcaX3qp5Pzzm5csSXsI8Fo1zz677p570l7BoOCkDAAAAMDgFZIkzmTK77135a23hmw27TnA64uLij758MOHnnSSp+5DnOAOAAAAMEiFbDbp6Vl4+eXVxcVpbwHexPDDDz9z4sRhBx/sA1SHMt9vAQAAABiUQmivqCi98EK1HfJCV339/P/6ryiKIk+chzDBHQAAAGCQCSGKouopU0ovvLC1vDztNcBb1Th//oqbboriOO0hpMZJGQAAAIBBJGSzURyvvOWW8rFjvZOF/BPHJ99559HnnCO7D02COwAAAMBgEZKkZ9u2+Rdd1DB3btpbgN209wEHnDlx4j5HHeWY+xDkpAwAAADAYNG8eHHJeeep7ZDXelpa5n3nO1EI/pDKECS4AwAAAKQsJEkURRseeOCFr32ts7Y27TnAntq2fPnSH//YVZkhyEkZAAAAgDSFbDb09i666qrKp59OewvQd+L4726//djzz5fdhxTBHQAAACA9IbRt2jTvW99qWbcu7SlAH9tr//3PeOaZ/d7+dsfchw4nZQAAAADSEEIURZUTJ5ZecIHaDgWpt61t/ne+E7JZj56HDsEdAAAAYKCFbDYkydIf/rDs0kt729vTngP0l+2rVy/94Q9jV2WGDMEdAAAAYECFELq2bp395S9vfOihyLtXKHSbH3+88qmn/Jd9iHDDHQAAAGCghBDFce2MGQuvuKKnuTntNcAA2Wv//c+cMGHfY491zL3gCe4AAAAAAyFks1Ecr7r11vKxY0OSpD0HGFAHHn/86U88kdlrr8h5mYLmpAwAAABAvwtJ0t3U9MI//dO6e+5R22EI2r5ixfIbblDbC57gDgAAANDvGubMKRk1qnHevLSHAKnZ+PDD1cXFjrkXNidlAAAAAPpLyGbjTGb1HXesveuukM2mPQdI2d4HHnjmxIn7HHmkY+6FSnAHAAAA6BchSXqamxd897tb58xJewswWBx84omffvzxOJNxXqYgOSkDAAAA0C8a5syZee65ajvwl5oXL151221qe6Hywh0AAACgLzkjA7yxOJM59YEHDjv11DjjPXShEdwBAAAA+k4IXY2NC7773Ya5c9OeAgxe+xxxxMji4r0OOEBzLzB+OgEAAAD6Qu5RYxwvHj1abQfeWGddXdlll6nthcfPKAAAAMCeCtlsSJKNDz8cRVFPS0vac4A8UDdz5vr77097BX1McAcAAADYMyF01tTM/tKXqidNSnsKkE9W3nLL9lWrfNhDIRHcAQAAAHZTSJIoiiqffnrmqFHNS5akPQfIM0l394Lvfjf09vqgzYIhuAMAAADsjpDNJt3dC6+4ouyyy3pbW9OeA+Sl1vXrl15/fRzHaQ+hbwjuAAAAALtj+8qVJaNGbRk/Pu0hQH7bPG5czbPPeuReGAR3AAAAgF0QstkohHV33z37S19q27Qp7TlA/gth8dVXdzc05K5UkdcEdwAAAIC3LITuxsYX/+VfVt5yS9LTk/YaoEB0NzcvvOyyOKPW5j0/hQAAAABvLnftoXrKlBmf//zWF19Mew5QaOqff7587Ni0V7CnBHcAAACANxGy2aSra/FVV82/+OKe5ua05wCFadXPf96yenXIZtMewu4T3AEAAADexPaVK0vOO2/z449HPtUQ6DdJd/eCSy4JSeJ/avKX4A4AAADw+kI2G5Jkza9+NfuLX2zbuDHtOUDha1m3bvmNN0ZxnPYQdpPgDgAAAPB6Quioqnr+y19e/ctfJr29aa8BhoqNDz1UV1oakiTtIewOwR0AAADgVXKda9Mjj8wcNapp0aK05wBDTAiLxozpbWnR3POR4A4AAADwF0LoaW5+6T/+Y8m112bb29NeAwxFXfX1i668Ms6It/nHzxkAAABAFL38sL1y4sQZn/1s7YwZac8BhrSaqVM3P/aYT0/NO4I7AAAAQBSSpLe1dcF3v1v2ve91NzenPQcgWv6Tn7RXVoZsNu0h7ALBHQAAABjScg/ba6dPn/HZz1ZNmpT2HIAdetvbyy69NIrjtIewCwR3AAAAYOgKSZJtb194xRXzvv3trq1b054D8CpNCxeuvfPOtFewCwR3AAAAYCjKPWyvmzlzxmc/u2X8eIeSgcFp7W9+s23ZModl8oXgDgAAAAw5Ox+2v/TNb3bW1aU9B+CvSnp7y77//ZDN+r5gXhDcAQAAgCHEw3Yg77SuX7/ippscc88LgjsAAAAwZITQ29pa9v3ve9gO5JeNDz1U//zzuW8ZMpgJ7gAAAEDhy1WqqkmTZnzmM5VPP+1hO5BfQpIsGj06296uuQ9ygjsAAABQ6ELobmqa961vLbjkkq6GhrTXAOyOztraJT/4QZxRdAc1Pz0AAABAwQrZbBRFmx97bMZnPlMzbVracwD2SOUzz1RNnOjP6Axme6U9AAAAAKC/tFdULLrqqsZ589IeAtA3llx33WGf+MSwQw/11H1w8rMCAAAAFJqQzYbe3tV33DHz3HPVdqCQ9DQ3Lxo9Wm0ftPzEAAAAAAUkSaIoaiwrm3nuuWt+/eukuzvtQQB9rK60dNOjjzosMzgJ7gAAAEChCKFn+/aFV1zxwte+1rp+fdprAPrLip/+tKO6OvcxFQwqgjsAAACQ93LVadO4cc/9/d9vGT/ew0+gsPW2tS284gqHZQYhPyUAAABAPgshiqLW8vLZX/rSkv/+757m5rQHAQyEhrlz199/f9oreC3BHQAAAMhXIUmynZ3Lb7yx5PzzmxYuTHsOwIBa9fOft23c6LDMoCK4AwAAAPknF5iqnnlm+tlnr/+f/9GbgCEo29lZdtllURynPYRXCO4AAABAXgkhiqK2jRtf+Kd/Krvsss66urQHAaSmefHidXfdlfYKXiG4AwAAAPkjhGxHx4qbbioZNaph7ty01wCkb82vf92yZo0/6DNICO4AAABAHgjZbBTC5scee+6ss8rHjk16e9NeBDAoJD09ZZdfnvYKdhDcAQAAgEEtJEkURU2LFpV+4QuLr7mma+vWtBcBDC7bV6xY86tfpb2CKBLcAQAAgMErhCiKuurry773vef/8R+3LV+e9iCAQWrd7363bcUKh2VSJ7gDAAAAg1II2a6uVbfdNv3ssysnTMjFdwBeV9Lbu/Cyy6IQ/K9lugR3AAAAYHDZca593LjnRo5ce9dd2c7OtBcB5IGWtWtX/fznURynPWRI2yvtAQAAAAA7hGw2LiraOmfOip/+dPuqVWnPAcgz5ffdd/TnP3/QCSfERUVpbxmivHAHAAAA0pf7ZNTW8vI5//Zvc77xDbUdYDeEbLbs8stDkjgskxbBHQAAAEhV7pNRt25dNHp0yfnn18+alfYggDzWtmHDyltucVgmLU7KAAAAAOkJobe9fd1dd62//3632gH6xIYHHjj6858/5GMfizPeWw80/4kDAAAAaQgh6elZd++90844wyejAvShkM0uGj069PY6LDPwBHcAAABgQIUkCUmy6dFHnzvzzJU339zT3Jz2IoBC07Zp08qbb3ZYZuA5KQMAAAAMkJAkcRxXTZy4+o472jZuTHsOQCHb8OCDR48a5bDMAPOfNQAAANDvQpJEUVTz7LMzR40qu/RStR2gv4UkWXTFFaGnx2GZgSS4AwAAAP0oZLNRFNVOn15ywQXzL7qoZc2atBcBDBVtmzev+NnPHJYZSE7KAAAAAP0iZLNxUVFdaemaX/6yeenStOcADEUbH3ro6FGjDj3pJIdlBobgDgAAAPSxHam9pGTNr34ltQOkKCTJotGjz5oyJR42zFP3AeDbGgAAAECfyd1qr5s5s/QLX3jpP/9TbQdIXXtFhcMyA8YLdwAAAKAPhCSJ47i6uHjtXXdtX7Ei7TkAvGLjQw8dc955h3zsY3FRUdpbCpzgDgAAAOyZEEIIlU89tfauu1rLy9NeA8BrhSRZNGbMyOLiOJPx1L1fOSkDAAAA7JYQohCSnp5Njzwy/eyzF15xhdoOMGi1bdq08pZb1Pb+5oU7AAAAsGtCksSZTG9b24YHHtjw4INdW7emvQiAN7fhwQePGTXq4BNPdFim/wjuAAAAwFuVS+1d9fXl99yz+bHHetvb014EwFsVstmFY8aMnDzZYZn+I7gDAAAAby5ks3FR0fbVq8vvuad60qSktzftRQDssrYNG1bddtvxV1+d9pCCJbgDAAAAbyT3qr2upKR87NiGl16KQkh7EQC7b/399x8zatRBJ5zgsEx/ENwBAACA1xFCiOM46e6u+POf1//P/7SuX5/2IgD6QO6wzJkTJjgs0x8EdwAAAOBVdh5q3/D7328aN66nuTntRQD0pdZ161bfcccHR49Oe0gBEtwBAACAHXKpfdvSpeX33VczZYpD7QCFqvzee48ZNerAD3zAYZm+JbgDAADAUJfr7ElPz5Ynn9z40EPbli1LexEA/Stks4tGjz7jmWfSHlJoBHcAAAAYukI2GxcVdVRWbnjwwYonnnA9BmDo2L569Zpf//r9l16a9pCCIrgDAADAkJP7QNSQJDXTpm165JGtzz8fkiTtUQAMtHV33XXMuee+7T3vcVimrwjuAAAAMITknrR31dVtfPjhij/9qbO2Nu1FAKQm6e1deMUVpz/1VNpDCofgDgAAAIVv55P22hkzNj/6aF1pachm0x4FQPq2rVix7q673nvRRWkPKRCCOwAAABSy3JP2zurqTY88UvHnP3vSDsBrrPnNb47+/Of3f/e7HZbZc4I7AAAAFKCQJHEmk/T0VE+ZsnncuIY5c1xpB+B1Jd3dC0ePPv3Pf057SCEQ3AEAAKCAhBBFURTH25Yv3/zYY1UTJvRs3572JgAGu+bFi8vHjv3b//zPtIfkPcEdAAAACsGOT0NtbNzyxBMVf/pTy7p1aS8CIJ+svuOOo845Z7+3v91hmT0huAMAAEAey3X2pKuravLkLePHb33xRZ+GCsBuyHZ2Lho9+rRx49Iekt8EdwAAAMg/uRPtUQgNc+dWPPFEzZQpve3taY8CIL81Lliw4cEHj/vXf017SB4T3AEAACB/vHyivWX16orx46smTOisrU17EwCFY+Vttx312c/uc+SRDsvsHsEdAAAABr0QQghxJtNRVbXlySe3PP10qxPtAPSDbHv7ojFjPvnQQ2kPyVeCOwAAAAxeudMxXVu3Vj79dOWECc1Ll+545A4A/WPriy9uevTRd/3jP0ZxnPaW/CO4AwAAwKCT6+zdTU1VEydWTZzYOH9+SJK0RwEwVKz82c+OPPvs4SNGxJlM2lvyjOAOAAAAg8WrOvukSY3z54dsNu1RAAw5PS0ti6+++hP33Zf2kPwjuAMAAECqXr7P3tXQUD1pUnVxccO8eTo7AOmqmzlzy/jxb/+Hf3BYZpcI7gAAAJCG3Cn2OO6sq6uaOLG6uLhp4UJ3YwAYPJbdcMMRI0fufdBBDsu8dYI7AAAADKAkiTKZKIraNm+umjSpZsqU5mXLfA4qAINQT3Pzkh/84OQ770x7SD4R3AEAAKDfhWw2LiqKomjbqlXVxcXVU6a0rluX9kXd2OoAACAASURBVCgAeBPVxcXVxcVHnXOOR+5vkeAOAAAA/SXX2UM2u3XOnJqpU2unTeuork57FADsgqU//OGI007be//9I839LRDcAQAAoE+9/CGova2ttTNm1E6bVldS0tPSkvYsANgdXVu3LvvRjz7285+nPSQ/CO4AAADQB0KS5P64fUdVVfWzz9ZOm9Y4f37S25v2LgDYU1ueeurYCy88/PTTHZZ5U4I7AAAA7L4dx9lDaFq4sHbatNrp01vKy30IKgAFJYTF11xz9tSpmX33jeM47TWDmuAOAAAAuyaEEEdRFMe9ra11JSU1zz1XX1LS3dyc9i4A6C+dNTXLbrzxxBtvTHvIYCe4AwAAwFuy4zF7FLWuW1f73HO1M2c2lZWFbDbtXQAwEDaPG/f2Cy449JRTHJZ5A4I7AAAA/HUvfwJqtrOzfvbsupkz60pKOqqq0p4FAAMuhEVXXXXWlCnxsGGRwzJ/heAOAAAAr7XzMXvbpk25x+yN8+cn3d1p7wKANLVXVKy4+eYTrrsu7SGDl+AOAAAAURT9r8fsJSX1paXtW7akPQsABpGNf/jDsRdccPBHPpL7zjSvIbgDAAAwpO18zN6ybl3dzJl1paUeswPAXxOSZNGVV545cWKcyTgs878J7gAAAAw5IUniOI7iuLe1ta60tL60tK60tLO2Nu1dAJAHWsvLV99++wfHjEl7yGAkuAMAADBU7HjMHsK2pUvrSkrqSkublywJ2WzauwAgz5SPHXvM+ecf+P73OyzzGoI7AAAAhWznxZjOurq6mTPrZ82qf+GFnubmtHcBQB4L2eyi0aPPePrptIcMOoI7AAAAhSaEEEdRFMdJd3fDnDl1paV1s2a1lpdHIaQ9DQAKxPZVq9beeef7Lrkk7SGDi+AOAABAgdj5mL11zZq60tK60tLGBQuSrq60dwFAYVr7298eM2rU/scd57DMToI7AAAAeSwkSZzJRFHU3dxcN3Nm/ezZ9bNnd9XXp70LAApf0tOzcPTo0594Iu0hg4jgDgAAQL4JIYQQZzKht7dh/vz6kpK6WbNaVq8OSZL2MgAYWpqXLFl3773v+eY30x4yWAjuAAAA5IdXLsasX19XUlI/a1bDvHnZjo60dwHAkLbml788+nOf2+/tb3dYJhLcAQAAGMx2Xozp2b69rrR06+zZdbNmddbUpL0LANgh29m5aMyY0x59NO0hg4LgDgAAwCCz82JMNttUVlZXWlo/a9a25ctdjAGAwalx/vwNf/jDcf/yL1Ecp70lZYI7AAAAg8LOizFtFRW5jz9tmDOnt60t7V0AwJtbdeutR332s/scccQQPywjuAMAAJCeJIniOIrj3ra2+tmz62fNqp81q33LlrRnAQC7pre9ffGVV5764INpD0mZ4A4AAMBA2/GYPYTm5cvrSkrqS0ubFi0K2WzauwCA3Vf//PObx41751e+MpQPywjuAAAADISdF2O66utrZ86snzWr/vnne5qb094FAPSZFTfddOTZZw877LDcZ54PQYI7AAAA/Wbnx5/29ja89FJdaWldSUnL2rVRCGkvAwD6Xk9Ly+Jrrjnl3nvTHpIawR0AAIA+tvMxe/uWLbUzZtSVlDS89FK2vT3tXQBAv6udPr3yqaeOvfDCoXlYRnAHAACgL7z8mD3p6qp//vm6kpK6kpL2ioq0ZwEAA23Z9dcffsYZex900BA8LCO4AwAAsPt2PmZv3bChdvr0+tLShnnzku7utHcBAKnpbm5e8oMfnHznnWkPSYHgDgAAwC56+TF7trOzfvbsupkz60pLOyor054FAAwW1cXFVZMnH/25zw21R+6COwAAAG/Jax6z182c2Th/ftLTk/YuAGAwWvbDHx5+2ml7ve1tQ6q5C+4AAAD8dTsvs3d373jMXlLSvmVL2rMAgMGuq6Fh6XXX/d0dd6Q9ZEAJ7gAAALxWSJLcY7SO6uqaadPqZszYOndu0tWV9i4AIJ9UTphwzPnnH3n22UPnkbvgDgAAwA65ozEhm21csKB2+vTaGTNay8ujENLeBQDkpxCWXnvtiFNPLdpvvyHS3AV3AACAIS2EEEdRFMc927blInv9rFk927envQsAKASddXXLfvzjj956a9pDBojgDgAAMBS98gmoa9fWTJtWO31685IlIZtNexcAUGgqxo8/5oILDv/0p4fCI3fBHQAAYAjZcTSmt3friy/WPPdc7XPPdVRVpT0KAChoISy++uqzp07N7LtvHMdpr+lfgjsAAEChyx1hj+Oe5uZcZK+fPbu3rS3tWQDAUNFZU7PshhtO/OlP0x7S7wR3AACAwhSSJPcHt1s3bqx59tnaadOaFi92NAYASMXmxx475rzzRnzyk4V9WEZwBwAAKCg7jrOH0LRgQc1zz9VMndq2cWPaowCAIS+ExVddddbUqZnhwwv4sIzgDgAAUAhy79mznZ11JSW106bVzpjR3dSU9igAgFd0VFUtv+GGj9xwQ9pD+pHgDgAAkLdePs7e3dxcU1xcM21a/QsvJF1dac8CAHh9mx599Njzzz/0lFMK9bCM4A4AAJBvkiSK4yiO27dsqS4urnn2WcfZAYD8EMKiq64aWVxcNHx4VIiHZQR3AACA/LDzQ1C3r15dNXlyzdSpLWvX7njkDgCQJ9orKlb87Gcf/tGP0h7SLwR3AACAQW3nh6A2zp9fM2VK9dSpHZWVaY8CANh9mx5++Jjzzjv0pJMK77CM4A4AADAY5Tp76O2tnz27esqUmmnTuhsb0x4FANAHQpIsHjNmZHFxPGxYgR2WEdwBAAAGkVxnz3Z21k6fXjNlSu3Mmb2trWmPAgDoY22bN6/42c9O+OEP0x7SxwR3AACA9OXus/e2ttZMnVpdXFw/e3a2szPtUQAA/WjjQw8dM2rUIYV1WEZwBwAASE2us/ds21Y9eXLVlCkNL76Y9PSkPQoAYCCEJFk0ZszIKVPivfcumMMygjsAAMBAy3X27sbGqkmTqidPbpg3L2SzaY8CABhoOw7LXHdd2kP6jOAOAAAwIEIIIcSZTFd9feXEidWTJzeVlYUkSXsWAECaNv7hD8ecd94hH/1oXFSU9pY+ILgDAAD0pxBCFMVx3FlbWzVxYtXkyc2LF+vsAAA5Ow7LTJ4cZzIFcFhGcAcAAOgHIURRFMVxR01N1YQJVZMnNy9ZsuOfBADgL7Rt3Fgwh2UEdwAAgL6zs7NXV1dOmFA9aVLzsmU6OwDAG9v4hz8cc+65h5x0UpzJpL1ljwjuAAAAe+zluzEdNTWVzzyjswMA7JKQJAtHjx5ZXJwZPjzO58MygjsAAMDuevk9e2dtbeUzz1RNmtS8dKnODgCwG9orKlbcdNOHf/zjtIfsEcEdAABgF4UQQogzmc66uh2d3X12AIA9tumPfzzm3HMPPeWU/D0sI7gDAAC8VSFJ4kyma+vWygkTqiZObF68OCRJ2qMAAApESJJFV145csqU/D0sI7gDAAC8iVxn725qqnzmmaqJE5vKynR2AID+0L5ly/Kf/OQjN96Y9pDdJLgDAAC8vlxn79m2rWrSpKoJExrmzQvZbNqjAAAK3KZx444eNWrEJz+Zj4dlBHcAAIBXCdlsXFTU29paNXly1cSJW194QWcHABg4ISy+8sqRzz5btM8+edfcBXcAAIAoermzZzs6qouLqyZOrJ89O+npSXsUAMBQ1FFdvexHP/roLbekPWSXCe4AAMCQluvsSXd3zbRplc88U19amu3sTHsUAMBQV/HEE0efe+4RZ56ZX4/cBXcAAGAoynX20NtbO2NG1YQJtdOn97a3pz0KAICXhbDkmmtGPvvsXvvvn0fNXXAHAACGkB2dPZutnz27asKEmqlTe1pa0h4FAMDr6KyrW/qDH/zdL3+Z9pBdILgDAACFLyRJnMlEITTOn1/59NPVU6Z0NzWlPQoAgDdROXHi0eeee/TnPhfFcdpb3hLBHQAAKFg7OnsUNS9eXPnMM9WTJ3fW1aU9CgCAtyyEJddee9gnPrH3QQflxWEZwR0AACg0IYQ4iqI4blm9estTT1VNmtRRWZn2KAAAdkd3Y+Piq6/++O9+l/aQt0RwBwAACkUIURRFcdy2YUPlU09VTpzYtmFD2psAANhTNVOnbhk//u3/8A+D/7CM4A4AAOS5lzt7e2Vl5VNPVU6Y0LJmTdqbAADoS8uuv37EaacNHzFikB+WEdwBAIB8lTvR3llfX/n001UTJzYvXbojvgMAUFh6tm9fNHr0qQ88kPaQNyG4AwAAeSbX2bubmqomTKicMKGprCwkSdqjAADoX/WzZ2986KF3//M/D+bDMoI7AACQH0I2GxcV9bS0VE+aVDlhQsPcuSGbTXsUAAADZ8XNNx8xcuS+Rx8dFxWlveX1Ce4AAMCgluvs2Y6O6uLiygkTtj7/fNLTk/YoAABSkG1vX3jZZaeNG5f2kL9KcAcAAAajXGdPurqqp06tmjChrrQ06epKexQAAClrXLBg3b33vueb30x7yOsT3AEAgEFkR2fv6amdPr1q4sTaGTOy7e1pjwIAYBBZffvtR5199v7HHTcID8sI7gAAQPpynT309taWlFRNnFg7bVpvW1vaowAAGIyS7u4F3//+GU8+GYUw2D5AVXAHAABSs6OzZ7P1s2ZVTZxYM21az/btaY8CAGCw275ixapf/OKDo0enPeS1BHcAAGCg7ejsSbL1hRcqJ0yomTatp7k57VEAAOST8nvvPerv//7gj340zmTS3vIKwR0AABggr3T2OXOqJk2qKS7u1tkBANgtIZstu+yykcXFmeHD40FzWEZwBwAA+tdrO/uUKd1NTWmPAgAg77VXVCy7/voTf/rTtIe8QnAHAAD6xc7O3jB3btXEidXPPtvd2Jj2KAAACsrmxx476jOfOWLkyEFyWEZwBwAA+pL37AAADJwQFl999VlTpux14IGDobkL7gAAQB/Y0dmz2frZs6snT66ZOtV9dgAABkDX1q2Lrrzy43ffnfaQKBLcAQCAPbGjs/f21pWWVk2aVDt9es+2bWmPAgBgaKmZNm3zuHHv/MpXorQ/PVVwBwAAdlmusyddXbUzZlQXF9fOmNHb2pr2KAAAhq7lN9ww4rTT9j366LioKMUZgjsAAPBWhSSJM5lse3vNtGnVxcV1paXZjo60RwEAQNTb3l526aWnPfZYujMEdwAA4A2FEEKIM5mebduqi4uri4u3vvhi0tOT9iwAAHiVpoUL1/7mN++75JIUNwjuAADA6wghxFEUxXFnXV3V5Mk1zz7bOH9+yGbT3gUAAH/V2jvvPGLkyIM+9KG0DssI7gAAwCtyR2OiKGpbv766uLh6ypRtK1ZEIaS9CwAA3lzS21v2/e+PnDQpymTiND5AVXAHAAB2fAhqFELTwoU1U6fWTJ3atnFj2qMAAGCXtW3cuPT660+88cZUvrrgDgAAQ1eusyc9PfWzZtU8+2zt9OldDQ1pjwIAgD2yedy4I88668izz8792c2BJLgDAMAQk7sPE8c9zc0106bVTJ1a//zz2Y6OtGcBAEAfCWHx1VefNWXK3gcfPMDNXXAHAIAhYedx9taNG2umTq2dNq1p0SIfggoAQEHqbmwsu/zyU++/f4C/ruAOAACFLHc0JmSzDfPm1U6bVvvcc22bN6c9CgAA+l19aen63//+b/7t3wbyiwruAABQaEKSxHG842jM9Ol1M2bUz5rV09KS9i4AABhQK2+55fBPf/ptxx0XFxUNzFcU3AEAoEDkHrNHUbR91aq6GTNqp09vXrIkJEnauwAAIB1JV1fZJZec/tRTcSYTxfEAfEXBHQAA8lgIIY6iKI6z7e11JSW1M2fWlZR01denvQsAAAaF7atXr/zZzz507bUD8+UEdwAAyD87H7O3rlmTi+xNCxYkvb1p7wIAgEFnw4MPHjFy5IjTToszmf7+WoI7AADkh52X2XtbW+tnzaorKakrLe2srU17FwAADGohSRaOHj1y8uS9Dzqov5u74A4AAINYCCGEOJMJSdK8eHFdSUn97NnNS5aEbDbtZQAAkDe66usXXn75J/7nf/r7CwnuAAAw6Oy8GNO+ZUtdaWn97NkNc+b0bN+e9i4AAMhXdSUl6++//2/+/d/79asI7gAAMCiEJMn9+daelpats2fXz55d//zz7RUVae8CAIACsfKWW0Z88pMHvPe9udct/UFwBwCA1Ow8y550dze89FL97NlbX3hh+8qVIUnSngYAAIUm6e5ecMklZz7zTJTJxHHcH19CcAcAgIEVQhRFURyHbLZp4cKtL7ywdc6cpoULk+7utJcBAECBay0vX/rjH5/405/2048vuAMAQP9LkiiOc5G9ecmSrXPmNMyZ07hgQbajI+1lAAAwtGx+7LEjzjjj6M99LuqHR+6COwAA9Iud52J2RPYXX2yYO7exrCzb3p72NAAAGMJCWHzNNYd87GPDR4zo82PugjsAAPSZkM3mfsuedHc3lpU1zJ3b+NJLTYsXe8kOAACDR8+2bQsuvvhT48ZFIfTtO3fBHQAA9sjOyN7T0tIwd27j/PlNCxY0L12a9PSkPQ0AAHh9jWVlq3/xiw9ccUXf/rCCOwAA7KIkCVEUZzJRFLVXVDTMm9e0YEHj/Pmt69eHJEl7HAAA8Jasu/vuEZ/61GGnnpr7vX2fENwBAODN/eWtmOYlSxoXLGgqK2ssK+tubEx7GgAAsDtCkpRddtnIyZP3PuigvmrugjsAALyOnR95GkVRe2Vl47x5TYsWNZWVtaxenfT2pr0OAADoA1319WWXXnrqAw/01Q8ouAMAQBRFURRCCCH3sKW3tbVp4cKmRYuaFi1qXry4u6kp7XEAAEC/qJ89e93vfveeb3+7T340wR0AgKHqLwp7trNz27JlzYsXNy9d2rxkSdvmzVEIae8DAAAGwurbbz/s1FMP/shH9vywjOAOAMBQkftE01cK+/LlzUuXblu2bNuyZa3r14dsNu2BAABACpLe3gXf/e7IyZOL9ttvD5u74A4AQMEK2WycyeTusPe2te3I68uXb1uxom3DBoUdAADI6aiqKrvsslPuuWcPfxzBHQCAQhFCSJK4qCj3f3VUV29btmz7ypXbVq7cvmJFe2WlKzEAAMBfU/vcc+vvu+9v/t//25MfRHAHACBfhWx2Z17PdnZuX7Vq+8qV21et2r56dcuqVT0tLenOAwAA8svKW2899JRTDvrQh3b7sIzgDgBAfvjL+zAhm23dsGH7ypUta9a0rFmzffXqjsrK3Il2AACA3ZP09Cy4+OIzJ07c7WPugjsAAIPPq4/DhGy2bePG7atXt6xd27puXcvatW0bNiS9veluBAAACk/7li0Lr7ji47/73e797YI7AAApy71M3/l+JNvZ2Vpe3rJmTWt5eUt5eWt5efumTfI6AAAwMGqmTl1///1/8+//vht/r+AOAMAAevXT9SiEjpqa1rVrWzdsaC0vb12/vnX9+s66Op9uCgAApGjlzTcfevLJu3HMXXAHAKB/JEkI4ZW2HkVdW7e2rl/ftmlT24YNrRs2tK1f31ZRkXR1pbgRAADgf0t6euZfdNHISZN29Zi74A4AwJ4K2WwUxzt/GxqSpLO2trW8vH3z5rbNm9s2bWrbuLG9oiLb0ZHuTgAAgLeoo7Ky7NJLTxk7dpf+LsEdAIC3KmSzURT95aP13tbW9i1b2jZsaKuoaN+8ub2ior2ioqOy0sl1AAAg39XOmLH2rrve+53vvPW/RXAHAOC1XvNiPcqF9crK9s2b27ds6aisbK+oaK+s7NiypaelJcWdAAAA/Wr17bcfevLJh5500ls8LCO4AwAMUSFJolffWI9C6Gpo6KisbN+ypb2ysqOqquPlvwrrAADAEBSy2bJLLjlz0qS9DzzwVf/f018huAMAFLL/fQQmiqKebds6qqraKys7q6s7amo6qqo6qqs7qqq6amudggEAAPhLnXV18y+66FMPPxyFEMXxG/+bBXcAgDwXQshm46KiV/3OL/dWvbo6l9R3/LWmpqO6urOuLunqSm8uAABAnmmYO3flbbd9cPToN/13Cu4AAINeCCFJXnNUPYqinu3bu+rrO6qqOmtrO2trO+vqOmtqOuvqOmtru7Zuzb1tBwAAYM+tu/vuQ0488ajPfvaNH7kL7gAA6dtxTj2Tec1v3V5J6vX1XXV1nbW1nfX1Xbm2Xl/voToAAMAACWHRmDGnP/XUfm9/+xsccxfcAYD/3969vPa933ce/35/STO0AycphYFZtNNOoRBKOm2XMzD9E7IthVl01XS66C7QWRTK0KGrDN0VZl1IuyvYR7Z1LPn4btnyTbZkXSxZkvW73+8X/b6fWfwU+ZpzsSV/9ZMeDw5BRyeBF2STPPn4/eX4JUlIkiiTeeuJejIaDavVyeP0QanULxYH5fKgWJzk9UG5nIxGaU0GAADgdaNW6+5f/MV//7d/e/fPHx8S3AEAPloIYTx+t6dHIQxrtX6pNLnxMiiVXvX0cnlQKo1arSiElEYDAADw7bTW1x/+9Kd//I//+Mv+DYI7AMDX+Yqe3mgMJj190tAP/yqVBuXysF53SB0AAOA02Tt37gd/+If/+c///L3/VHAHAM68JAkhvPtHAkOSjOr1Qbl88D69XB5UKq8eqpfLw1pNTwcAADhrVv7hH37wB3/w63/0R+8elhHcAYBTLiRJ9L776WE8HtbrB5fT33qfXi4PyuVRvR6SJK3ZAAAAnEzJ/v69v/qrPzl37nu//utvfUBVcAcAplwIIUne8z59PB7Waq++RPray/SD++nNpp4OAADABxiUSnd/8pP/9i//EoUQxfHh7wV3AOBkm/T0KHrr1UAUwnBy7yWXG1Qq/VJp8IsvkerpAAAAHLfagweP//Zv/8vf//3rvxTcAYCUhSSJQogzmdcfBURRtN/pDMrlfj5/ENNLpUG5fPiz++kAAACka+fnP//Bj370n/70Tw9/I7gDAMfuIKm/+0S9VusXi/1CoV8sDorFfqk0KBYHpVK/VBqUy+NeL6W9AAAA8I08+bu/+/4Pf/j9H/1ocuZUcAcAjkKShHdfqYcwqFb7hUI/l+sXiwdVffJDqTQolz1RBwAAYKolw+Hdv/zLPzl//lc++yz+zncEdwDgm5r08bcequ+3Wr1CoZ/N9gqFQbHYy+cHk0frhcKgUpHUAQAAON36hcLdn/zkv/7zP0deuAMAb5h8oTSOJ38U7uB3STIol3vZbD+X6+Xz/UKhn8/38vl+Pt8vFpPBIMW9AAAAkLrqvXsPfvrTP/7ZzwR3ADiL3n2rflDV9/Z62Wwvl5u09V4u18/n3X4BAACAr5YMh5EX7gBwmoUQkuStu+qjZrO3t9d9+bK7t9fP5Xq53KSwD0olVR0AAAA+huAOANPv3bAeQr9Y7O7udl++nDxa72azkx/GvV6qWwEAAODUEtwBYJqE8fiNA+sh9Eul7vZ29+XLSV6fFPZ+Pp/s76e6FAAAAM4cwR0ATqTJo/XXbqzvt9ud7e3O9nZ3d7e7s9Pd3e3u7vZyuWQ0SnEmAAAAcEhwB4C0JUkI4VVbD6FfLLY3N7vb252dne7u7iSyj5rNVFcCAAAAX0NwB4BPJ4QQvf5uPYReodDe2Oi8eNF58eLwAfvky+YAAADAdBHcAeC4hPH49Q+ZDmu19sZGe3OzvbXV2drqvHjR2d1NBoN0RwIAAABHRXAHgKPw5sn1ZDTqvHjRWl/vbG21Nzfbm5udra1Rq5XuRgAAAOBYCe4A8K29dRlmv9Npra+31tfbz5+3Nzbaz5939/bCeJzuSAAAAOATE9wB4Ou8+Xp9v91urq621tdba2vtjY3Wxka/WIxCSHcjAAAAkDrBHQDeFsbjw7w+7vdba2vNZ89aa2uttbXW+nq/VJLXAQAAgHcJ7gCcea8/YA+hs7PTePq0+exZa3W1ubra29sLSZL2RAAAAGAKCO4AnDlhPI4zmSiOoygad7uN5eXG8nLz2bPmykprfX3c66U9EAAAAJhKgjsAp9/rJ2IGpVL98eODyL6y0n350n0YAAAA4EgI7gCcQq8X9t7eXu3Ro8aTJ42nTxvLy8NqNd1tAAAAwGkluANwGrxR2LPZ2oMHjSdP6ktLjeXlUaOR7jYAAADgjBDcAZhKIUniOJ7cYR+Uy7UHD+qPH9cfP64/eTKq19NeBwAAAJxFgjsAUyKEkCSTZ+zjbrf28OFBZF9a6hcKaY8DAAAAENwBOMFeHYoJobWxUV1crD14UHv4sLO5GZIk7XUAAAAAbxDcAThZDiP7qNWqLS5W79+vPXhQf/Rov9NJexoAAADAVxHcAUhbCFEUTa6xd168qCws1O7fr96/397cPPhHAAAAANNAcAcgBSFJ4kwmiqIwHtcfP64sLFQXF2uLi0PfOwUAAACmluAOwCdyeCtm3OtV792rLCxU792rP3487vfTngYAAABwBAR3AI7R6wfZK3fuVO7cqSwsNFdWwnic9jQAAACAIya4A3DEXkX2RqN869aks7fW10OSpD0NAAAA4BgJ7gAcgVeRvdks37xZvn27cvt2a2PDV08BAACAs0NwB+ADHX74dNztlm7erNy+Xb51q7W25iU7AAAAcDYJ7gB8CyGEOIqiOE5Go+riYvnGjfLNm/WlJTfZAQAAAAR3AL7ewcWYEJorK6Vr18o3blQXF8f9ftq7AAAAAE4QwR2A9zs8y97L5Upfflm6caN869awVkt7FwAAAMAJJbgD8EpIkjiOozged7ulGzdK16+Xrl3r7Oz49ikAAADA1xLcAXjjYkzxypXi1av1hw+T/f20dwEAAABME8Ed4IwKSRJnMlEUjer1wpUrxS+/LF2/PqxW094FAAAAMK0Ed4Cz5fAxe/3Ro8L8fOnq1cbTpyFJ0t4FAAAAMPUEd4AzIEmiOI7ieFSvF+bni1euFK9fH9Xrac8CAAAAOFUEd4BT6+AxexQ1vXonTQAADu9JREFUlpcLc3OF+fnGkyceswMAAAAcE8Ed4HQJIYQQZzLjfr945Uphfr745ZeDUintWQAAAACnn+AOcBocfgG1l83mZmeLc3OVhYVkNEp7FwAAAMAZIrgDTLHDL6DWHjwofPFFfm6u/fx5FELauwAAAADOIsEdYPpM3rOPe73C/Hxhbq44Pz/0BVQAAACAtAnuANMhJEkcx1Ec9wuF/KVL+cuXK3fuJMNh2rsAAAAAOCC4A5xoB0djoqi1tpa/dCk/O9tYWXE0BgAAAOAEEtwBTqJJZw9JUllYmLxn7+3tpT0KAAAAgK8iuAOcIJPOPu73i1eu5GdnC1eujBxnBwAAAJgSgjtA2kIIIcSZzKjRyF26lL90qXzz5rjfT3sWAAAAAN+O4A6QjhBCHEWTj6BmZ2byly5VFxfDeJz2LgAAAAA+kOAO8EmFJIkzmSiKOpubuQsXchcu+AgqAAAAwOkguAN8Coedvbm8nP3889ylS52trbRHAQAAAHCUBHeAYzT5CGoUQnVxMTczk5+d7WWzaY8CAAAA4FgI7gBHb9LZw3hcvnkze+FCYXZ2UKmkPQoAAACA4yW4AxyZSWdPRqPi1au5mZnC3Nyo0Uh7FAAAAACfiOAO8LEOOvtgkL98OXfhQvHKlf1OJ+1RAAAAAHxqgjvAB5p09nGvl5+dzc7MlK5dG/d6aY8CAAAAIDWCO8C3E5IkzmT22+3cxYu5mZnSjRvJcJj2KAAAAADSJ7gDfCOTzj5qNnMzM7kLF8q3biWjUdqjAAAAADhBBHeArzLp7MN6Pff559mZmcqdO2E8TnsUAAAAACeR4A7wjhBCCHEmM6hUsufP5y5cqN67p7MDAAAA8NUEd4BfOOzs5fLe+fO5mZna/fshSdKeBQAAAMB0ENyBMy+EEEVxHPeLxey5c9mZmfqjRzo7AAAAAN+W4A6cVSFEURTFcS+fP+jsjx8f/BIAAAAAvj3BHThjDjt7Nrt37lz2888bT5/q7AAAAAB8PMEdOBNCCHEURXHc3d3dO38+9/nnjZUVnR0AAACAIyS4A6dZCCGO4yiKutvbe+fO5WZmmqurOjsAAAAAx0FwB06hkCRxHEdx3Nnc3Dt3LnfhQmt9XWcHAAAA4FgJ7sDpEZIkzmSiKGqvr++dP5+7eLG9sZH2KAAAAADOCsEdmHqHnb357Fn2/PnchQudFy/SHgUAAADAmSO4A9PqsLM3nj6ddPbu7m7aowAAAAA4uwR3YMqE8Tj+zneiEGoPHuQ+/zx38WIvl0t7FAAAAAAI7sCUOOzs1bt3szMz+UuX+sVi2qMAAAAA4BXBHTjRJp09jMflmzezMzP52dlhtZr2KAAAAAB4D8EdOIkmnT0ZjYpXr+ZmZgpzc6NGI+1RAAAAAPBVBHfgBJl09nG/X7h8OXfxYnF+fr/bTXsUAAAAAHwjgjuQvpAkcSYzarXyly7lLl4sXb+eDAZpjwIAAACAb0dwB1ISQhRFURwPKpXczEzu4sXqwkKyv5/2LAAAAAD4QII78EmFEOI4jqKou7c36ez1R49CkqS9CwAAAAA+luAOfAqTozFRFLXX1nIXL+YuXmyurh48cgcAAACAU0FwB47R5COoUQi1+/dzFy/mZ2e7u7tpjwIAAACAYyG4A0dv0tmT0ah07Vp+drZw+fKgUkl7FAAAAAAcL8EdOCIhhBDiTGa/3c7PzuYuXSpdvz7udtOeBQAAAACfiOAOfJwkieI4iuNeLjc5GlO9dy+Mx2nPAgAAAIBPTXAHPsTBcfYoaqys5C5eLHzxRXNtzUdQAQAAADjLBHfgWzg8zl6+cSP/xReFubl+oZD2KAAAAAA4EQR34GuEEOIoiuJ4WK8Xvvgif/ly+fr1fcfZAQAAAOBNgjvwfodHY9rr6/nZ2cLcXP3x45Akae8CAAAAgBNKcAfeEJIkzmQmR2MKc3OF+fleNpv2KAAAAACYAoI7cBDZoygaFIv5ubnC5cvlW7fGvV7auwAAAABgmgjucHYdHI0Jof7o0eQxe/PZsyiEtHcBAAAAwFQS3OGMSZIojqM4HjUahfn54pUrpWvXhvV62rMAAAAAYOoJ7nAmvHrM/vRpYW6ueOVK48kTX0AFAAAAgCMkuMOpdXiZfVivF+fni19+Wbp+fVirpb0LAAAAAE4nwR1Om0lnD0lSu3+/ePVq8csvm8vLHrMDAAAAwHET3OE0OLgYE0X9fL4wP1+8erVy69ao1Up7FwAAAACcIYI7TKuQJHEcR3E87vVKN26Url0rXbvW2dmJQkh7GgAAAACcRYI7TJUQQgiTizH1R49K166VbtyoP3yY7O+nvQwAAAAAzjrBHabA4cWYzvZ26dq10vXrlTt3XIwBAAAAgBNFcIcT6jCyDyqV0tWr5Zs3Szdv9vP5tHcBAAAAAO8nuMMJchjZ99vt0o0bldu3yzdvtp4/d5YdAAAAAE4+wR1SdhjZx71e5c6d8u3b5Rs3mqurYTxOexoAAAAA8C0I7pCCV5G936/evVu+dat8+3bjyRORHQAAAACml+AOn8jrkb2ysFC5fbuysNBYWkr299OeBgAAAAAcAcEdjtGrm+ydTuXOncrCQmVhwUt2AAAAADiVBHc4YoeRfVirTZ6xV+7eba2tiewAAAAAcLoJ7vCxQghRCHEmE0VRd3e3cudO5e7d6t27nZ2dKIS01wEAAAAAn4jgDh/i8Bl7GI8by8vVhYXq4mJ1cXFQLqc9DQAAAABIh+AO39Srg+ztduXu3dr9+9XFxfrjx+NeL+1pAAAAAED6BHf4pUKSxHEcxXEURe3Nzeq9e7WHD6uLi53NzZAkaa8DAAAAAE4WwR1eE0JIksNn7NXFxdrDh7UHD+qPHo2azbTHAQAAAAAnmuDOWff6Nfbm6mrt/v1JZO9sb/vkKQAAAADwzQnunDmHhT2Kol42W11crD96VHv4sLmyMu73090GAAAAAEwvwZ3T7/VT7INKpfbgQf3x4/rSUuPx42G9nvY6AAAAAOCUENw5hV4v7KNGo/bwYX1pqbG0VF9a6hcKaa8DAAAAAE4nwZ3TIIzHcSYzKezDer3+6FHjyZP60lLjyZNePu8UOwAAAADwCQjuTKXX77D3C4X60lLj6dPm8nJ9aalfLCrsAAAAAMCnJ7gzDUIISTIp7CFJOltbjSdPGisrzeXlxtOn7rADAAAAACeB4M5J9PqJmHG321hZaTx92nz2rLmy0lpbG/f7aQ8EAAAAAHib4M4JkCQhiuJMJoqiKITuy5cHeX11tbmy0n350okYAAAAAODkE9z55F67DxNF0ajRaCwvN1dXW2trrdXV5trauNtNdyAAAAAAwAcQ3Dlmb+b1cb/fWl1tPnvWWltrrq21VlcHlUq6AwEAAAAAjoTgzpF6M68ng0FrY+Pg9fr6emt9vZfNug8DAAAAAJxKgjsf4a3X691ua329ubbW3thobWy0nz/v7e2FJEl3IwAAAADApyG4802F8TjOZKI4nvztoFxura+3NzZaz5+3Nzbam5v9YtHrdQAAAADgzBLceZ83n66H/f3Ozs7Bu/XNzfbz5+3Nzf12O92NAAAAAAAniuB+5r3Z1qMoGpRKrY2NztZWe2urvbnZ2dzs7u2F8TjFjQAAAAAAJ5/gfpa809ZHjUZ7c7O9tdV58aLz4kV7c7OzvT3udlPcCAAAAAAwpQT3U+q9bX1rqzNp69vbk79GjUaKGwEAAAAAThPBfeqFJIlCeOsmTHtrq7O93d3e7uzsdF686O7sjFqtFEcCAAAAAJx6gvv0CCGMx/F3X/1XloxG3ZcvO1tb3d3d7s5OZ2ens7PT3d1NBoMUZwIAAAAAnE2C+8kzuQaTyURxfPibfqk0ea7e3d3tvnzZ3dnpvnw5KJVCkqS6FQAAAACAA4J7et4N61E0rFYnVb23t3fQ1nd3e9lsMhqluBQAAAAAgK8luB+/d75fGoUwqFS6u7vd3d3u3l7v5ctuNtvb2+vt7Y37/fSGAgAAAADw4QT3IxPG4yiO40zm8DfJaNTP5zs7O71stveLpN7d2+vn816sAwAAAACcMoL7txOSJArhrefqw1pt8lC9l8sdtPVcrpfNDiqVKIT0xgIAAAAA8OkI7u8RxuMoit6o6lE0ajR62Wx3b6+fy/VyuV4+38tm+7lcv1DwXB0AAAAAgLMa3EMISfLWBZjJW/XJ4/R+Pj+p6v18vp/L9QqFZDBIby4AAAAAACfdaQ7u732ongyH/WKxfxjT8/leodDP5/uFwqBYTPb3UxoLAAAAAMB0m+7g/t6kHpJkWK32crlJT+8Xi/1CoV8sTn4eNZvuqgMAAAAAcOROdnCfHH55N6mPx4NyuV8oTEr6oFjsl0r9fL5fKg0KhWGtNvlPAQAAAADAJ5NycD94op7JRHH8+u/3O51BuXzQ0EulQanULxYP/rVYHDYaXqkDAAAAAHCiHGdw/yXv06MoSobDQaUyOZs+KJcH5fKkpw/K5X6pNCiXfaEUAAAAAIDp8uHBPSRJFEIUx3Em89Y/2u90hpXKweP0cnlQqUyq+rBcnvyw3+t5og4AAAAAwGny/uAekiRKkiiTeTemJ6PRsFY7LOnDSmXS0w9+qFSG1WoyHB7/cgAAAAAAOEG+O3mlPvmbcbc7rNcPAnq1OqxWJwF9WK0OqtVhtTqsVDxOBwAAAACAd303JMnVH/94UtWT0SjtPQAAAAAAMJW+G0VRc2Ul7RkAAAAAADDd3j7RDgAAAAAAfADBHQAAAAAAjoDgDgAAAAAAR0BwBwAAAACAIyC4AwAAAADAERDcAQAAAADgCAjuAAAAAABwBAR3AAAAAAA4AnFIksbyctozgI8yf+fOz8+f/79/8ze/9qu/mvYWAKbe//rZz374u7/7P37847SHADD17j158v/+9V//91//9X/4jd9Ie8snEmcyme99LxkOQ5KkvQXgtPk///RPP/jss//5Z3+W9pD3+5XPPvu13/zN70Zx/P3f//20xwAfZfj06cb29r//vd/77LPP0t4CwNTbKRb/4+/8jv+JCMDHS7LZje3tf/fbv/393/qttLcAMPWy9fr+9753wv+vipMyAAAAAABwBAR3AAAAAAA4Av8fNr7lRCLTxbUAAAAASUVORK5CYII=", null, "data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAB9AAAAH0CAIAAADqtyE0AAAABmJLR0QA/wD/AP+gvaeTAAAACXBIWXMAAA9hAAAPYQGoP6dpAAAgAElEQVR4nOzd13Zch5mg7V1gVCAVKJFy7FG7ZXvJbtvttt2/vLrbco/aY/f0LcwlzMEczknfx1yARVGBFBUsibIilSWKCARAgAAJFGIhVBUqp733f7BBEKCoQKnAjfA8q1YtRPGjl33y6vO3M3EcBwAAAADAthDHcRwHV5tepqcnyGRu4rfDMO50ok5n9YN2O3mPOp243Y7a7eQr1/2B6z/NJH9cT8/qB5lMkMlkenp69u7N7Nt37X3v3mvv+/b17Nt3c3/HKArieO0ffhO/C6nam/YAAAAAALBbRdFqzv6CrBzHnWq1U6m0K5VOpdKpVsN6PazVwlqtk3xQr3eq1bDRCOv1sF7f8EGjEbVaUacTt1pRux2HYRxFt/Lvd00m07NnT8/+/T379/ccONCzb1/P/v09Bw/uPXhwz223XXsln95++97bb997xx1777xz9f3QoX133rnn9tv33nFHz/79N/4jkkx/8/8SArooY8MdAAAAALrpC8tvHEXtUqm9stIuFlsrK6sfl0qdUqlVKnXK5Xap1KlU2uVyJ3nV64GCt07Pvn17Dx3ad+jQvsOH9x46tO/w4X2HDu09fHj/XXftu/vu/ffcs/+eew4cObL/nnv23XXXDep8HMdhGGQymT170hifHU5wBwAAAICbEEdREEVBT8/1O+lx3C6XW/l8c3GxubzcXF5uFQrtQqFVLLaS93y+XSy2KxUB/ZbZc9tt+5MKf+TI/nvvPXDvvfvvvffAkSP7jxw5cOTIgfvvP3DffXsOHlz/K8k1G2vyfD2COwAAAABsEIdhEATXbUDHYdgqFJqLi41crrm0tOG1vNzK51uFQvKLbC9777jj4LFjB+6//+CxYwePHj149OiBY8duO3bs4Le+dfDo0et25Fe3452V53MI7gAAAADsPnEcR9F1W8xxGLby+frcXGN+vpHLNRYWGrlcY3Gxmcs1FhZaxaLN9F0nk9l3+PDBo0cPPvDAwWPHktdt3/72HX/zN7d/5zs9Bw6s/aAQT0JwBwAAAGDH+mwGjZrN+vx8fWamkcvV5+YauVyS1+vz86183oo6X1Ums//uu2//7ndv++53b09e3/veHd///m3f/W7Pvn1rPxWHoes0u4rgDgAAAMA2d6N19VaxWJ+erk1P12dm6rOztZmZ+uxsfWamtbJiUZ1NlMkcuO++27/73du///3VCv+9793x4IMHjx5d+++nCr+DCe4AAAAAbBvXbazHUdRcWKhNTdWmp9dX9frsbNhopDsqrLfn4MHbv//9Ox988I4HH7zjv/23O//2b+/8wQ/233336reTf2m08bEBbEeCOwAAAABbz2f6Y1ivV7PZ6sRELZutZrO1bLaWzdZnZ6NOJ8Ux4ZvYd/jwHQ8+eOff/m3S3w/93d/d8Td/k9m7N/muRfjtSHAHAAAAIFWfaeut5eXKxER1crI2OZm09erkpGeWshtk9uy5/TvfufMHP7jzBz849NBDh370o0MPPbTn4MHku3EY2oLf4gR3AAAAAG6Vz7T15vJyZWyseuVKZWKieuVKNZutTU2F9XqKM8KWkunpue073zn0wx8eeuihwz/84eEf//jOH/xgdQs+juM4Xv9MYFInuAMAAACwKa67t96pVivj45Xx8cqVK9WJicqVK7WJiU6tlu6QsO307N17x4MPHv7xj5PXXT/5yYH770++5QpN6gR3AAAAAL6xjavrcRjWpqbKY2OVy5erV64k78183k0Y2Az77r778I9+dPjHP77r4Yfv+ulPDz30UPI/Rv391hPcAQAAALg5cRwH6/J6WK9XxsfLly6Vx8aSHfZaNutZppCWnv37Dz300F0/+cldP/nJXT/96V0PP9yzf38QBHEUBZlMRn/fTII7AAAAAF8oiuI4Xsvr7VKpPDJSvnSpfOlSZXy8PDbWWFiwug5bVmbPnjsffPCuv//7u3/2s3t+/vPDDz/cs29fYP99cwjuAAAAAKyz8ThMq1gsX7xYGh2tjI2Vx8bKly618vl0BwS+iZ69e+/84Q/v/tnP7vn7v7/7F7/YcH9m3QON+XoEdwAAAIBdbGNeb5fL5ZGRUrLAPjpaHh1tFQrpDghsqj0HD9718MN3/8M/3PPzn9/7j/948IEHgiAI4jiO47UnHvPVCe4AAAAAu8j6IxJRq1UeGysND5dGRsojI+XR0cbiouMwsJsduP/+e37+87t/8Yt7/uEf7vnFL/YcPBhYfr8ZgjsAAADAzrV+TTWOa1NTK0NDSV4vjYzUpqbiMEx7RGCLyuzZc/hHP7r3V7+691e/OvKb3xy4//7A5fcvI7gDAAAA7BzrF1Hb5XJpcLA0MlK6eLF08WJ5bCys1dIdD9iuMpnbvv3te//xH5P4fujv/i7IZII4DuI4cHlmHcEdAAAAYLuK4zhYu8Aex9XJyeKFC6Xh4dLwcOnixcbCgvswwGbYd/jwPb/85ZFf//rIb35z989+ltm7NwiCOIqcfRfcAQAAALaNOIoymUxyzCFsNErDwyuDg6Xh4ZXh4fLoaFivpz0gsOv0HDhwz89/fu+vfnXvr3995Ne/3nPbbcEuju+COwAAAMDWtf5ETHNpqTgwUBoaWhkeLg0N1aam4ihKdzyA9TJ79tz105/e98gj9z3yyJHf/KZn//4NT5LYBQR3AAAAgC3kWmFPTsQMDKwMDiaRvZXPpz0dwFfVs3//3T//+X2PPHL/b397zy9/mdmzJ4jjOAgyO/qBq4I7AAAAQHriOL56hD0Ow8r4eHFgYOXCheRQTMczToEdYc9tt937q1/d98gj9//zP9/18MNBJrP+QNZOIrgDAAAA3DpxHAdXrytE7XZ5ZGS1sA8NlUZGomYz7QEBNte+u+468k//dN8jj9z/L/9y54MPBhtvZ213gjsAAADAJtpQ2JvNlaGh5ErMyuBg5dKlqNNJe0CA1Bw8dixZez/6+9/vv/vuYPs/bVVwBwAAAOiqdVdiolZrZWio2N9f7O9fuXChcvlyHIZpzwew5WR6eg7/+MdHH3306O9+d88vf5np6dmm5V1wBwAAAPhm1hf2drs0PLxW2MtjYwo7wE3Zd+jQfb/97dF//ddj//ZvB44eDbbV2rvgDgAAAHCTNj7ptHTxYrGvrzgwUBwYcCUGoGsymUMPPXT0d7879uij9/7615k9e7b+tXfBHQAAAODLrVWeOIoqY2OF3t7iwECxv788Ohq1WmlPB7DD7b3zzvt++9tjv/vd0X/7t4NbeO1dcAcAAAC4gfV7lLVsttDbu3ooZmgorNfTnQ1g98pkDj300LFHHz322GP3/vKXQSazpdbeBXcAAACAIEiWJTOZIJMJgqC5uFg4fz4p7MWBgXaplPZ0AFxv/733Hnv00WP//b8fffTRPQcPboWdd8EdAAAA2KXiOA7iOKkznUql0Ntb7OtLIntjYSHt6QD4qnoOHLjvn/7p2GOPPfDv/37w6NEgjuMgyGQyt34SwR0AAADYRdYuD0Tt9srg4Fpkr05OBiIJwHaXydz18MMP/Pu/f+t//I9DP/xhcMtPvQvuAAAAwE527bZvHFeuXCl8+mmhr6/Y11ceHY3a7bSnA2Cz3P697z3w2GMP/OEPR37961t26l1wBwAAAHaUDafYl5ZWC3tvb/HChU6lkvZ0ANxq++++++jvf/+tP/zh6KOP9uzfv6nlXXAHAAAAtrk4jqMoqSdho1Hs6yv09ia3Yhq5XNrDAbBV7Ln99qP/+q/f+uMfH3jssT233bYZ5V1wBwAAALaf9YdiymNjyRp74fz5yvh4HIZpTwfAltZz4MD9//zP3/rjH7/1hz/svfPOLt55F9wBAACA7SCK4kwms/5QTG9vobd3ZWCgU6ulPRwA21LP3r1HHnnkW3/847f/9Kd9d931zcu74A4AAABsUWtr7FGrVezvb+XzD/zhD+//r/+19N57aY8GwI6S2bPnvv/v//v2f/zHt/7jP/YdPvy1y7vgDgAAAGwV68/pVq9cyV9dYy+PjMRh+MBjj/36//2/N//0p/LoaLpzArBT9ezde2StvB86dLPlfe/mTQYAAADwJeI4juOkZbRLpfy5c8Xkeaf9/e1SKe3hANh1ok5n8Z13Ft95Z+C//uvII498+3/+z2//6U9777zzKz5hVXAHAAAAbqm1ZhGHYenixfy5c8W+vsL589VsNvB/xAdga4g6ncWzZxfPnh34r/+6/1/+5Tv/+Z8P/OEPew4e/OLyLrgDAAAAmyyK4iBI1tgbCwv5Tz4p9PYWz59fGRoKG420hwOALxK1WrnXXsu99tqe228/9vvff+c///Po73/fs2/fDa/NCO4AAABA92143mlfX/78+eRWTCOXS3s0APg6wlpt9sUXZ198cd+hQ8cee+wn//f/7j9y5LqfEdwBAACALoijKJPJBJlMEATVycn8uXOF8+fXnnea9nQA0DXtcnn61Kkf/5//89lvCe4AAADA1xLHcRQla+ydajUp7MXe3kJ/f7tYTHs4AEiB4A4AAAB8VdeeFBfHpdHRwtU19urERBxFaU8HACkT3AEAAIDPFcdxEMfJQ+Fa+XzyvNNCb+/KwECnVkt7OgDYWgR3AAAAYIO1Nfa40yleuFD49NNCb2/h/Pn63FwQx2lPBwBbl+AOAAAAu936553WZ2ZWn3fa11caHo5arbSnA4BtQ3AHAACA3Wfd807Der3Q21v49NNCX1+xt7e5vJz2cACwXQnuAAAAsCusf95peWxs9VBMb29lfDwOw7SnA4CdQHAHAACAnWnD804Lhfy5c8Xe3sL588WBgU61mvZ0ALADCe4AAACwc6ytsUft9srgYOH8+cL588W+vtrMjOedAsBmE9wBAABgG1v/vNPa9HTh3LnkUExpeDhqt9OeDgB2F8EdAAAAtpU4jq8eiulUKvlPPy329hZ6e4t9fa1iMe3hAGBXE9wBAABgq1s7FBOHYWl4uHD+fKGvr9DbW52YcCgGALYOwR0AAAC2nPWHYuozM/lz54p9fYW+vpWhoajZTHs6AODGBHcAAABIXxzHwdVDMe1yOXnS6eqhmEIh7ekAgK9EcAcAAIB0rB2Kidrt0tBQ/vz5Yl9fsbe3OjXlUAwAbEeCOwAAANwia4U9iOPKlSvJGnuxv7908WLUbqc9HQDwTQnuAAAAsFnWn2JvLi7mP/202NdX7OsrXrjQqVTSng4A6DLBHQAAALonjuOrp9g7lUpyhL3Y31/s728sLKQ9HACwuQR3AAAA+AbiOI6i1VPsrVZxYGC1sPf1OcUOALuN4A4AAAA3Z+0UexyG5dHRQm9vssNevnQpDsO0pwMAUiO4AwAAwJe47mGna1diVoaHo2Yz7ekAgK1CcAcAAIDrXSvsQVCdnCz29hYHBooDA6WhoU6tlu5sAMCWJbgDAADAhsJem54u9vUVBwaK/f2loaF2uZzubADAdiG4AwAAsButL+z12dlCb+/KhQvFgYGVwcH2ykq6swEA25TgDgAAwK5wXWEv9vUVL1xYGRxcGRhoFYvpzgYA7AyCOwAAADvThisxU1OFvr6VCxdWLlxYGRqyww4AbAbBHQAAgB0hjuMoWi3scVy5fLnY378yOLgyOLgyNNSpVNKeDwDY+QR3AAAAtqc4juM409MTBEEchuVLl1YuXCheuLBy4ULp4sWwXk97PgBg1xHcAQAA2B7iKMpkMkEmEwRB2Gisbq8PDq4MDVUuXYra7bQHBAB2O8EdAACALWr9EfZWPl8cGFgZGioND68MDtay2TiK0h0PAOA6gjsAAABbw8Yj7LWpqaSwJ5G9ubiY9nwAAF9CcAcAACAdcRhmenrWTsSULl4sJXn94sXyyEinVkt7QACAmyO4AwAAcEusX2APgsb8/MrgYOnixZXh4dLwsBMxAMAOILgDAACwKdYvsEetVmlkpDQ4WBoZWRkeLo+MtEultAcEAOgywR0AAIBu2LjAXp+ZWRkcLI2MlC5eLI2M1LLZOAzTHRAAYLMJ7gAAANy8jXm9XSqVLl5M2nr54sXy6KgL7ADALiS4AwAA8OXiMFzL61GzWRodLV28WB4dLY+MlEZHm0tLQRynOyEAQOoEdwAAAK63/vx63OlULl8uXbxYvnSpPDpaHh2tTU97wCkAwGcJ7gAAALvdhrwehrVstjQyUh4dLY2OlkdHqxMTzq8DAHwVgjsAAMDusv44TByG1StXSiMj5UuXymNjlUuXqpOTUbud7oQAANuU4A4AALBzbXy0adRqVS5fLo+MlMfGymNjlfFx2+sAAF0kuAMAAOwQyV31TE9P8mm7XK6MjVXGx8tjY5WxsfLYWH1mxu11AIDNI7gDAABsQ3Ech2Fm7961T+uzs6WRkcrly5XLlyvj45Xx8VahkOqIAAC7juAOAACw1cVhGGQya6vrnWo12VuvXr5cHh+vXr5czWajVivdIQEAENwBAAC2kDiKgji+dnW93a5NTSXH1itXrlQnJirj483l5SCO050TAIDPEtwBAADScV1bj6OoPjt7ra1fuVKdmKjPzXmoKQDAdiG4AwAAbLrrHmcaR1Fjfj5p69WJicrERHVioj49HXU6qY4JAMA3IrgDAAB0TxzHUZTp6QkymeQLUbtdy2YrV67Ustnq5GQ1m61NTtZnZrR1AICdR3AHAAD4Oq47CBMEQXtlpToxsVbVq1NTtWy2ubiYrLcDALDjCe4AAABfKIrijWE9arVq09PVycna1NTqa3q6ls12qtUUxwQAIHWCOwAAQBDcaGM9arcbc3PVycnazEx9ero2M5O09ebSUhDHKY4KAMDWJLgDAAC7SxyGQSaz9vzSIAiiZrM+O1udmqrPzNSmp9fem0tLrsEAAPDVCe4AAMAO9Nl19SAIWvl8bWamPjNTn5urz87WZ2aST1vFoo11AAC+OcEdAADYrm5Y1Tvlcn1urjY93ZifXw3rc3P12dnG/HzUbqc1KgAAu4HgDgAAbGFxHEfRdRdggiBoFYuN+fn67Gwjl2vMz9fn5xtzc/W5ufr8fFirpTUsAAC7nOAOAACk6nOSetRsNhYWks30xsLC2ns9l2suLNhVBwBgCxLcAQCAzbV6+KWnJ8hk1n+9U602FxcbuVxjYaG5uNhYWGguLTUXFhq5XCOXa1cq7qoDALC9CO4AAMA3EodhEASf7elxGLby+aSeNxcXG0lMX1xsLi42l5aai4tho5HSyAAAsCkEdwAA4HMlMf2z916CIOhUq63l5cbiYmt5ubm01Fz3nnylXS5bUQcAYFcR3AEAYDeKoyiIoqCn57MlPYjjdrncKhSaS0utfL61vNwsFFqFQmt5ubm83Fxebi0vt/J5V9QBAOA6gjsAAOwcqxk9k8ns2XOjb8ftcrldLDbz+dbycqtYbOXzrUJh9YNisVUotAuFVrG4utgOAADcDMEdAAC2sDhOnjj6uQ09CKJ2u1Mur+byYrG1stK++moVi+1ice29U6nEUXSL/wYAALB7CO4AAHCrJPU8CIIbPWL02k+FYada7ZTLq+m8VOqUy+1yuX310w3vpZJHjwIAwBYhuAMAwM2I4ziOg+SVPEr0c7p58sOdWq1TrXaq1U6p1C6XO5VKp1rtVCrtcjnJ6J99DxsNzxoFAIDtSHAHAGDX2NjKV3P5l4na7ajR6NRqnVotyeVhtdqp1Vbf6/V2uZw09NX35INqtVOthvW6dA4AALuH4A4AwFa1doAladZfuk5+3W+HYdhoRM1mWK936vWwVuvUamGtFjYaYb2efJAU8w2f1mpJKE/ew1ot6nQ27W8IAADsKII7AAA3b/2qeBCsRvBMJpPJfPUgfu0f1ulErVbUbq/28UYjeUWNRthshs1m8sUo+frVT9d/JazXr3169VtCOQAAcIsJ7gAA21McB0EQryXvboTvDf/4TifqdOJ2O0pezWbYakWtVpQU8OTjz77a7eSD1Z9pNq99nPxu8sW1jN5sxu322nNEAQAAtjXBHQDg61rb8g6C1ZvgiW707iCOo04n7nSS3r22A74hbbfbUat1rYknn3Y6UfLDrdaNv7vx16//evKVTsflcQAAgJsluAMAO8gNC/hXezDmjf95V3t31G7H7fbaivfavva1Zr0uf4frM3erlfzu53167Y/Y+K04DLv3nwsAAAC3guAOAKQhiuL1Wfwmm3gchtfuliQnvNcf+F7XxDccP1l3FGXti9d+YP3yePKy5Q0AAMDNENwBgJsQR9HqczK/ciWPoyha91jLsFbr1GphoxHW62G9vuFbaw/MTD69GtOvJfWrh79tfwMAALAFCe4AsMskR1ei6CsV8zhejePVaqda7VQqnWq1U6utRvN6vVOthvV6WKt16vWwWg3r9fUxfTWpt9u36u8GAAAAaRLcAWA7i+PVlfOeni9I51GrtdrKK5V2qdSpVJJP25VKp1JZjenrX5VKp1oNa7Ww2XRTBQAAAL4iwR0AtpY4ipL188yePTf8gaSet0ul9spKe2WlXS53yuV2ubz2wXXvnUol6nRu8d8CAAAAdiHBHQBuhdU99M854RK120lAb+XzrWJxNaYXi+1SqZVU9ZWV1S+WSlGrdevnBwAAAL6U4A4A30xy1CUIbrCQHsedSqVVKDTz+VY+3yoUWoVCu1hsFQqt5L1QSGJ62GikMDkAAADQVYI7AHy+z4/pUbvdLhabS0vNxcXm8nIrn19f1VuFQiufb5dKcRimMTcAAACQAsEdgF3s83t6u1xuLS83FhaSnt5cWmotLzeXl1vLy82lpWY+36lWPU0UAAAAWE9wB2BHS5L6Zy6nR81mY3Gxkcs1crnVLfWlpebiYmNxsbm42Mrno3Y7rZEBAACAbUpwB2DbS862XLelHjWbjYWF+tzcalVfXGwsLKx9YD8dAAAA6DrBHYDt4QZVPY5bhUJ9bq4+O7sW1tdekjoAAABwiwnuAGwhcRQFcXzdrnqrUKjPztZnZupzc/W5ucbcXH1+vjE/38jlHH4BAAAAtg7BHYAUfDasR61WfXa2ms3WZ2bqMzO12dnG/Hx9draRy0WtVoqjAgAAAHxFgjsAm+izYT2s12szM7XJyVoS1pP36elWoeACDAAAALCtCe4AdEMcx1GU6ekJMpnkC1GrVZuerl65UpueTl716enazEy7VBLWAQAAgB1JcAfgJkVRvHFpvVUoVCcmqhMTtampajZby2ZrU1ONxUVhHQAAANhVBHcAPt/Gth5HUWN+vnL5ci2brWaz1cnJWjZby2Y7tVq6YwIAAABsBYI7AEEQXL0Js7a3HseNXK48Pp6srlcnJipXrtSnp6N2O9UpAQAAALYuwR1gN4rDcP299fbKSmV8vDw+Xr1ypXLlSvXKlWo2GzWb6Q4JAAAAsL0I7gA73cbV9bjTqU5Oli9dqoyPJ229cuVKe2Ul3RkBAAAAdgDBHWBn2ZjXO5VK+dKl8thYZXw8edWmp+MwTHdGAAAAgB1JcAfYzqIoDoJMT0/yWatQKI+MlC9dKo+PVy5dKo+NNZeXgzhOd0YAAACAXUJwB9g+Nm6vt/L50sWL5UuXyqOj5bGx8thYu1hMd0AAAACA3UxwB9i64jBcy+vtUql08eLqAvulS+XR0Za8DgAAALCVCO4AW0UcRZlMJshkgiCIO53y+HhpaKg0MlIaGSmPjDQWFhyHAQAAANjKBHeAlGy8D9PI5VYGB0sXL5YuXiyNjFSvXPFoUwAAAIDtRXAHuEXiKAquPuA0arVKIyOlwcHSyEgS2dulUtoDAgAAAPCNCO4AmyUOw0xPT3Iipl0qrVy4sDI4uDI0tDI0ZIEdAAAAYOcR3AG6Zv0zThu5XHFgYGVwsDQ0tDI4WJ+fd4EdAAAAYGcT3AG+vmuFPY6rk5PrC3urWEx7OgAAAABuKcEd4CZcV9gLvb3F/v6VCxdKw8OdWi3t6QAAAABIk+AO8EXWX4mpz84Wzp8vDgwU+/tXBgc7lUq6swEAAACwpQjuABvEUZTJZJInnTaXlpId9mJ//8rAgCsxAAAAAHwBwR3Y9eI4jqJkjb1TqRTOn08Ke3FgoJHLpT0cAAAAANuG4A7sRmuHYuIwLI2MFD79tNDbW+jtrU5MBHGc9nQAAAAAbEuCO7A7xHEcx5meniAImouL+U8+KfT2Fs6fXxkcDBuNtIcDAAAAYCcQ3IEda22NPWq3VwYG8p9+Wjh/vtDb25ifT3s0AAAAAHYgwR3YQdatsTdyueWPPy6cO1fo7S0ND0ftdtrDAQAAALDDCe7A9nbtGnsUlYaH8598kj93Ln/unDV2AAAAAG4xwR3YftYie6dazZ87l//kk/wnnxQHBsJaLe3RAAAAANi9BHdgO4jjOIqSyN7I5ZY//DCJ7OVLl+IoSns4AAAAAAgCwR3YsuI4Dq4eZC+Pja1G9nPn6rOzaY8GAAAAADcguANbSBxFmUwmyGTiKFoZHFz+4IPljz/OnzvXLhbTHg0AAAAAvoTgDqRsLbJH7Xbh/Pnljz7Kf/RR4fz5joPsAAAAAGwrgjuQgjiKklsxUbudP3du+YMPlj/8sNDXFzWbaY8GAAAAAF+T4A7cItcie6uV/+STpQ8+WP7ww2J/f9RqpT0aAAAAAHSB4A5sovXnYvLnzi29997yBx8U+/ujdjvt0QAAAACgywR3oNviOAiCtZvsS++/v/zBB4XeXpvsAAAAAOxsgjvQDXEcx3GmpyeI4+LAwOI77yy9917h/Pmw0Uh7MgAAAAC4RQR34OuLwzCzZ08QBJXx8YV33ll+//3lDz9sl8tpzwUAAAAAKRDcgZuzFtkbudzCW28tvffe0vvvN5eW0p4LAAAAAFImuANfLo6iTE9PEATtcnnpnXcW33136b33qtns6rl2AAAAAEBwBz7X1bPsUbud//jjxbNnF999tzQ8HEdR2pMBAAAAwFYkuAMbbDjL/tZbC++8k//oI88+BQAAAIAvJbgD6y7GrKwsvP324l+kjhQAABVuSURBVNmzi++808jl0p4LAAAAALYTwR12q6sXY+IwzJ87t3j27MLbb5eGhlyMAQAAAICvR3CH3WXtYkxtenrhzTcX33ln6f33O9Vq2nMBAAAAwLYnuMMusPb402Zz4ezZxbffXnj77drUVNpjAQAAAMCOIrjDjrW2zF6dnMy99trCW28tf/xx1GqlPRcAAAAA7EyCO+ws65bZF999d+GttxbeessyOwAAAADcAoI77ATrL7PPv/bawptvLn/0UdRspj0XAAAAAOwigjtsY3EUZXp6onZ7+f33c2+8sfDWW9XJybSHAgAAAIBdSnCHbSaJ7EEQNHK53Guv5V5/femDD8J6Pe25AAAAAGC3E9xhe1g9GhPHxf7+pLOXRkaCOE57LgAAAABgleAOW9jVJ6CG9frCm2/mXn899+abrXw+7bEAAAAAgBsQ3GHLWTsaU5+bm3/11dxrry1/9FHUbqc9FwAAAADwRQR32CquHY3p65v/619zr71WHhtzNAYAAAAAtgvBHVKW7LOHjcbCW2/l/vpXR2MAAAAAYJsS3CEFcRxngiDIZFr5/NyZM/Ovvrr0/vtRs5n2XAAAAADA1ye4w62zdpy9evny3CuvzP/1rysDA3EUpT0XAAAAANAFgjtsurXj7IVPP51/9dX5M2eq2WzaQwEAAAAAXSa4w2ZJOnvUbi+ePTt/5kzu9deby8tpDwUAAAAAbBbBHbosuRvTqVTmX311/tVXF8+e7dRqaQ8FAAAAAGw6wR26IY6DIAgymebS0txLL82dOZP/6KOo00l7LAAAAADg1hHc4RuIoiCTCTKZ2tTU7EsvzZ85U+zv9xBUAAAAANidBHe4acnRmCAISiMjSWcvj42tLrkDAAAAALuV4A5fVfIQ1CAIiv39cy+9NPfKK7WpqbSHAgAAAAC2CsEdvsRqZ4/j/CefJPvsjVwu7aEAAAAAgC1HcIcbSzp7HIZL7747+/LL86++2srn0x4KAAAAANi6BHfYYLWzdzoLb789+5e/5F5/vb2ykvZQAAAAAMA2ILhDEFzt7FG7nXv99bmXX869/nqnUkl7KAAAAABgOxHc2dVWO3urlXvttdm//GXhzTc7tVraQwEAAAAA25Lgzm50XWfPvflmqLMDAAAAAN+M4M4ucq2zv/767F/+knvjDZ0dAAAAAOgWwZ2d79p99uRuzBtvuBsDAAAAAHSd4M6OtdbZF954Y/bFF3Ovv66zAwAAAACbR3Bnp0k6e9zp5N58c7WzVyppDwUAAAAA7HyCOzvEamcPw8WzZ2deeCH317+2y+W0hwIAAAAAdhHBne0tjqJMT08Qx/mPP55+/vn5l19uFYtpDwUAAAAA7EaCO9vSamcPgmJ//8xzz8299FJjYSHtoQAAAACAXU1wZzuJ4zgTBEEmUx4dnXnuudkXX6xNT6c9FAAAAABAEAjubA9xHARBkMnUstmZ06dnXnihMj6e9kwAAAAAABsI7mxpyemYxsLC9OnTM88/XxoeXo3vAAAAAABbjODOVhSHYWbPnnaxOP3cc7PPP1/o7Y2jKO2hAAAAAAC+iODOFpJ09rDRmHvppZnnnlt6772o00l7KAAAAACAr0RwJ31JZ4/DMPfmmzOnT+defz2s19MeCgAAAADg5gjupCa5zx4EQf7TT2eefXb25ZfbxWLaQwEAAAAAfE2CO7dc8tTTTKZy6dL0s8/OPP98fW4u7ZkAAAAAAL4pwZ1bJ1lpr+dy06dOzZw+Xb50Ke2JAAAAAAC6RnBn0yUn2tvl8uzzz0+fPl349NM4itIeCgAAAACgywR3NkvS2aN2e/7VV2dOn154662o3U57KAAAAACAzSK4021xHGQyQRznP/lk+tSpuZdfbpfLac8EAAAAALDpBHe6ZO1RqJcvT508OXP6tEehAgAAAAC7iuDON5U8CrVVKEyfOjX97LMrw8Or8R0AAAAAYDcR3PmaVk+0N5tzL7889eyzS+++G4dh2kMBAAAAAKRGcOcmRVHQ0xPE8fKHH06dPDl/5kynWk17JgAAAACA9AnufFXJ6ZjKxMTUU09NP/dcY34+7YkAAAAAALYQwZ0vkZyOaReLU88+O33y5MrQkBPtAAAAAACfJbhzY8k+e9Ruz585M33q1OLZs1Gnk/ZQAAAAAABbl+DORsn2eiZT7Oubevrp2b/8pV0qpT0TAAAAAMA2ILizKllpr+dyU08/PX3yZHVyMu2JAAAAAAC2E8F9t0tOtIeNxuwLL0ydPJn/+OM4itIeCgAAAABg+xHcd6k4jjOZTBDHyx9+OPXMM3NnzoS1WtpDAQAAAABsY4L7rpOcjqlls1NPPz196lR9bi7tiQAAAAAAdgLBfbdITsd0qtWZ556beuaZQm/v6vNRAQAAAADoBsF9h1s7HbP07rtTzzwz/9e/ho1G2kMBAAAAAOxAgvuOtXY6Jvvkk9OnTjVyubQnAgAAAADYyQT3nSY5HRPWajPPPZd9+mmnYwAAAAAAbg3BfYdYOx2z/NFH2aeemj9zJqzX0x4KAAAAAGAXEdy3veR0TGN2Nvvkk1OnTtVnZtKeCAAAAABgNxLct6vV0zGNxuyLL049/fTyxx87HQMAAAAAkCLBfbtJqnomUzh/PvvUU3N/+UunVkt7JgAAAAAABPftI1lpby4tZZ98cuqZZ6qTk2lPBAAAAADANYL7VpecaI/DcO6VV6aeemrx3XfjMEx7KAAAAAAArie4b11Jaq+MjU0+8cTMc8+1CoW0JwIAAAAA4HMJ7ltOcjqmU6lMnzqVffrplcFBT0MFAAAAANj6BPct42pVX/7ww+yJE3Ovvho1m+lOBAAAAADAVye4py9Zaa/nctkTJ6ZPnqxNT6c9EQAAAAAAN01wT01yoj1qt+defjn75JPLH3wQR1HaQwEAAAAA8DUJ7ilIUnt5dDR74sT06dPtlZW0JwIAAAAA4JsS3G+d1aehVqvTp05ln3xyZXAw7YkAAAAAAOgawX3zJU9DzWTyn3wyeeLE/CuvhI1G2jMBAAAAANBlgvsmSlbam8vL2SefnHrqqWo2m/ZEAAAAAABsFsF9E8RxkMnEYZh7/fXsiRMLb78dh2HaMwEAAAAAsLkE925KnoZazWYnjx+fPnWqubSU9kQAAAAAANwignsXJJ09arVmXnghe+JE/ty51bvtAAAAAADsGoL7N5Kk9tLw8OTx47MvvNAul9OeCAAAAACAdAjuX0fyNNROpTJ18mT2qadKQ0NpTwQAAAAAQMoE95uRHIrJZPLnzk0+8cT8K6+EjUbaMwEAAAAAsCUI7l9JstLeKhazTz6ZffLJ6sRE2hMBAAAAALC1CO5fJI7jTCYTxPHi2bOTTzyx8MYbUaeT9lAAAAAAAGxFgvuNJSvtjVwue/z41DPP1Ofm0p4IAAAAAIAtTXDfKIqCnp44DOfPnJk8cWLp3XfjKEp7JgAAAAAAtgHBfVUcRZmenurU1OTx49MnTzaXl9OeCAAAAACA7WS3B/eks0ft9uyLL2ZPnFj++OMgjtMeCgAAAACA7Wf3BvcktVfGxiaPH58+fbq9spL2RAAAAAAAbGO7LrgnnT1sNGZOn548caLY32+lHQAAAACAb24XBfcktZeGhiaOH599/vlOtZr2RAAAAAAA7Bw7P7jHYZjZs6dTrU6fPDl54kRpeDjtiQAAAAAA2IF2cnBPVtqLfX0Tjz8+9/LLYb2e9kQAAAAAAOxYOzC4Jyvt7VJp6umnsydOlMfG0p4IAAAAAICdbwcF9+TZp5lM/pNPJh9/fO7MmajVSnsmAAAAAAB2i50Q3JOV9laxmH3qqeyJE9WJibQnAgAAAABg19nOwT1ZaQ+Cpfffnzx+PPfaa1G7ne5EAAAAAADsWtsyuCcr7c18PvvEE9mnnqpNTaU9EQAAAAAAu922Cu5XV9oXz56dPH4898YbcRimOxEAAAAAACS2R3BPVtobi4vJSnt9djbtiQAAAAAAYIMtHdzjOM5kMnEU5d58M3v8+MLbb1tpBwAAAABga9qiwX31SnsuN/H441NPP93I5dKeCAAAAAAAvsjWCu7XVtpfe23y+PHFd9+10g4AAAAAwLawVYL76pX2ubnJxx+feuaZxsJC2hMBAAAAAMBNSDm4r660h+HcK69kn3hi6f334yhKdyQAAAAAAPgaUgvuyUp7fWZm8s9/njp5srm0lNYkAAAAAADwzd3y4B7HQSYTh+HsSy9ln3hi+cMPrbQDAAAAALAD3Lrgnqy0V7PZyccfnzp5spXP37I/GgAAAAAANtumB/c4ijI9PVG7PffSS5NPPLH80UdBHG/2HwoAAAAAALfYJgb3JLVXJycnH398+uTJVrG4eX8WAAAAAACkq/vBfW2lffaFFyafeCJ/7pyVdgAAAAAAdrxuBvfVlfYrVyb+/Ofp06fbVtoBAAAAANg1uhDc11baZ55/Pnv8eP78eSvtAAAAAADsNt8ouCepvTI+PvHnP8+cPt0ulbo1FgAAAAAAbC9fJ7ivrrQ3m9PPPZd94olCX5+VdgAAAAAAdrmbC+5Jai+Pjk4+/vjMc8+1y+VNGgsAAAAAALaXrxTck84eNhozzz47eeJEcWDASjsAAAAAAKz3JcE9Se2lixcn//znmeef71Srt2YsAAAAAADYXm4c3FdX2uv16VOnJp94YmVw8BaPBQAAAAAA28uNg3uxvz974sTsCy90arVbPBAAAAAAAGxHNw7u5/73/67Pzt7iUQAAAAAAYPvqSXsAAAAAAADYCQR3AAAAAADoAsEdAAAAAAC6QHAHAAAAAIAuENwBAAAAAKALBHcAAAAAAOgCwR0AAAAAALpAcAcAAAAAgC4Q3AEAAAAAoAsEdwAAAAAA6ALBHQAAAAAAukBwBwAAAACALhDcAQAAAACgCwR3AAAAAADoAsEdAAAAAAC6QHAHAAAAAIAuENwBAAAAAKALBHcAAAAAAOgCwR0AAAAAALpAcAcAAAAAgC4Q3AEAAAAAoAsEdwAAAAAA6ALBHQAAAAAAukBwBwAAAACALhDcAQAAAACgCwR3AAAAAADoAsEdAAAAAAC6QHAHAAAAAIAuENwBAAAAAKALBHcAAAAAAOgCwR0AAAAAALpAcAcAAAAAgC4Q3AEAAAAAoAsEdwAAAAAA6ALBHQAAAAAAukBwBwAAAACALhDcAQAAAACgCwR3AAAAAADoAsEdAAAAAAC6QHAHAAAAAIAuENwBAAAAAKALBHcAAAAAAOgCwR0AAAAAALpAcAcAAAAAgC4Q3AEAAAAAoAsEdwAAAAAA6ALBHQAAAAAAukBwBwAAAACALhDcAQAAAACgCwR3AAAAAADoAsEdAAAAAAC6QHAHAAAAAIAuENwBAAAAAKALBHcAAAAAAOgCwR0AAAAAALpAcAcAAAAAgC4Q3AEAAAAAoAsEdwAAAAAA6ALBHQAAAAAAukBwBwAAAACALhDcAQAAAACgCwR3AAAAAADoAsEdAAAAAAC6QHAHAAAAAIAuENwBAAAAAKALBHcAAAAAAOgCwR0AAAAAALpAcAcAAAAAgC4Q3AEAAAAAoAsEdwAAAAAA6ALBHQAAAAAAukBwBwAAAACALhDcAQAAAACgCwR3AAAAAADoAsEdAAAAAAC6QHAHAAAAAIAuENwBAAAAAKALBHcAAAAAAOgCwR0AAAAAALpAcAcAAAAAgC4Q3AEAAAAAoAsEdwAAAAAA6ALBHQAAAAAAukBwBwAAAACALhDcAQAAAACgCwR3AAAAAADoAsEdAAAAAAC6QHAHAAAAAIAuENwBAAAAAKALBHcAAAAAAOgCwR0AAAD+/3bumCXqMIDjOGpeWHQGQtAiingQvhh3oTfQ4qxr0Gir0BsId+dmoVEXcbmGG5yENo27lqZqim9dB5/P+PDn4bf+v8MDABAQ3AEAAAAAICC4AwAAAABAQHAHAAAAAICA4A4AAAAAAAHBHQAAAAAAAoI7AAAAAAAEBHcAAAAAAAgI7gAAAAAAEBDcAQAAAAAgILgDAAAAAEBAcAcAAAAAgIDgDgAAAAAAAcEdAAAAAAACgjsAAAAAAAQEdwAAAAAACAjuAAAAAAAQENwBAAAAACAguAMAAAAAQEBwBwAAAACAgOAOAAAAAAABwR0AAAAAAAKCOwAAAAAABAR3AAAAAAAICO4AAAAAABAQ3AEAAAAAICC4AwAAAABAQHAHAAAAAICA4A4AAAAAAAHBHQAAAAAAAoI7AAAAAAAEBHcAAAAAAAgI7gAAAAAAEBDcAQAAAAAgILgDAAAAAEBAcAcAAAAAgIDgDgAAAAAAAcEdAAAAAAACgjsAAAAAAAQEdwAAAAAACAjuAAAAAAAQENwBAAAAACAguAMAAAAAQEBwBwAAAACAgOAOAAAAAAABwR0AAAAAAAKCOwAAAAAABAR3AAAAAAAICO4AAAAAABAQ3AEAAAAAICC4AwAAAABAQHAHAAAAAICA4A4AAAAAAAHBHQAAAAAAAoI7AAAAAAAEBHcAAAAAAAgI7gAAAAAAEBDcAQAAAAAgILgDAAAAAEBAcAcAAAAAgIDgDgAAAAAAAcEdAAAAAAACgjsAAAAAAAQEdwAAAAAACAjuAAAAAAAQENwBAAAAACAguAMAAAAAQEBwBwAAAACAgOAOAAAAAAABwR0AAAAAAAKCOwAAAAAABAR3AAAAAAAICO4AAAAAABAQ3AEAAAAAICC4AwAAAABAQHAHAAAAAICA4A4AAAAAAAHBHQAAAAAAAoI7AAAAAAAEBHcAAAAAAAgI7gAAAAAAEBDcAQAAAAAgILgDAAAAAEBAcAcAAAAAgIDgDgAAAAAAAcEdAAAAAAACgjsAAAAAAAQEdwAAAAAACAjuAAAAAAAQENwBAAAAACAguAMAAAAAQEBwBwAAAACAgOAOAAAAAAABwR0AAAAAAAKCOwAAAAAABAR3AAAAAAAICO4AAAAAABAQ3AEAAAAAICC4AwAAAABAQHAHAAAAAICA4A4AAAAAAAHBHQAAAAAAAoI7AAAAAAAEBHcAAAAAAAgI7gAAAAAAEBDcAQAAAAAgILgDAAAAAEBAcAcAAAAAgIDgDgAAAAAAgaXZbPbr6dfr6+nDw79fA/yZTxcXH8/P3x8dPVlbm/cWABbe8cnJq52d1/v78x4CwML7fHn54ezs7eHhi42N5MKllZXl1dXp/f1sOk0uBGCBvDs9fT4cvjk4mPeQH57t7i4PBj8dPvr9p6PR398DZO6vrm7G46ej0XA4nPcWABbel9vbl9vb63t78x4CwMKbTiY34/Hjra31zc15bwFg4U3u7r4NBv/5r4onZQAAAAAAICC4AwAAAABA4DvcQ4kDW7m/vwAAAABJRU5ErkJggg==", null, "data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAB9AAAAH0CAIAAADqtyE0AAAABmJLR0QA/wD/AP+gvaeTAAAACXBIWXMAAA9hAAAPYQGoP6dpAAAgAElEQVR4nOzdd5SfdZ02/vub0MH6wCoEwbW7/nYfXRZXoyIlEFoIvUQgRAhVKZKIGBZXEaQICoIIAREklAgEIllInWRSJpmUSa+TSZnJTKb3Pvf9+f0xEV0fkAQmuae8XofjOaKHc/2RkJlr3t/rkwkhRAAAAMAeE0JIkiiTyfTr93f/S9LW1tHUFDc2djQ2Jm1tIY6Tjo7Q0ZHp37/fvvv232+/zv/c68AD9zrggCiT+ft/cBxn+vX7f/8+ALBn7JV2AAAAAOjNQhxn+vd/67+2lJU1bdnStG1bc0lJS0lJS3l5W3V1W3V1W1VVe21tiOOd/Mdm+vXb68AD9/rgB/f5yEf2O+SQfQ85ZN9DDtn/0EMPPPLIgz796f3+6Z921O4hhCT52wAAwO6TceEOAAAAXeZvCu6QJI2bN9euXt2wYUP9xo0f+tKXPnvNNW/++7+319bu7hT99t33wCOO+MDnPveBz33ug5///Ae/+MUDBgzorOD/7gcAAEAXcuEOAAAA78tbFXaI47q1a6vz8mqWL69ds6Zh48aktfWt/9u+Bx+8xyIlra31GzbUb9gQTZrU+Xf2OuigD33pSx/+13/90L/+60f//d/3P+ywSPkOAF1N4Q4AAAC77K2quqOxsXL+/Mrc3KpFi2pXr07a2tKO9vY6GhoqFyyoXLCg87/uP2DAwV//+sFf//oh3/xm508CQpL8v5vyAMAuUbgDAADATgkhZKIoymSS1taK+fPL58ypmD+/ft26nR9e7z6at20rfOmlwpdeijKZD3z2sx879th/Ou64jx51VKZ/f2fvAPCeKdwBAADgH3mrgK5ft640K6t89uzqvLxue8m+y0KoX7++fv36/Mcf3/sDHzjkmGM+fuKJHz/hhP4HHODmHQB2lcIdAAAA3kZnz560tpZlZ5dmZZXNnNlSWpp2qN2rvb6+eNKk4kmT+u2zz8Ff+9qhgwcfdvrpex10kJt3ANhJCncAAAD4q85yOW5u3j51avEbb5TPnh03N6cdak9L2trKsrPLsrNX/PSnHzvuuMPPOutjxx+f6d/fzTsA/GMKdwAAAPhLz97Ssn3KlG2vv14+e3bvGY15H5K2tpLJk0smT97nwx8eMHToJ7/znYM+/Wm1OwC8E4U7AAAAfVdndxw6OkpnzNj25z+XZmX1wXv2ndFWU7Pp6ac3PfPMR7785SMvumjAkCH99tlH8w4Af0fhDgAAQN8TQhRFUSZTnZdX9MorxW+80V5bm3amniCE6ry86ry8VXfe+Ylzz/3U8OH7Dxhg4R0A3qJwBwAAoA/pbIebS0u3vvhi0YQJTYWFaSfqkdprawuefHLTU0/907e//c/Dhx/yrW+5dgeASOEOAABAX7BjOiaOS958c+v48RXz5oUkSTtUjxeSpDQrqzQr6wOf+9xnrrxywBlnZPr1izKZtHMBQGoU7gAAAPRmO07ai4o2P/dc4csvt1VVpZ2oF6pfvz5v1Ki1Dzzwqcsv/+RFF/XbZx+1OwB9k8IdAACA3iiEKJMJcVwyefKW556rXLDASfvu1lxcvOqOOzY88sinR4781PDhancA+iCFOwAAAL1K50l7a2Xl5mef3friiy1lZWkn6lvaqqrW3HPPxrFjP33FFf88fHj/ffdVuwPQdyjcAQAA6CU6h9qrFi/e9MwzpVOnJh0daSfqu9qqqtbce+/GJ5747NVXf/LSS/vttZfaHYC+QOEOAABADxdClMkk7e3bXnut4A9/qFuzJu1A7NBWVbXqrrs2/v73n/v+9484//woijL9+qUdCgB2I4U7AAAAPVXnSXtbdfWmp5/e/NxzHkTtnlq2b18+ZszGxx//ws03H3baaZ2bP2mHAoDdQuEOAABAz9NZ2jZs3Lhx7Nhtf/5z0taWdiLeReOWLYuvv77gqae+dNttH/nylzt/WJJ2KADoYgp3AAAAepLOorYiJ2fj2LHlc+dGIaSdiF1QnZc359xzDz355C/deuv+AwZ0zgGlHQoAuozCHQAAgB4ihJAk2yZO3PjEE3Vr16adhvcqhJI33iidMePTl1/+ue99L7P33k7dAeg1FO4AAAB0byFEmUzc3Lx53LiCp55q2b497UB0gaS1dcNvf1s0YcK/3HqrYXcAeg2FOwAAAN3UjjdRa2oKnnxy87hx7XV1aSeiizWXlCy+/vrN48b92x13HPTpT1uYAaCnU7gDAADQ7XRW7S0lJRsefbTwlVeS1ta0E7EbVS5YMOvUU/95xIgv3HSThRkAejR/hgEAANCNhDiOoqghP3/JDTdMP+64Lc8/r23vC5KOjo1jx84YNKh02rQoikKSpJ0IAN4LF+4AAAB0C50r3jXLlq1/5JGyWbOiENJOxJ7WXFy88JprPnbCCf/285/vd8gh5mUA6HFcuAMAAJCyznPm8rlz51544ZzzziubOVPb3peVTp+eNWjQpj/+MQqh8xMPANBTKNwBAABITUiSKITtkydnDxmyYMSIqoUL005Et9DR2Ljypz+dc955DZs2pZ0FAHaBSRkAAABSEEKIkqTo1Vfzf/e7hoKCtOPQHVXn5WWffvpnr7vus9deG0VRpn//tBMBwLtQuAMAALBnhZB0dGx98cWNY8c2FRWlnYZuLWlvX/frX2+fMuUr99//gc99Lu04APAuFO4AAADsESFEmUzc0rL52WcLnnyypaws7UD0GLWrV2efccZnr7vus9ddF4Xg1B2AbkvhDgAAwG4WQpTJdDQ1FTz11KannmqrqUk7ED3PjlP3adP+/Ve/OuhTn0o7DgC8PYU7AAAAu0tIkky/fm21tQVPPLH52Wfb6+vTTkTPVrty5azTT//CD37w6csvD0ni1B2A7kbhDgAAQNfrrNpbKyryf/e7rePHx83NaSeil0haW1f/4hel06d/5f779z/00CiTSTsRAPxVv7QDAAAA0KuEJImiqKWkZNmYMdO//e1NTz+tbafLVebmzjz55K0vvRT95ZccAHQHLtwBAADoGiGOM/37N27atP7hh4snTQpxnHYierOOxsZlP/pR6YwZX77nnr0OOijTz00hAOnzpxEAAADvV2e3XrdmzcKrr5558snbJk7UtrNnbJ8yZebgwRVz50ZRFIWQdhwA+joX7gAAALx3nVftVQsXrn/kkYqcHI0ne15LWdn8ESM+ddll/3LrrVEUeUkVgBQp3AEAAHgvOp9FLc3Kyn/00eqlS9OOQ98WQsFTT1Xm5v7Hww8f8IlPeEkVgLSYlAEAAGAXhRDiuOjVV2cOHrzwqqu07XQTtatWzTr99MIJEyIvqQKQEhfuAAAA7JwQokwmaW3d8sILG594orm4OO1A8Pc6GhuXjh5dMXfuv915Z7+99zYvA8AepnAHAADgXXSux7Q3NGx66qlNzzzTVl2ddiL4R4pefbV62bKjH3nkA5//fNpZAOhbFO4AAAC8o843UVvLyjaOHbtl/Pi4qSntRLBTGjdtyj7rrC/9+MefvPjizp8YpZ0IgD5B4Q4AAMDb6Kza69evz3/sseL/+Z8Qx2kngl2TtLau+MlPKnJyvnzvvf3328+8DAB7gMIdAACA/6XzHLh87tyNjz9eMX9+FELaieC9K3nzzdpVq/7j0Uc/9MUvpp0FgN7PJ6oAAACIoijqLNaT9vbCP/1p5uDBC0aMqMjJ0bbTCzQVFs4555zNzz4bRVGUJGnHAaA3c+EOAADQ1+14E7WubtMzz2x+9tnWioq0E0EX65yXqczN/fK99/bbe2/zMgDsJgp3AACAvqtzqL2xoGDjk08WvfZa0tqadiLYjYonTapbs+bo3/3uoE99Kspk0o4DQC+kcAcAAOiTQoiiqHz27ILf/7583jzTMfQRDQUF2Wee+X/vvHPAGWdEIajdAehaCncAAIA+pHM9pqOxceuLL25+9tnGLVvSTgR7WtzUtOQHP6havPj/u/32KIrMywDQhRTuAAAAfcKO9ZhNmzY9/XTRhAkdTU1pJ4L0hLD52WdrV678j0cf3ffggzP9+qUdCIBeQuEOAADQm4UQMplMiOOSN9/c9Mc/Vi1aZD0GOlUvXZp9+ulHPfTQ//na19LOAkAvoXAHAADonTpP2lvLyjaPG7d1/PjW8vK0E0G301pZmXPppV+4+ebPXHVV5+BS2okA6NkU7gAAAL3LXw7Yy2bN2vLcc2XZ2SGO000E3VmI4zX33luzbNlX7r+/3z77mHQH4P1QuAMAAPQSnSftLWVlW154ofCll5qLi9NOBD1GyeTJ9fn5X3388QOPPDLKZNKOA0BPpXAHAADo2Tp3MEIcb58yZcv48RVz5zpph/egYePG7KFDv3LffR8/6aS0swDQUyncAQAAeqrOqr1+/fqt48dvmzixrbo67UTQs3U0NCy89trPXn31F26+OYRg0h2AXaVwBwAA6GE6p2Paa2oKX3218OWX61avTjsR9CIhbHj00ZpVq/7jN7/pv//+Jt0B2CUKdwAAgJ6hs2dP2tu3T5lSNGFC+ezZSUdH2qGgdyrPzs4eMuToxx//wGc+Y9IdgJ2ncAcAAOjWOndjohAqc3O3vfZayeTJ7XV1aYeC3q9x69bZZ5/95XvuOezUU6MQ1O4A7AyFOwAAQHe0o2ePorrVq4tefbV40qSWsrK0Q0HfEjc1Lb7++toVK774wx++9VsSAP4BhTsAAEA38teefc2abX/+c8mbbzYVFqYdCvqwEPIff7x27VqT7gDsDIU7AABA+t7q2WtXriz+n//Rs0O3Up6dnX3GGV8dO/agT33KtgwA/4DCHQAAIDWd76BGIVQvWVLyxhslkyc3l5SkHQp4G41btsw+66yv/PKXHz/ppLSzANB9KdwBAAD2tM6ePWlvL589e/uUKdunT2+rqko7FPAuOhobF1133Wevu+7zN95o0h2At6VwBwAA2BPequdaKytLp04tzcoqnzcvbmpKOxewC0KSrP/Nb+rWrPn3Bx/st/feJt0B+DsKdwAAgN3ordGYmuXLy7KySrOyalevjkJIOxfw3m2fNm320KFffeKJAw4/3KQ7AH9L4Q4AANDF3jpmb6uuLps5s2zmzPI5c9pqatLOBXSZ+vz87KFDj/r1rw855pi0swDQjSjcAQAAukAIIRNFUSYTOjqqFi0qy84umz27fu3akCRpRwN2i/ba2gVXXPGFUaM+c+WVJt0B6KRwBwAAeK9CCCFk+vWLQqhbvbp8zpyKefOqFi+Om5vTTgbsCSGO19xzT92aNV++994oBJPuACjcAQAAdsVbJXsU1a9fXz5vXuX8+ZW5ue11dWknA9KxbeLEhoKCr44du+/BB7tzB+jjFO4AAADv5m8v2detq5g/v3LBgqqFC9uqq9NOBnQLtStXZg8Z8h+//e1Hjzoq7SwApEnhDgAA8DZCHHeuQ4Q4rlm+vHLhwqpFi6oWLWqvrU07GtAdtVZU5HznO//ff//3kRdeGIUQZTJpJwIgBQp3AACAHd4q2TsaGioXLqxevLhq8eKa5cvjlpa0owE9QNLevnzMmNpVq/71v/87iiKT7gB9kMIdAADou0KSZDKZzkPUxs2bqxYtqsrLq160qKGgICRJ2umAHmnLc8815Ocf/eije33wgybdAfoahTsAANC3vHXGHjc3V+flvfVXW01N2tGAXqIyN3fWkCFfffzxD37hC7ZlAPoUhTsAANDLvdWwRyE0bNxYtWRJ9dKlNUuX1ufnhzhOOx3QOzUXF88577wv33PPYaedZtIdoO9QuAMAAL1NCCEKoXPJob22tmrRouply2qWLq1etqyjoSHtdEBfETc3L77hhtpVq744enRIEvMyAH2Bwh0AAOgN3jpjDx0dtatXVy1ZUrN0afXSpU1FRVEIaacD+qoQ8h97rG7duqMeeqj/fvt5RhWg11O4AwAAPVOShCjqvBhtLimpWry4Ji+veunS2tWrk7a2tMMB/FXZzJnZQ4f+5xNPHHjkkbZlAHo3hTsAANBjvHXGnrS11SxfXrVkSXVeXs3SpS1lZWlHA/hHGjdtmn3mmV/51a8+dtxxaWcBYDdSuAMAAN1YCOEva+wtZWVVCxdWLV5cnZdXt3p10tGRdjiAXdBeX7/wyis/f+ONn73uOpPuAL2Vwh0AAOhmOifXM5kohPoNGypzc6sWLapavLi5uDjtZADvS0iStQ88ULtmzVd++ct+e+9t0h2g91G4AwAA3UCSRJlMlMmEOK5dubJiwYKq3NyqxYvb6+rSTgbQxUreeKOxoOCrY8fuf9hhJt0BehmFOwAAkI4QQiaKOkv2mmXLKnJyKnNzq5YsiZua0o4GsHvVrVs364wzjnrwwUO++c20swDQlRTuAADAHrXj4dMQ6lavLp89uyInR8kO9EHtNTULvvvdL44e/emRI6MkiUy6A/QKCncAAGC321GyR1FLaWlZVlbZnDmVOTltNTVp5wJIU4jj1XffXbNixVfuuy+z114m3QF6AYU7AACwe4QQQsj065e0t1fm5JTNmlU2e3ZDQcGON1EBiKIoioonTWooKPjq44/vf+ihJt0BejqFOwAA0JVCkmT69YuiqLmkZPu0aWWzZlUuWBA3N6edC6D7qluzZtaQISbdAXoBhTsAANAF3hqNqVu9umTy5O1TptRv3OiYHWAndU66f+EHP/jM1Ve/9ZNLAHochTsAAPDevfUCatWiRcVvvLF96tSW7dvTDgXQI4U4XnPffTUrVnzl/vv77b23SXeAnkjhDgAA7LLO68uQJJULFhRPmrR96tTWysq0QwH0BiVvvtmQn//VsWMP+MQnTLoD9DgKdwAAYGftWDkIoWrx4m0TJ5a8+WZbVVXaoQB6m/r8/OwzzvjKAw987Pjj084CwK5RuAMAAO+mc4o9k6lfv77wlVeKX3+9pbQ07UwAvVl7ff3Cq676zDXXfOGmm0IIJt0BegqFOwAA8I46J9rbqqsLX3656NVX69auTTsRQF8RkmTDI4/UrFhx1EMP7XXggTp3gB5B4Q4AAPy9EEImkwlJUpqVtfXFF8tmzQpxnHYogL6oPDs7+/TT/+PRRz/0L/+SdhYA3p3CHQAA+KvOk/aWkpLN48YVvfJKS1lZ2okA+rqmoqI55577r7fffsSFF3b+QDTtRAC8I4U7AADwl5X2KCrNyto8blzFnDkhSdJNBMBbktbWZWPGVC1Z8m933hn165fp3z/tRAC8PYU7AAD0aSFJMv36tdXWbhk3bsvzzzeXlKSdCIC3V/jyy7Vr1hz96KMHDBgQuXMH6JYU7gAA0Ed1rsc0bNiw8cknt73+etLamnYiAN5F3erV2UOGfPm++z4+aFAUgtodoLtRuAMAQJ/TedVelp29cezYytzct/ZkAOj+2uvqFl599aevuOKLP/xhlCTmZQC6FYU7AAD0JSGEJCl67bWNjz9ev2FD2mkAeE9C2Dh2bM2yZUc9/PA+H/lIpl+/tAMBsIPCHQAA+oYQkvb2zePGFTz5pKF2gF6gMjd31qmnHvXQQ//nP/8z7SwA7KBwBwCAXi2EKJOJW1o2/eEPBb//fWtlZdqBAOgyrRUVOZdc8vkbbvjstdeGEJy6A6RO4Q4AAL1UCFEm09HcXPDEEwVPP91eU5N2IAC6XojjtQ88ULlgwb8/+ODeH/qQzh0gXf4tDAAAvVEIcWvrhkcemfbNb6578EFtO0DvVj537qxTT61auDDtIAB9ncIdAAB6lZAkSVtb/tix0775zbUPPNBeW5t2IgD2hJayspxLLln34INRCCGO044D0EeZlAEAgF4iJEkmkykcP37dQw+1lJamHQeAPS3E8fqHHqpcsOCohx7a56MfNS8DsOf5Ny8AAPR4nZeMZVlZM08+edmYMdp2gL6scsGCmSefXJ6dHUVRFELacQD6FoU7AAD0YCFJoiiqW79+3rBhuVdeWZ+fn3YiANLXVl294IorVt15Z0gS8zIAe5LCHQAAerC26uqlo0fPPuOMygUL0s4CQHcSQsHvfz/77LObt21z5w6wxyjcAQCg5wlJkrS3r3/44RnHHlv4yiudd+4A8HdqV66cddpphS+/HEVR5A8LgN1P4Q4AAD1J5zJA6bRpWYMGrfvVrzqamtJOBEC31tHUtPSWW5bccEPc0uIHtAC7m8IdAAB6iBCiKGoqKpp/2WULr7mmqago7UAA9BjbXn995imnVOflRZGXVAF2I4U7AAD0AJ0bMmvuvXfm4MHls2enHQeAnqepqGjeRRetvf/+EIKXVAF2E4U7AAB0a50f/6/Iyck66aT8xx5L2tvTTgRATxXieMNvfzvnnHO8pAqwmyjcAQCgGwuho75+yQ9+MH/48KbCwrTTANAb1CxfPvO00zY/91z0lx/rAtBVFO4AANAddTYg2yZOnHHCCdtee80dIgBdKG5qWnH77QtGjGirrvZHDEAXUrgDAED3E0JbZWXuFVcs+cEP2qqr004DQO9Ulp0986STit98M4qiyKk7QFdQuAMAQDfS+YrdlhdfzDrxxNKsrLTjANDLtdXULP7+95fcdFNHU5N5GYD3T+EOAADdRgitFRXzL710+Zgx7fX1aacBoG8IYdvEiVknnVQ+e3YURcHCDMD7oHAHAID0dR4VFr788szBg8vnzk07DgB9Tktp6YLLL192661JS4tTd4D3TOEOAAApC0nSXlOTO3Lk0ltucdgOQGpC2Dp+fNbgwRU5OZFTd4D3ROEOAADpCSGKorKsrKyTTiqdMSPtNAAQNW/bNn/48GU//nHS3OzUHWBXKdwBACAdIY6Tjo7l//VfuVdd1VZdnXYcAPiLELa++OKME0/sXHWP1O4AO03hDgAA6WjYuDH79NO3PPdc5DP7AHQ/Ldu3L7j88rxRo9obGszLAOwkhTsAAOxRnR/P3/TMM9lnnlmfn592HAB4ZyEUTZiQNWhQ8euvR3/5IwyAf0DhDgAAe05IkripadG116786U+T1ta04wDAu2utrFxy4425V1zRWl7uU1kA/5jCHQAA9pzalStnnXZayeTJaQcBgF1TmpWVdeKJBU8/HYUQ4jjtOADdlMIdAAB2u87P4G984om5553XVFSUdhwAeC86GhtX3XHH7LPOqt+wIYoi1+4A/y+FOwAA7F4hjuOWloVXX736F79IOjrSjgMA70vNihXZZ5yx+he/SNrarLoD/B2FOwAA7F71GzZkn3ba9qlT0w4CAF0jxPHGJ56YMWhQ6bRpkcdUAf6Gwh0AAHaPEKIo2vrii3POOadx69a00wBAF2suLl54zTW5I0e2lJamnQWgu1C4AwBA1wtxHJJk2Zgxy37847ilJe04ALC7lM6YkXXiiRseeSRpb3fqDqBwBwCALhaSpK2mZu4FF2x94YW0swDAbhc3N6994IGZJ51UNnNmFEUhjtNOBJAahTsAAHSxmuXLs4cMqc7LSzsIAOw5jVu35o4cueC7323eti2KdkyrAfQ1CncAAOginaPt48fPu+gia7YA9E1ls2ZlDR68+u6745YWnTvQByncAQCgC3Su1q782c+W/fjHSVtb2nEAIDVJW9vGsWOnH3vs1j/9KQrBwgzQpyjcAQDg/QpxHDc3zx8xYtPTT7vmA4AoilorKpbdemv20KHVS5dGf/nJNECvp3AHAID3JYTQVFQ0+8wzy2fPTjsLAHQvtatWzb3ggkXXXttSUhJFht2B3k/hDgAA70vVggWzzzqroaAg7SAA0C2FUDJ58oxBg1bddVdHU5POHejdFO4AAPCedD6R+uKL84cPb6+tTTsNAHRrSVtbwZNPTj/mmIKnngodHRZmgN5K4Q4AALussyZYfffdy8aMSTo60o4DAD1DW03NqjvvnHHCCdtee817qkCvpHAHAIBdE+I4dHQsvOaajWPH+lw8AOyqpqKivFGjZg0ZUj53bhRFanegN1G4AwDALghx3F5fP/eCC7ZPnZp2FgDowerWrFkwYsTcCy+sWbYsUrsDvYXCHQAAdlZIkqaiotlnnlmzfHnaWQCgN6hauHDO+efnXnFFQ35+9JfRNoCeS+EOAAA7J4SaZcvmnH12U2Fh2lEAoBcJoTQra9bppy++/vqmrVsjtTvQkyncAQBgp5RMmZJz8cVtNTVpBwGAXigkSfGkSVknnZQ3alRzcXGkdgd6JoU7AAC8u83jxi3+/vfjlpa0gwBAbxbiuGjChKwTTlh6yy1qd6AnUrgDAMA7CyGKonW//vWKn/zEY24AsGckHR2FL7004/jj80aNai4qitTuQM+hcAcAgLfX+b398ttuW/+b33Q27wDAHtN57T5j0KAlN93UuGlT599JOxTAu1C4AwDA2whJEiXJouuu2/L882lnAYC+K8TxtokTZ5588sJrrqlbty5SuwPdm8IdAAD+XojjpK1t/vDhJZMnp50FAIhCkmyfMiX7jDPmjxhRtWRJpHYHuiuFOwAA/C8hjjsaG+ddeGHF/PlpZwEA/kYI5dnZ8y68cM6555ZmZUW23YHuR+EOAAB/FeK4tbJyzrnn1qxYkXYWAODtVeflLbzqqpmDBxe9+mqIY0+tAN2Hwh0AAHYISdJUVDTnnHMaNm5MOwsA8C7q8/OXjh497Vvfyn/ssY7GxsjBO9ANKNwBACCKoigkSUN+/tzzzmsuLk47CwCws1pKS9fcd9/Ur3991R13tGzfHpl3B1KlcAcAgCgKoXblyrkXXdRaWZl2FABgl3U0Nhb84Q/Tjz124TXXVC9dGrl2B1KicAcAoM8LoXLhwpyLL26vqUk7CgDw3oU43j5lytzzz88eOnTbxIk7Tt0tvAN7kMIdAIC+rmz27AUjRnRuvwIAvUDtypV5N9889RvfWPfgg201NZGdGWBPUbgDANCnbZ8yZeGVV8YtLWkHAQC6WGt5+fqHHpo6cGDezTfXrlwZ2ZkBdj+FOwAAfVfxG28s/v73k/b2tIMAALtL0tZW9Oqrs88+O3vo0MKXX97x577mHdg9FO4AAJz180gAACAASURBVPRR2157bckNNyQdHWkHAQD2hNqVK5f96EdTvva1VXfd1VhYGNmZAXYDhTsAAH1R4csv540e7dtsAOhr2mtqCp58csYJJ+RcfHHJ5MmdXwwED6sCXWSvtAMAAMCetvXFF5ffdpsVVwDou0KoyMmpyMnZ95BDjjj33COHDdv/sMNCHGf69087GdCzuXAHAKBv2fLCC9p2AKBTa3n5hkcfnf7tb88fPnz71Kk7Dt59nQC8Vy7cAQDoQ7Y8//yK22/3XTQA8LdCkpTPmVM+Z86+Bx98+FlnHXnRRQceeWRIkkw/t6rArvFvDQAA+orN48Zp2wGAf6C1omLj2LEzTjhh7gUXFL36atLaGnlbFdgVCncAAPqEzePGrfjJT7TtAMC7C6Fq0aKlo0dPPvroZbfeWrN8eeffjLytCrwbhTsAAL3flueeW/GTn/gmGQDYJR2NjVvHj59z7rlZJ52U//jjrVVVkYN34B9SuAMA0MttfeEFbTsA8H40bNy45t57p3796wtGjCh5883Q0RF5WxV4Ox5NBQCgN9s6fvzy//ov3w8DAO9fiOOy7Oyy7Oy9P/Shw0477Yhzz/3w//2/O36on8mknQ7oFly4AwDQaxW+/PLyMWO07QBA12qvrd3y3HOzzz4768QTNzz6aEtZWeTgHYiiSOEOAEBvte2115bdeqtvfQGA3aehoGDt/fdP++Y35w0bVvjSS3FTU2TkHfo2hTsAAL1QyZtv5o0e7dtdAGAPCElSuWDBsltvnXz00Yuvv75s1qzOL0L84B/6IBvuAAD0NqUzZiy58UZtOwCwh8UtLcWTJhVPmrTPRz962GmnfeLssz/8b/8WhRCiKGPkHfoGhTsAAL1ICOVz5y763veS9va0owAAfVdbVdXmP/5x8x//eOCRRw4YOvQTZ599wCc+EZIk08/aBPRyfpMDANBbhFC5aNHCq69OWlvTjgIAEEVR1Lhly/qHHpp+3HFzzj1387PPttfUREbeoVdz4Q4AQK8QQs2KFbmXXx43N6cdBQDgfwuhOi+vOi9v1c9/fsg3vjFg6NBDTz65/377hTjO9O+fdjigK7lwBwCgxwtJUr9+/fzLLutobEw7CwDAOwpxXJadnXfzzZOPPnrJjTd6XhV6HxfuAAD0bCFJmrZuzbnkkvba2rSzAADslLipaduf/7ztz3/e5yMfOezUUwcMHfrRo46KoihKksjOO/RkCncAAHqwEMctpaXzhg1rraxMOwsAwC5rq67ePG7c5nHj9h8wYMDppx9+5pkf+NznohCiKIoymbTTAbvMT8wAAOipQhy3VVfPGzaspbQ07SwAAO9L87Zt+Y89NvOUU2aecsqG3/2uubQ0MjUDPZDCHQCAHinEcUdDw7zvfKepsDDtLAAAXaZ+/fq1v/zl9G99a+755295/vn2urooijqn3oHuT+EOAEDPE+I4aW3NueSShvz8tLMAAHS9kCRVixevuP32KUcfveDyy4snTUpaWyPNO3R7NtwBAOhhQpKEOJ4/YkTtqlVpZwEA2L2Sjo6ymTPLZs7sf8ABHx806PChQw855phMv34hSTKeV4XuR+EOAEBPEpIkCiH3qquqFi1KOwsAwJ4TNzVtmzhx28SJ+3z0o4edeurhZ531kS9/OYqiEELG86rQbSjcAQDoOULIZDKLrr++PDs77SgAAOloq6ra/Oyzm5999oBPfGLAGWd84uyzD/zkJ6MQoiiKNO+QNh88AQCg58hklt12W8kbb6SdAwAgfU2FhRseeWTGoEHZQ4cWPPVUW3V1ZOQd0ubCHQCAHmPNvfdufeGFtFMAAHQnIdSuXFm7cuXqu+8+eODAw4cOPfSUU/rvt1+I40z//mmHgz7HhTsAAD3DxrFj8x9/PO0UAADdVIjj8tmz80aNmnz00Utuuql8zpyQJFHnEzjAnuLCHQCAHqDwpZdW33PPjnFSAADe2VvPq+578MEDTj/98HPO+dC//IuRd9gzXLgDANDdbZ82bdmPf6xtBwDYJa0VFQV/+EP2kCEzBw/Of+yxlvLyyME77GYKdwAAurEQqhYuXHLDDZ7/AgB4z+rz89fcd9+0b3wj55JLtr32WtzSEnleFXYPhTsAAN1USJL69etzR47s/J4QAID3IyRJxbx5eaNGTTn66LxRoypzczs/QRh8jhC6jg13AAC6oxDHzSUlOcOHt9fXp50FAKBX6WhqKpowoWjChP0PO+zws8464txzDzjiiJAkmX5uc+H98rsIAIBuJ8Rxe11dzsUXt5aXp50FAKDXai4u3vDII9OPP37ueedtHT8+bmqKTM3A+6NwBwCgewlJkrS25lx6aVNhYdpZAAD6gBCqlixZPmbM5K9+dclNN1XMn29qBt4zkzIAAHQjIUlCHC+44oq61avTzgIA0LfEzc3bJk7cNnHi/oceevjZZx95wQX7DxhgagZ2id8tAAB0GyFkMpklN9xQuWBB2lEAAPqu5pKSDY88Mv3YY+cNG7bttdeStrYoikKSpJ0LegCFOwAA3UYms/y220omT047BwAAUUiSygUL8kaNmvLVry6/7bbaVasiOzPwbhTuAAB0F+t+/estL7yQdgoAAP6X9vr6Lc8/P/vMM2eecsqmP/yhva4u8rYqvAOFOwAA3cKW555b//DDaacAAOAd1a9fv+rnP5/yn/+5+PrrK3JyohB2/AX8hUdTAQBIWwjbp01b8d//7bs1AIDuL2lrK540qXjSpAMOP/wT55135IUX7nvwwSGOM/37px0N0ufCHQCAVIVQtWTJkhtv9KlkAICepamoaN2vfjV14MDcK68smzXLwTtELtwBAEhRSJLGTZtyR46MW1rSzgIAwHsR4rh0+vTS6dP3+/jHjzj//CMvumi/f/onB+/0WS7cAQBIR4jj1oqK+cOHt9fWpp0FAID3q2X79vUPPTTtm9/MveIKB+/0WS7cAQBIQYjjuLl5/qWXNpeUpJ0FAIAuE+K4NCurNCtr/0MPPeL8848cNszCO32KC3cAAPa4JAlJkjtyZP2GDWlHAQBgt2guKVn34INTBw5ceNVVFXPnRlHk2p2+wIU7AAB7VghRJrPkxhsrc3PTjgIAwO4V4nj7tGnbp0078Igjjhw27IgLLtj7gx8MSZLp5w6Y3smvbAAA9qxMZuXPflby5ptp5wAAYM9p3Lp19d13T/na1/JGjapZvjyKopAkaYeCrqdwBwBgj8p/7LFNzzyTdgoAAFKQtLYWTZgw55xzsocMKRw/PmltjaIo0rzTiyjcAQDYc4pefXXNffelnQIAgJTVrl69bMyYKV/72qo77mgsLIyiKMRx2qGgCyjcAQDYI0KomDdv2Y9+5LEsAAA6tdfVFfzhD1mDBs0fPrw0KysKYcdf0GN5NBUAgN0uJEn9+vULr7kmaW9POwsAAN1LSJLyOXPK58zZf8CATw4bduSwYR5WpefyqxYAgN0rxHFrWdmCESM6GhrSzgIAQPfVvG3bmvvum/r1ry/94Q/r162LPKxKD6RwBwBgNwpxHDc35wwf3lJWlnYWAAB6gLilpfDll2cNGTL3vPNK3ngjxLGdGXoQkzIAAOw2SRKSZMF3v9uQn592FAAAepQQqpYsqVqyZL+PfezIYcP++eKL9/7wh+3M0P35BQoAwO4RQpTJLLnxxqrFi9OOAgBAT9VSWrruV7+aMnDg0tGjd+zMxHHaoeAdKdwBANg9MpmVd9xR8uabaecAAKDHS1pbC195ZdaQIXMvuGD7lClGZui2TMoAALBbbHziiU1PP512CgAAepEQqhYtqlq0aP8BA/75kkuOvOiivQ46yM4M3YpfiwAAdL3iSZPW3HNP2ikAAOidmrdtW3333VO+/vUVt9/eVFgY2Zmh21C4AwDQlUIIlQsX5o0aFZIk7SwAAPRmcVPT5nHjsgYNWvDd71bk5ERR5EtQUqdwBwCgy4Qkady0aeFVVyVtbWlnAQCgTwhJUjZr1vzhw2eefHLh+PFJe3sURRbeSYvCHQCArhHiuK26ev7w4e21tWlnAQCgz6nfsGHZmDFTBw5c96tftdXURA7eSYPCHQCALhCSJGlrm3/ZZc3FxWlnAQCg72qrqlr/8MNTBw5c+sMfNuTnR+bd2bMU7gAAvF8hhCiEhVdfXbd6ddpZAAAgStraCl9+eeapp+Zcckn5nDmRa3f2lL3SDgAAQI+XyWTybrml8zsZAADoLkKomDevYt68gz7zmU+PGHH4Oef023vvKIQok0k7Gb2WC3cAAN6vtQ88UDRhQtopAADg7TXk5y8bM2baN76x/qGH2uvqIgfv7DYKdwAA3petL7yw4be/TTsFAAC8i9bKynUPPjh14MDlt93WVFgYmXdnN1C4AwDwXoVQNmvW8ttvj0JIOwoAAOyUuKVly/PPZw0alHvlldVLlkSu3elSCncAAN6LkCS1a9Ys/t73nAUBANDjhCQpnT597oUXzj7zzJI33ohCcERCl1C4AwCwy0Ict2zfvmDEiI6mprSzAADAe1ezYsXi66+ffuyxBU8/Hbe0RFGkeef9ULgDALBrQhx3NDbmXHppa0VF2lkAAKALNBUVrbrjjqkDB6795S/bqqsjOzO8Vwp3AAB2QUiSkCS5l1/euGlT2lkAAKArtdfWbnj00anf+MayW29t2ro18qoqu07hDgDATgshk8ksvv76qiVL0o4CAAC7RdLWtnX8+KwTT1x41VXVS5dGand2hcIdAICdlsms/NnPtk+ZknYOAADYvUKSbJ82be75588977zSGTOiEIzMsDMU7gAA7KyNY8dueuaZtFMAAMCeU7VkycKrr8466aTC8eOT9vYoBK+q8g8o3AEA2CnbXn99zb33pp0CAABS0FBQsGzMmGnf+taGRx/taGyMoiio3Xk7CncAAN5FSJLKhQuXjh7tU7QAAPRlreXla++/f+rAgavuuqu1vDyKIl8h83cU7gAA/CMhSRo3bVp45ZVJW1vaWQAAIH0djY0FTz45/Zhjlo4e3bh5c+RVVf6Gwh0AgHcU4ritqmr+ZZe119WlnQUAALqRpL298JVXZg4enHvllTXLl0dqd6IoUrgDAPBOQpIkbW3zL7usubg47SwAANAdhSQpnT59zrnnzr3ggrLs7MjITJ+ncAcA4G2EEKIQcq+8sm7NmrSzAABAd1e1aFHuFVfMPOWUba+9FuI48qRqX6VwBwDgbWQymbzRoyvmzUs7CAAA9Bj169fnjRo1/dhjC55+OmltjaJI897XKNwBAHgba+69d9trr6WdAgAAep7m4uJVd9wxdeDAdQ8+2N7QEHV+fpS+QeEOAMDf2/zss/mPP552CgAA6MHaamrWP/TQ1IEDV/38563l5ZF5975B4Q4AwN8IYfuUKSt/9jMffQUAgPcvbmoqeOqp6cccs/SWW5q2bo2iKMRx2qHYjRTuAADsEJKkOi9vyU03+R4AAAC6UNLeXvjSS1knnbTo2mvr1q6N1O69l8IdAIAoiqIQx01bt+aOHBm3tKSdBQAAeqEQxyWTJ2cPHZpzySWVubmR2r03UrgDABCFOG6rqcm59NK2mpq0swAAQK8WQsW8eTkXXzz77LNLZ8yIbLv3Lgp3AIC+LiRJ0tY2/7LLmrdtSzsLAAD0FTXLli28+uqZgwdve+21kCReUeodFO4AAH1a51f2uSNH1q1enXYWAADoc+rz8/NGjZpx3HGbx41L2tvV7j2dwh0AoA8LIdOvX94PflCRk5N2FAAA6LuaiopW/OQn0771rfyxY3c8qqR575kU7gAAfVgms+quu7a9/nraOQAAgKi1vHzNPfdMHThw3a9/3d7QEEVRULv3NAp3AIC+q+DJJwuefDLtFAAAwF+119au/81vpg0cuPoXv2irqoq8qtqjKNwBAPqobX/+8+q77047BQAA8DY6mpo2PvHEtG99a/l//VdLaWmkdu8hFO4AAH1PCBXz5i0dPdqX7AAA0J0lra1bnntuxrHH5o0a1bR1a6R27/YU7gAAfUtIkrq1axdefXXS3p52FgAA4N0lHR1FEyZknXjiou99r379+iiKQhynHYq3p3AHAOhDQhw3FxfPv+yyjsbGtLMAAAC7ICRJyRtvzDr99NwrrqhdtSpSu3dLCncAgL4ixHF7ff38Sy5prahIOwsAAPCehFCalTX77LNzLrmkavHiSO3ezSjcAQD6hJAkSXv7/OHDG7duTTsLAADw/oRQMW/evIsumnvBBRXz5kVq925D4Q4A0PuFJIlCWHjllbUrV6adBQAA6DJVixbNv+yy2WedVTZrVuRJ1W5A4Q4A0NuFkMlkltx0U/ncuWlHAQAAul7N8uW5I0fOGjJk+5Qpkdo9VQp3AIDeLpNZ+bOfFU+alHYOAABgN6pbvXrRddfNPOWUkjfeiEJQu6dC4Q4A0MttePTRTc88k3YKAABgT6hfv37x9ddnDR68beJEtfuep3AHAOjNtv7pT2vvvz/tFAAAwB7VsHFj3s03zxg0qGjChJAkavc9RuEOANBrbZ86dfmYMVEIaQcBAABS0Lh589If/jDrhBMKX35Z7b5nKNwBAHqjECpzcxffcEOI47SjAAAAaWrcunXZj3404/jjC196KcSx2n23UrgDAPQ2IUnq1q7NHTkyaW1NOwsAANAtNBUWLrv11hknnFD4pz+p3XcfhTsAQK8S4ri5qGj+8OEdDQ1pZwEAALqXpsLCZT/+sdp991G4AwD0HiGO26qqci65pLWyMu0sAABAN/XX2v2ll2y7dy2FOwBALxHiuKOpKefii5uKitLOAgAAdHc7RmaOP77olVfU7l1F4Q4A0BuEJEna2+cPH16fn592FgAAoMdoKixcesstWYMGFb36ahSC2v19UrgDAPR8SRIlycIrr6xZtiztKAAAQM/TuGXL0tGjs046qfj119Xu74fCHQCghwshymQW33BD+dy5aUcBAAB6sIaCgiU33TTzlFO2T5kSRVGI47QT9TwKdwCAniyEKJNZduutJW++mXYUAACgN6jfsGHRddfNGjKkbNasSO2+ixTuAAA9WSaz6q67tv7pT2nnAAAAepW61atzR46cc845FfPnR2r3naZwBwDowdY//HDBk0+mnQIAAOidqpcunX/ppfMuuqh66dJI7b4TFO4AAD3VpmeeWffrX6edAgAA6OUqc3PnXnDBghEj6tati6LIk6r/gMIdAKBHKpowYdUdd0QhpB0EAADoA0Ioy87OPuOMRdde27h5c6R2fwcKdwCAnqdk8uSlt9ziC1wAAGCPCqFk8uSZJ5+8dPTolrKyKIqCG6D/TeEOANCjhFCenb3khhuMJwIAAKkIcVz4yiszjjtu5U9/2l5TE0WRj96+ReEOANBzhFC5aNHCa69N2tvTjgIAAPRpSVvbpmeemX7MMWsfeCBubta5d1K4AwD0DCFJalauzL388ri5Oe0sAAAAURRFHU1NGx55ZNoxxxT8/vdJe7vdS4U7AEAPEJKkYcOG+Zdd1tHYmHYWAACA/6WtunrVXXfNOP74oldeiULoy7W7wh0AoLsLSdK4Zcu8iy/eMY8IAADQ/TQXFy+95ZaZp55aNnNmFEV9890phTsAQLcWkqR527acYcPaqqrSzgIAAPAu6tevzx05cu4FF9SsWBFFUV+7dle4AwB0XyGOW8vK5g0b1lJWlnYWAACAnVW1aNGcc89ddO21zUVFURSFPvOkqsIdAKCbCnHcVl0976KLmouL084CAACwi0IomTw568QTV9x+e9+Zx1S4AwB0RyGO2+vq5l10UePWrWlnAQAAeI+Sjo7N48ZN//a3NzzySNLW1usXZhTuAADdTojjjoaGeRdd1FBQkHYWAACA96ujsXHtAw9MP+64oldeiULoxe+pKtwBALqXEMcdTU3zvvOd+g0b0s4CAADQZVq2b196yy2zhgypXLAgiqJeWbsr3AEAupEQx3FLS853vlO3Zk3aWQAAALpe3Zo1OZdeuuDyyzv3M3vZe6oKdwCA7iLEcdLaOv/SS2tXrUo7CwAAwG4TQtnMmTMHD15x++0ddXVRL+rcFe4AAN1CiOOkrS3n0kurly5NOwsAAMBuF+K48z3VjU88EeK4d7ynqnAHAEjfjrb9kkuq8/LSzgIAALDntNfXr7777qxBg7ZPnRr1/GF3hTsAQMpCHCft7fMvvVTbDgAA9E2NW7cuuvbaecOGNeTnR1HUc6/dFe4AAGl6q22vWrIk7SwAAABpqlywYNaQIcvHjOmor++hw+4KdwCA1HQuycy/9NKqxYvTzgIAAJC+EMdbXnhh+rHHFjz1VIjjHrcwo3AHAEhHiOOktTXnkku07QAAAH+rva5u1Z13zjz11IqcnKhHLcwo3AEAUhDiOG5pmXfxxXbbAQAA3lZDfv78yy5beNVVLdu3R1HUI0ZmFO4AAHtaiOO4uTnnO9+pWbYs7SwAAADdWAjbp02bMWjQ2gceSNrbu/+pu8IdAGCPCnHc0dQ0b9iwmhUr0s4C8P+3d6+/cd33ncfP0EEX3V24CxRYYJ8ULQIUXfS/aGI0bdomcGzHNZKmKJA4rdsGaRPESZ00TVLXsNusi6CJXcNxbCdoIge2HMewY9mSKc6QFEVdKFESJVGkKFG8zXA4vMx9zvntg5Epx3dJJM8M+XpBEEhKkD8P9IB6++B7AAC6QFKvn/2P/9j7gQ/MvvhiFEWdfNhdcAcA2Dohjlurq/2337584kTaWwAAALpJdWbm0N/8zcAnPlGemoqiDr0wI7gDAGyREMfN5eXcxz++MjaW9hYAAICuVBgY6P2DPzhx771xvd6BF2YEdwCArRDiuFEsZm+7bXV8PO0tAAAAXSxptSYefXTv7/3e7AsvRB12YUZwBwDYdCFJ6oVC7rbbypOTaW8BAADYDmrz84f+9m8HPvnJyvR0FHXKhRnBHQBgc4UkqU5PZz/2sfKFC2lvAQAA2FYK/f2vfuhDY//2b0mr1QkXZgR3AIBNFJKkPDGRve226uxs2lsAAAC2oaTROPvd7+676aaF3t4oitLN7oI7AMCmCWFlbCz38Y/X8/m0pwAAAGxnlYsXhz796YOf/Wy6//4S3AEANkcIS0eODNxxR6NUSnsKAADADhDC3J49+z74wXOPPBKSJJWXqQruAACbIt/XN/Bnf9ZcXU17CAAAwA7SqlRO3nff/j/5k+XR0SiKwta+TFVwBwDYeDPPPz/0mc/E1WraQwAAAHailVOnsrfccvxrX4ur1a286i64AwBssKkf//jw5z+fNJtpDwEAANi5QpKc/9GP9n3wg3MvvRRt1ctUBXcAgA0SQhRF4w8/fOyee1K5FQgAAMAb1Obnh++66+CddzYWF6PNPy8juAMAbIAQQpTJnLzvvlP3378F38MBAADw3s29/PLeD3xg8sknoxA29QEpwR0A4HqFJIlCOPrFL5575JG0twAAAPAWWuXy6D/9U/bWW8tTU5v3XxHcAQCuS4jjEMcHP/vZi08/nfYWAAAA3snSkSO9H/7w6QcfbP9TbsP/fMEdAODahTiOa7WBT3xi/pVX0t4CAADAu0sajTPf+U7vH/5h6fjxKIo29iio4A4AcI1CkjSKxdyttxaHh9PeAgAAwFVYHR/P3Xbb6De+EdfrIUk26o8V3AEArkVIkvLUVN/NN6+cPp32FgAAAK5aiOPJxx9/9fd/v9DfH7XfznXdBHcAgKsXQuno0ewtt1RnZtKeAgAAwLWrTE8P/vmfj9x9d1ytXn9zF9wBAK7a3CuvDHzyk81SKe0hAAAAXLcQLjz11L6bblro7Y2iKLqO7C64AwC8ZyFEUTT5xBPDf/VXca2W9hoAAAA2TG1+fujTnz7y93/fqlSu+VF3wR0A4D1pf7914t57R7/xjRDHac8BAABgo4UwvXv3vptuWti3L4qu5VF3wR0A4N2FOA5xPPzXfz3x6KPt59wBAADYlmoLC0N33nn47/7uGh51F9wBAN5FiOPW2lr/n/7p7Isvpr0FAACAzRfCpWefXX/U/b1nd8EdAOCdhCSpXLzY99GPLh05kvYWAAAAtk77UfcjX/hCXK2+x+YuuAMAvJPi0FDfzTeXL1xIewgAAABbLoTpZ57Zd9NN+Ww2iqLwbidGBXcAgLcSQhRFF3btGvzUp5rLy2mvAQAAIDW1+fkDf/EXI1/+clKrvfOj7oI7AMAbtb9/OnX//SNf+UrSaqU9BwAAgLSFcGHXrlc/9KHioUPtT9/ydwnuAAC/JMRx0mgc/Mu/HH/44bf7FgoAAIAdqDI9PXDHHSe+9a2k1Qpx/ObfILgDAFwRkqReKGRvvXVuz560twAAANBxQpJMPPZY7x/90crY2Jt/VXAHALhieXR0/0c+snLyZNpDAAAA6Fxr4+PZm28+853vhCR5/aPugjsAwOXre9PPPJO7/fZ6Pp/2GgAAADpd0mqdfvDB7C23VC9dWv+i4A4A7HQhSUIIJ775zSNf/GJSr6c9BwAAgK5RGhl59cMfPvfII3GtFgnuAMAOF+K4VS4PfupTEz/4gVekAgAAcLXiSuXkffe1n996X9pjAADSE8LauXNDn/lM5eLFtKcAAADQ9TzhDgDsSCFEUXTpuef6PvYxtR0AAIAN4Ql3AGDHCUkSRdHJb31r4vHHnZEBAABgowjuAMDOEpKkubw8fNddiwcOpL0FAACAbUVwBwB2ltKxY8N33VWbm0t7CAAAANuNG+4AwM6QJFEUTT7+eP/tt6vtAAAAbAZPuAMA21+I46TZHPnSly79/OdpbwEAAGDbEtwBgO0uhMrFiwfvvHN1fDztKQAAAGxnTsoAANtWCCGKootPP937x3+stgMAALDZPOEOAGxP7TMyx+65Z/qZZ9LeAgAAwI4guAMA29PaxMTwXXetnTuX9hAAAAB2CidlAIBtJSRJFEXnn3yy76MfVdsBAADYSp5wBwC2j5AkrXL56Be+MPfyy2lvbXyTewAAEr5JREFUAQAAYMcR3AGAbSGEKJMpDg8f/vzna3Nzaa8BAABgJxLcAYCuF+I4iqLTDz44/vDD7Y8BAABg6wnuAECXC6F66dKhz32udOxY2lMAAADY0QR3AKBbhSTJ9PRM/eQnJ/75n+NKJe05AAAA7HSCOwDQlUKSNFdWRr70Je9HBQAAoEMI7gBAt0mSqKdnbs+eY/fc0ygW014DAAAAlwnuAEA3CUkSVyrHvva1Sz/7WRRC2nMAAADgCsEdAOgO7Yvt+Wx25O67a/Pzac8BAACANxLcAYAu0H6w/fjXvz69e7cH2wEAAOhMgjsA0NHaD7Yv7Nt37Ktf9WA7AAAAnUxwBwA6WAittbXjX/+6i+0AAAB0PsEdAOhE7QfbLz333Og3v9koFtOeAwAAAO9OcAcAOk8I9Xz+2D/8w/y+fWlPAQAAgPdKcAcAOkiI40xPz+QTT4x9+9uttbW05wAAAMBVENwBgM4QQpTJrJw5M3L33cujo2mvAQAAgKsmuAMA6QtJkjQaYw88MPnkkyGO054DAAAA10JwBwDSFOI4c8MNM88/f/Jf/qU2P5/2HAAAALh2gjsAkJIQokymPDV1/KtfLQwOpr0GAAAArpfgDgCkIISQ1Gqn//3fJx97LGm10p4DAAAAG0BwBwC2VPuGzPTTT5964IF6Pp/2HAAAANgwgjsAsEVCkmR6elZOnTr+j/+4dPRo2nMAAABggwnuAMDmCyHKZBrF4qn7759+5pmQJGkPAgAAgI0nuAMAmyskSWi1xh96aPyRR+JKJe05AAAAsFkEdwBgs4Q4zvT0XHr22VMPPFCbn097DgAAAGwuwR0A2HjtN6MWcrmT99+/cupU2nMAAABgKwjuAMBGuvxm1NOnT957b2FgIO05AAAAsHUEdwBgY7RTe3V6+tS//uvsCy94MyoAAAA7jeAOAFyvEEImk2ksLo49+OD0T3+atFppLwIAAIAUCO4AwHUIIcpkWisrZ7/3vfNPPhnXamkPAgAAgNQI7gDANWmn9nJ5/OGHJx9/vFUupz0IAAAAUia4AwBXqZ3aK5WJRx+d+P73m6uraQ8CAACAjiC4AwDvWQhRJtNcWzv3yCPnn3yyubKS9iAAAADoIII7APDuQpJkenqay8vj//mf53/4QwdkAAAA4M0EdwDgnbRTez2fH3/ooQtPPRVXq2kvAgAAgA4luAMAby3EceaGGyoXL5797ncvPfts0mymvQgAAAA6muAOALxRO7WvnDp19nvfm9uzJ8Rx2osAAACgCwjuAMAV7QMy+Vxu/KGHFoeGohDSXgQAAABdQ3AHAKIohCiTSZrN6d27Jx97bOX06bQHAQAAQPcR3AFgR2s/0t4olSafeGLqRz+qLy6mvQgAAAC6leAOADvU5UPtY2MT3//+zPPPJ41G2osAAACguwnuALDDhBBlMiGOZ154YfIHP1g6etShdgAAANgQgjsA7BTtR9rrxeL5H/7wwk9+UpufT3sRAAAAbCuCOwDsACFEmUzx8OHzTzwx99JLSauV9iAAAADYhgR3ANi22o+0N1dXL+7aNfXjH69NTKS9CAAAALYzwR0Atp32TfZMpnjo0NR//dfsL36R1OtpbwIAAIDtT3AHgO1j/Ur7hV27Lj71VHlqKu1FAAAAsIMI7gDQ9UKSZHp6QhzPvfzyxZ/+dKG3N8Rx2qMAAABgxxHcAaBrvXY6Zu3s2Qu7dk0/+2xjaSntTQAAALBzCe4A0H3WT8dMP/309O7dK2NjaS8CAAAABHcA6B7tzh7XarMvvji9e3ehv9/pGAAAAOgcgjsAdLp2Zw9xvNDbO7179/zevXG1mvYoAAAA4I0EdwDoUO1XoUYhLB48eOm55+ZefLFRKqU9CgAAAHhbgjsAdJbLnT2KSseOXfrZz2ZfeKG2sJD2KAAAAODdCe4A0BFe39lnfv7z2RdfrM7Opj0KAAAAuAqCOwCkqX2fPQph6fDh2RdemP3FL3R2AAAA6FKCOwCkYP09qIXBwdkXX5zbs6eez6c9CgAAALgugjsAbJ12Z08ajYVXX5196aX5vXuby8tpjwIAAAA2huAOAJsshCiKokymubw8t2fP3J49+VwurlbTngUAAABsMMEdADbF+ktQyxcuzL300twrrywdPhziOO1dAAAAwGYR3AFgI60fZy8OD8+98sr8K6+Uz59PexQAAACwFQR3ALhurzsaM7937/zevfm+vubqatqzAAAAgC0luAPANWo/zB5F0fKpU/N79y7s21c6ftzRGAAAANixBHcAuBqvPczeWltb6O1d2L8/v39/bWEh7VkAAABA+gR3AHh3lx9mD6E0OrrQ27vw6qulY8c8zA4AAAC8nuAOAG8tJEmmpyeKovri4kJvb763N5/LNZaW0t4FAAAAdCjBHQBeJ4QQQqanJ2k2F4eG8n19+f37V86cuXxJBgAAAODtCe4AcOX1p6tnzy709uZzueLBg3GtlvYuAAAAoJsI7gDsUOuRvZ7PL+zfn8/lCv399Xw+7V0AAABAtxLcAdhB1s+yx9Vqu7Dnc7m1c+dcjAEAAACun+AOwDYXQohCyPT0hDheOnw4n8vls9nSsWMhjtOeBgAAAGwrgjsA29Fr7z6NQlgdG8tns/n+/uLwcFyppL0MAAAA2LYEdwC2j/Wz7OWLF/N9fYX+/sXBwUaplPYuAAAAYEcQ3AHoblfefbqwsJDNFvr7CwMDtbm5tHcBAAAAO47gDkD3WY/szeXlfDZbGBgoDAyUp6a8+xQAAABIkeAOQHcISZLp6YmiKK5U8v39iwMDhcHB1TNnQpKkPQ0AAAAgigR3ADpZSJJMJhNlMkm9vjg0VBgYKAwOLo+OhjhOexoAAADAGwnuAHSY9lmYTCa0WsXDhwsDA4X+/tLISNJspr0MAAAA4J0I7gB0gBBCCJmenpAky8ePty/GFA8fjqvVtJcBAAAAvFeCOwApeS2yRyGsnD6dz2YXBwcXDx5sra2lvQwAAADgWgjuAGypEMeZG26Ioqg8NZXv6ysMDCweONAoldLeBQAAAHC9BHcANt16ZK/Ozl6O7IODtYWFtHcBAAAAbCTBHYBNsR7ZG8ViPpstDAwUBgYqFy+mvQsAAABgswjuAGyYkCSZnp4oilrlcqG/v9DfXxgYWB0fj0JIexoAAADAphPcAbguIUkymUyUySSNxuLBg4VcrjAwsHziRIjjtKcBAAAAbCnBHYCrF0IIIdPTE+K4NDKS7+8v9PcvHTmSNBppLwMAAABIjeAOwHu1fpZ99cyZfDab7+8vHjzYKpfT3gUAAADQEQR3AN7JemSvzszk9+/P9/cvDg7WFxfT3gUAAADQcQR3AN5oPbI3l5fbT7IXcrnKxYtp7wIAAADoaII7AFEURVEIURRFmUxSry8eOJDP5fL9/atjYyFJ0l4GAAAA0B0Ed4Ad7LV3n0YhlI4fz/f15XM57z4FAAAAuDaCO8COs34xpnzhwvpZ9ubKStq7AAAAALqb4A6wI1w5y14qLfT1FXK5fC5XnZlJexcAAADA9iG4A2xbIYRMFEWZTNJsLh44kM9m89ns6unTzrIDAAAAbAbBHWC7ufwwewgrY2P5/fvz2Wzx0KGkXk97FwAAAMA2J7gDbAfrF2Nqc3MLvb35XK7Q399YWkp7FwAAAMAOIrgDdKuQJJlMJspk4koln8u1L8aUp6aiENKeBgAAALATCe4AXSWEEEKmpyckSWlkZGH//kI2uzQyEuI47WUAAAAAO53gDtAF1i/GVKanF3p789ns4uBgc3U17V0AAAAAXCG4A3SokCSZnp4oilpra/m+voVstpDNVqan094FAAAAwFsT3AE6yfrFmDguHjqU7+vLZ7PLJ064GAMAAADQ+QR3gPStX4xZm5hY2L8/n80Wh4ZalUrauwAAAAC4CoI7QDrWI3ujVMr39uaz2XwuV5ufT3sXAAAAANdIcAfYOiGETBRFmUzSbC4eOJDPZvPZ7Orp0yFJ0p4GAAAAwPUS3AE23eWH2UNYOXWqfZa9eOhQUq+nvQsAAACAjSS4A2yK9Ysxtbm5hd7efC5X6O9vLC2lvQsAAACAzSK4A2yYkCSZnp4oilrlcvtcTCGXK1+4EIWQ9jQAAAAANp3gDnBd1s+yh1arODzcfvfp8okTIY7TngYAAADAlhLcAa5eCCFJrpxlz2YLuVzx0KG4Wk17GQAAAACpEdwB3qv1s+yV6el8X18+l1scHGyUSmnvAgAAAKAjCO4A72Q9stcXF/N9fYWBgUJ/f3VmJu1dAAAAAHQcwR3gjdYje2ttLZ/LtSP72sSEd58CAAAA8A4Ed4AoiqKQJJmeniiK4mp18cCBfH9/YWBgdWwsJEna0wAAAADoDoI7sHOtR/akXl8cHi709y8ODpaOHw9xnPY0AAAAALqP4A7sLFcie6NRPHSoMDCwODhYOnYsaTbTngYAAABAdxPcge1v/SZ70mgUh4cLg4MiOwAAAAAbTnAHtqf1yB5Xq4tDQ4sHDiwODS2PjorsAAAAAGwSwR3YPtYje3NlZXFwcHFoaHFoaGVszE12AAAAALaA4A50sxBCkrQje21+fnFwcPHgweLBg2sTEyFJ0h4HAAAAwM4iuANdJiRJJpOJMpkohNWzZxeHhorDw8VDh6ozM2lPAwAAAGBHE9yBLnDlIHuttnTkSPHQoaVDh5aOHGmurqY9DQAAAAAuE9yBjpQkIYoyPT1RFFVnZorDw8XDh5cOH3aQHQAAAICOJbgDnWL9Mfak0SiNjBSPHFk6cqR09GhtYSHtaQAAAADw7gR3IDXrhT0KYe38+aXDh5eOHi0dPbpy+rTH2AEAAADoOoI7sHWuvO80iuqFwtLhw0sjI6WRkeXRUdfYAQAAAOh2gjuwiV5f2JvLy0tHjpSOHy8dP748Olqbn097HQAAAABsJMEd2EhXrsREUWNpqTQyUhodXT5+vNQu7CGkOw8AAAAANo/gDlyHEEKSrBf26uzs8ujo8ujo8okTyydOeNkpAAAAADuK4A5chRDHmZ6e9omYpNlcHR9fOXFiZWxs+eTJlVOnmisraQ8EAAAAgNQI7sDbS5IQRZmenvZntbm55ZMnV8bGVk+fXhkbW5ucDHGc7kAAAAAA6ByCO3BZSJLodXm9USqtnDq1eubMypkzq6dPr42PN1dXUx0IAAAAAB1NcIcd6vXHYaIoqufzK6dPr01MrJ45szo+vnb2bKNUSnchAAAAAHQXwR22v5AkUQjrrzYNrVZ5amr17Nm1c+fWJifXzp1bO3euVS6nOxIAAAAAup3gDtvKG87ChCSpzsysTUyUz58vT06uTU6WJyers7NurwMAAADAhhPcoTuFEJJk/aH1KIqSZrM6Pb02OVmemqpcuFCemipPTVWnp5NWK8WZAAAAALBzCO7Q0d5wDSaKohDHtfn58tRUZXq6Oj1dmZ6uXLhQmZ6uFwrtx9sBAAAAgFQI7pC+N1f1KIpa5XJ1drY6PV2dna3OzFQuXapeulSZnq7n8w7CAAAAAEAHEtxhK4QkidoXYDKZ13+9USrV5uaqMzO1+fna3Fx1drY2N1edm6vNzXmLKQAAAAB0F8EdrlsIV15V+ss9PbRa9WKxvrBQm5+v5fP1fL6ez9cWFur5fG1+vl4oJM1mSqMBAAAAgA0muMPbe/uS3v7V5spKvVis5/ONYrG+uHj558XF+uJivVCo5/PN1dUohBSWAwAAAABbTnBnJ2kH9BCiTOatG3oURSG0KpXmykpjaamxtNRcXm6WSo1SqVEqXf6gWGwsLTVKpdbKipeUAgAAAADrBHe6ymuPnL9LNH/d729VKnGl0lxba62uNldWWqur7Y9ba2vNlZXm+heXl5urq83l5dbamowOAAAAAFwDwZ2NFkIIIWr/iKLLQTyTyWQy7xLH3yRpNpNaLa7V4mo1rtVa5XKrUomr1bhajSuVVrUal8txtdpO6q1KpdX+tFxura21yuX2py66AAAAAABbQ3BPyXqVfptf/aVP39ypX/tK5rWcvcHz3k4ISasV4jg0m0mrFVqtpNVKGo3LP5rNpF6//MEbfq7Xk0Yjbv/qL38c1+txrZa87ue4Xk9qtbhe18oBAAAAgC6SCZpmKkJYm5hIe8Rbaf+FCOHy/xJ4/cf+qnSwfQcO/Pj55//fl7/833/1V9PeAkDX+8q3v/1/3//+T37kI2kPAdhuMu97X8/73rejni4aHh19ZNeub37uc//713897S0AdL17H3rof91441/dcUfaQ97ajb/zO5kbbvCEe0oymf/5/venPYLto3HixPjU1P/47d++8cYb094CQNe7sLDwf37rt37td3837SEAdL1kZmZ8auq//eZv/tpv/EbaWwDoejOlUutXfqXD/6nSk/YAAAAAAADYDgR3AAAAAADYAP8fZQgxltD1tNUAAAAASUVORK5CYII=", null, "data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAB9AAAAH0CAIAAADqtyE0AAAABmJLR0QA/wD/AP+gvaeTAAAACXBIWXMAAA9hAAAPYQGoP6dpAAAgAElEQVR4nOzdd5ydZYH3/3OfyaRBejAgCEiRsj5218dn/em6667Ks+Lqo1gQJAEEFAHLImLHxoqEoiCIrICshCLRqMBSpIY0kpCQMkkmpEzaZDKZXs/c9/X7YxAFKSkzc53yfr94+YKQhC8ImTmfuc51JyGEHAAAlJGQprkkSfL5v/qm0NvSUmhu7mtvD2ma9fWFvr5k2LBh++wzbPToqlGjho0ZUzVy5HN+kizLhZBUVQ31egAAoGQNiz0AAAD2VkjTZ8t419atrStWdKxf37lpU2ddXeemTd0NDX2trSHLXvonqRo5cvjEiSMmTRo5ZcqoAw8cfdBBow86aN8jjtjn0EP7231I0ySfzyXJoP/9AAAApSlxwh0AgFIUsqy/gxdaWnY8/njj/PnNTz3Vtnp1X0fHwP6FqkaOHHPkkWOPOWbca1878c1vHnvUUbkkyYUQQnjOIXoAAKDiCe4AAJSSZw6zh9C4YMG2++5reOyx9tralz29PoCG7bPP+Ne/fuJb3rLf//k/E970pqSqKmRZkiROvgMAAII7AAAloP88e8iyhkce2XL33fUPPNDb1BR7VK5q1KiJb3nLfv/wD1Pe8559X/3q3HMvtwEAACqN4A4AQFHrT+2tNTV1d9yx+fe/79mxI/aiF7bPwQe/4t3v3v9f/mXy//7fuSR59sYbAACgcgjuAAAUo/5gnfX2bpo5c93NN7euWBF70a4aMXnyAe9734Ef+MDEN79ZeQcAgIoiuAMAUFz6C3XXtm3rbrhh4+23F5qbYy/aQyP33/+gf//3gz/60X0OPVR2BwCASiC4AwBQLPqrdHd9/aorrtj0m99kfX2xFw2EJBn/ute96sMfPuhDHxq2zz4ueQcAgDImuAMAUARCyCVJT2Pj6p/8ZOOtt2a9vbEHDbyqUaMOeN/7Dv3kJye86U0OvAMAQFkS3AEAiCxkWejrq73mmtrrrks7O2PPGXRjjjzy0E996lUf+UjVyJH9X2mIvQgAABgYgjsAANH036+yedaslT/6UdfWrbHnDKnqMWNe9ZGPvPqUU0YfdJB7ZgAAoDwI7gAAxBBCLkna1qxZeuGFOxctir0mmiSfn/LP/3zEZz4z4U1vkt0BAKDUCe4AAAy1/jtkVl1++dPXX18mT0bdaxPe+MbDTz/9gH/91xCC690BAKBECe4AAAydEEKSJA2zZy/92tc66+pizyk6+x5++BGf+cxBH/pQks+72x0AAEqO4A4AwBAJaRrSdNl3v7vhlltyPgt9caMOOOCw00479JOfzFdXy+4AAFBCBHcAAIZIy7JlC887r2PduthDSsOISZMOO+20V598ctWIEblcTnmHihWyLJdluSQZ+ve+hCzLhdD/1A3vvAGAXSG4AwAwuEKWJUmy+qqr1vzkJ25s313DJ0w4bOrUw6ZNqxo5UuqC8tMf05Oqquf9B54VCoWWlt7m5t6dOwutrYXW1r62tr729r729r6Ojr6OjrSrK+3uTru7s97etKcnFApZoRD6+rJCof/nDGka+lt5LvdsMU+qqp75bdiwfHV1///mhw/PDx+eHzGiavjwqpEj8yNHVvX/NmpU1ejRw0aPHrbPPlWjRw/bZ59h++5bPWbMsH337f+WF3vgRMSvEABAdII7AACDKGRZX0fHwnPOaXjkkdhbStjw8eMPP/30w6ZOzQ8frl5BKQpZlsvl/rpQ93V0dG3d2rV5c/fWrV319T3bt/fs2NHd0NCzY0dvU1Pa1VXsV28lSdWoUdX77jts7NjqMWOqx4wZNmZM9bhx1WPHVo8bN3zs2Opx46rHjRs+YcLwiROrx4ypGj36BX6SEP7yT8YvbgCUBcEdAIBB1LJixRNnndW5aVPsIeVgxKRJR5xxxqEnn5wfNkyZguIVQug/tJ7L5XK5rFDo3LSp4+mnOzZu7Ny4sXPz5q5Nmzo3b+5rb487c4glVVXVY8cOnzChv8I/0+LHjx8+YUL1+PHDJ0wYMWnS8IkTq8eNy1dX/+0PD2ma0+UBKAWCOwAAgyCEXJJsvO22p7797aynJ/aasjJyypTXfP7zB59wwjPXNQCxhTR9Nq+n3d1tq1a1rlrVVlvbXlvbvnZt15Yt/Ye42UVVo0b1h/j+36r7u/zEicMnThw+fnx/lx8+fny+//kWz9Xf5f3yCEBEgjsAAAOs/9L2ZRddtO6mm2JvKVv7HHLIUeeee+Dxx//1QVpgaPx1Ye/asqX5qadaV6xoralpXbWqa/NmeX1o5EeMeCbE96f58eOr+/+wP9ZPnDhi0qTqceOG7bPP3/5Yt8wDMHgEdwAABlJI06ynZ8HnPufS9iEw9uijjzn//Fe8611/nf+AgRdCCKH/0HT3tm1Nixc3L13avHRpy4oVhdbW2ON4Kflhw6rHjx8+fnz1n2+wed7vD580afj48dXjxr3gr6IhTXMh5PJ5R+YB2EWCOwAAAyZkWffWrfOmTWurrY29pYJM+vu/P+YrX5nwhjfI7jCAQpb1N9bQ19e8bNnOBQt2LlrUtGhRz44dsacxCJJk2KhR1RMmDB83rvrZLj9+/PBx4/5S5ydOHD5+/LAxY14gvvc//TWEpKrKkXmACie4AwAwQEJoXrp03qmn9jY1xZ5SeZJk/3/+52O/+tV9Dj00l2U5JzFhjzwb2bOenp0LF2Z9fa945zv/581v7m1ujj2NopEk1fvu+5xT8/1p/s+/P7z/lvlx46pGj/7bH91/ZD7J5/1CDVCuBHcAAAZG/YMPLvz859OurthDKldSVXXwRz969Je+NHzixP7n1sZeBKXgz9fFZIVC08KFDY8/3jh3bvPSpVmhcNipp/7dhRfe9drX+pWNPZCvru7v8n+5Wb7/mPyECcMnTRoxadKIyZNf8OmvzxyWd788QGkaFnsAAADlYONtty39+tdDmsYeUtFCmm6YMWPTrFmHT5t2xFlnVY0YIdbAi3n2Cqb2tWu3P/zw9kcf3blgQdrdHXsX5SMrFHoaGnoaGl76u1WNGjV84sQREyc+U+EnTRoxefKIyZOHT548csqUEZMnDx837nm/mPd/tHWHGEBxEtwBANgLIeSSZPVPf7rq8stz3jpZHNLOztU//emGGTOOOvfcgz/+8Vwu51l/8Iw/H2ZPu7sbHn20/sEHtz/0UHd9fexZVLS0q6tr8+auzZtf7DskVVXDJ04csd9+I/fbb8R++42cMmXkfvuN3H//kfvvP+qAA0ZMmvTXOf4vV8kDEIngDgDAngohlyTLf/CDp6+/PvYUnq9nx46l3/jG0zfeeOxXvjLln/7J81SpZM/ezN5VX7/tf/6n/oEHGhcsyHp7Y++CXRLStP+kfOsL/dmkqmrE5Mkj999/1P77jzrggJEHHDDqla8cfeCBow46aMTEiX9p8SGELPOBAGAICO4AAOyREHJJsuw731l3002xp/Ci2mtr559++qS3ve3vvvGNcccc82x2hErw7NeZWmtqtt5zT/3997euXu29OJSZkKbd9fXd9fXNS5Y870/lhw8ftf/+o1/1qlGvetXoAw8cffDB+x566OhDDqkeM+avf7jL4gEGluAOAMDuCyGXJEu//vUNt9wSewovr3HevEePP/7A448/5vzzR06Z4nmqlLdnOnsIOxcu3HrPPdvuu69ry5bYoyCCrLe3Y+PGjo0bn/ft1WPH9sf3fQ49dJ9DD9338MP3PfzwYfvs0/9nQ5omSZLz1VmAPSW4AwCwm0LI5XJLLrhg4+23x57CrgpZtum3v916zz2vPuWU15x9dtXIkZo7ZeaZN3CEsPOJJzb/4Q/b7r23Z8eO2KOgGBVaW1uWLWtZtuwv35QkIyZN6i/vY448csyRR449+ujhEyb0/0mn4AF2i+AOAMDuCCGXJEsuvFBtL0Vpd3ftNdfU3X77a84995BPfCLneaqUvmcvSmpavHjzrFlb77lHZ4fdFkLPjh09O3Y0zpv37LcNnzBh7FFHjT366DFHHz3u7/5uzJFH5qurc/3/0eVyjsADvJgkuMAOAIDdsfy73336hhtir2Bv7XvEEcdecMGUd7/b81QpSf2vZJOkZeXKzb/73ZY//KFr69YB/4scduqpf3fhhXe99rVpV9eA/+RQWpKqqn0PP3zcsceOO/bY8a973bj/9b+qRo7MOf8O8DeccAcAYDfUXHqp2l4e2mtr55922uS3v/3vvva1sZ6nSuno/3e1a8uWupkzN8+a1b52bexFUBFCmratXt22evWm3/4219/fDzts/OteN+ENb5j45jePec1r+pu7jyYAgjsAALtqzc9+tubqq2OvYCDtmDPnkeOPP+jf//2Y888fsd9+nqdK0ep/K0Zfe/um3/1u08yZTU8+mfN2bYgnpGnbmjVta9bU/eY3uVxu2OjR41/3uglvfvOkt7514lveUjVqVO7ZJxgDVBjBHQCAXbL+5ptrLr009goGXsiyujvv3HL33YdNnXrk5z5XNWKE5k7x6D8tG9K0/qGH6u64Y/tDD2W9vbFHAc/X19m5Y+7cHXPnrsnlkqqqMUcdNemtb530trdNfvvbq8eOzYnvQCVxhzsAAC9vy913Lzr33JCmsYcwuEZMnvyac87xPFWKQX9qb1u9euNtt22eNaunsXHoN7jDHfZSks+POfLIyW9/++R3vGPy299eNXJkLoSQyyW+sguUL8EdAICXFELjvHlzp051qrRy7Hv44cf8x3/s/y//4kAiQ+/Zq2Pq7ryz7o47WlasiHh1jOAOAyhfXT3hTW96xTvfOeXd7x5z1FE5x96BMiW4AwDwokKWta1ePftjH+trb4+9haE28S1v+bsLLxz/+td7Ah5D4c+vTBsef3zjrbduu//+rKcn7qKc4A6DZuSUKa9417umvPvd+73znVUjR/pAA5QTwR0AgBcW0rS7vv7RD3+4p6Eh9hYiSZID3ve+Y88/f/TBB4cQ3ADAYOg/4tpdX7/x1ls33nFH1+bNsRf9heAOgy0/YsTkt71tynvec8C//uuI/fYLISS5nEeJACVNcAcA4AWELEs7Ox/90Ifan3469hYiyw8bdvDHP37UeecNnzAhF4IOwoB49mmo2+67b+OttzbMnl2ET4kQ3GHIJPn8+Ne97oD3ve+Vxx036sADn3nXi484QAkS3AEAeL4QQi7L5px0UuO8ebG3UCyG7bPPYaeeesQZZ1SNGKGAsDf6j7R3bty4/te/3jRzZs+OHbEXvSjBHSJIknHHHPPKD3zgoA9+cOSUKW6bAUqO4A4AwAtY/OUvb5o5M/YKis7wiROP/OxnX33SSbl8XgFht/RXs6xQ2Hr33RtmzGicPz/i01B3keAOESX5/IQ3vvHA448/8Pjjq8eO9YRVoFQI7gAAPN/qK69cdcUVsVdQvEYdeOBR5577qg9/OIQgu/Oy+lN7+7p1G37960133tnb3Bx70a4S3KEY5KurX/Gudx30oQ/t/573JMOGOfMOFDnBHQCA59g8a9aiL36x+E+eEt2+hx9+1HnnvfK445w65AU9e6R9yx//uOGWW3YuXFhyv7AI7lBUqsePP+j44w/+2MfGHn207A4ULcEdAIBnhCxrXbVq9kc+knZ3x95CyRh37LFHf+lLr/jHf5TdedZfjrTffHPdb39bKJ0j7c8juENxGnfssQefcMKr/t//qxo9WnkHio3gDgBALpfLhTTta2t7+AMf6NqyJfYWSs+EN7zhqC98Yb93vEN2r2RlcKT9eQR3KGZVo0cfePzxr/7Up8Yec4zsDhQPwR0AgFwuhBDCnE99qnHevNhTKGET3/KWo7/4xUlve5vsXmmeOdK+du36//7vTb/7XekeaX8ewR1KQJJMeP3rX33yya/8t397prknSexNQEUT3AEAyOVyuWXf+c66m26KvYJyMPGtbz3q3HMnv/3tsnvZe+ZIe2/v5j/8YeOMGTsXLSr1I+3PI7hDCRk5ZcqhJ5546Kc+VT1unAPvQESCOwAAubo773zy/PPLrJQR18S3vOU155yz3z/8g+xelvpjVmtNzYZbbtk8a1ahtTX2okEhuEPJyY8YcdCHPnTEZz6zzyGH+AAERCG4AwBUtJCm7bW1j374wx6UymAY/7rXHXnWWfv/6786bFge+utV2tW1aebMjbfd1rxsWXl/oU5whxKV5PNT/umfjjjjjAlvepPsDgyxYbEHAAAQTciyrKdnwVlnqe0MkualSxecddaYI4444swzDzz++CSfd7VuSeqv6knS9OSTG2fM2HLPPWlnZ+xNAC8qZNm2++/fdv/9E9/85iM/+9lX/OM/+rovMGSccAcAqGgLzjxz2333xV5BRRh1wAGHTZ16yIknVo0cmQtBeS8J/SdDe3fu3Hj77XV33NH+9NOxFw0pJ9yhPIw99tgjzzzzlccdF0KQ3YHBJrgDAFSutdddt+Lii2OvoLJUjx17yCc/edjUqSMmT3besGj1/18T0nTb/fdvuvPO7Q89lPX1xR4VgeAO5WTfI4446pxzXvl//6+PPsCgEtwBACpRyLKmRYvmnHhiZUY0ostXVx9w3HGHn376uGOOcbtuEfnz1TGtK1duvO22zb//fW9TU+xNMQnuUH7GHnXUa84994D3vtdHH2CQCO4AABUnZFlfW9tD739/d3197C1UtiSZ9Na3vvrkk/d/73uT/htm3DMTSX946mloqLvzzk0zZ7atWRN7UVEQ3KFcjXvta4/5j//Y7x3vkN2BAeehqQAAFSfJ5xd94QtqO/GF0Dh/fuP8+aMOOOCQT3zikBNPHD5+vPYxlPr/aaddXVvuumvz7363Y+7ckKaxRwEMupZly+Z++tOT3/72Yy+4YNxrX+uSGWAAOeEOAFBxXN1OccoPH37Ae997yCc+Meltb3v2bpPYo8pTf2cPfX31Dz20+Xe/q//Tn9Lu7tijipET7lD+kuSA973v2AsuGH3QQSGExMcdYK8J7gAAFSRkWcuyZbNPOCErFGJvgRe1zyGHHHzCCQefcMLwiRMdeB9Az3T2LNsxe/bm3/9+2333FVpbY48qaoI7VIh8dfWhJ574mvPOq953X1/rBfaS4A4AUClClqVdXQ8fd1znpk2xt8DLS6qq9vv//r9XffjDB7z3vcmwYd7vv8ee6expumP27C333LPtvvt6d+6MPao0CO5QUarHjTvys589bOrUXJL4iAPsMXe4AwBUiiSfX3LBBWo7pSKk6faHHtr+0EPV48a98rjjDvrgBye+9a25XE5530X9nT3r7d3+8MPb7r132wMPFFpaYo8CKF6FlpYVP/zhhhkzXvv1r7/iH//RW6yAPSO4AwBUhhDqfvObLXfdFXsH7LZCS8uGW27ZcMstow444MAPfODAD35w7NFH55T3FxJCSHK5XJIUWlq23X//tnvvbZg92+lsgF3XsW7dvFNPfcU73/nab397n0MOyYXgkhlgt7hSBgCg/IU07dq69eHjjuvr6Ii9BQbA6Fe96oD3ve+V73//+Ne/Pvfno9yxR8X07D+BttWrt913X/2DDzYvXRrSNPaukudKGahk+erqw0877TXnnJMMG+bru8CuE9wBAMpfyLLZH/1o05NPxh4CA2zklCmvePe7p7z73fu94x1VI0eGLEuSpEKOIj4b2QstLdsffrjh0UcbZs/urq+PvausCO7A6Fe96rXf+taUd7/b26qAXeRKGQCA8rfq8svVdspSd339xhkzNs6YkR8xYtLf//1+73jHK971rjFHHpkr02Pvz/5N9XV0NM6du2Pu3B1z57bV1IQsiz0NoDx11tXNP/30/d/zntd997sjJk+ukK/pAnvDCXcAgHIWsqxp8eLHP/EJl0tQOUa+4hWT/+EfJr3tbZPf/vbRBx2U67/tvURPvocQQug/U9nT2Ng4d+7OhQt3LlzYunKl/6iHgBPuwLOG7bvv0V/60qtPOilkWfl9QRcYQII7AEDZCiFkPT0Pve99nXV1sbdAHCP333/S3//9hDe+ccIb3jDu2GOTYcNy/efE8/ni7O/9Z9X7C3tWKLQsX960eHHzk082LVnSuWlTzsu3oSW4A88z4Y1vfMPFF+97xBGxhwDFy5UyAABlK0mS5d/7ntpOJevetm3zrFmbZ83K5XL56uqxxxwz9thjxx199Nhjjx13zDFVo0f3f7c4CT6EZ24E/vNft3vbttbVq1tXrmytqWldubJj3bqsr29IJwHwkpoWL3743/7tiLPOes3ZZ+dyOUfdgb8luAMAlKeQZTsef3zDjBmxh0CxyAqF5qVLm5cufeaPk2TU/vvve9hh+x5++L6HH77Pq1+976GHjtx//+fUkxD+cuR8D3L8n394Lkme96i93ubmjnXrOtav79i4sWPDhvba2vZ169LOzj3+uwNgaGSFwuorr9x2771v+PGPxx1zTC6E4nzLFBCL4A4AUIZClqXd3UsuuMAFFPCiQujaurVr69aG2bOf/bakqmrklCmjDjxwxOTJz/w2aVL12LHVY8cOnzChety4qlGjqkaOzI8Yka+u/tufMisUst7etLu7r6Ojr62t0NZWaGkpNDX1NDX1NjX1NjZ2bd3avXVrV3191tMzhH+rAAyw1pqaRz/4wSM+85mjzjsvlySOugPPEtwBAMpQks8v+9a3urZujT0ESkxI064tW7q2bHnZ79l/5j3J53P5fJLPh76+rK/Pl7gAKkdI0zU/+1n9gw++6bLLxrzmNbHnAMUi//LfBQCAkhKyrP5Pf6qbOTP2EChnIctCmmaFQtbTk3Z1ZYWC2g5QgVprah45/vg1V1+dCyGkaew5QHyCOwBAWQlZlnZ2Lv3a17Q/AIAhkBUKNZdeOvuEE7rr630CBgjuAABlJcnnn/r2t7u3b489BACgguxctOih979/029/m8vlcv1PzAYqkuAOAFA+QpY1PPLIM6/0AAAYQn3t7Yu//OVF552XdncHzR0qleAOAFAmQghZT88Sl8kAAMSz+fe/f+j972956qnYQ4A4BHcAgDKRJMny73+/a8uW2EMAACpa56ZNs084ofbaa3O5nKPuUGkEdwCAchCyrHHevI233hp7CAAAuayvb+WPfjR36tRCa6vmDhVFcAcAKH0hhL6+JRdc4OUcAEDxaHjkkYff//6dCxbEHgIMHcEdAKD0JUnN9OkdGzfG3gEAwHN0b98+56ST1lx1Vc71MlAZBHcAgNIW0rR15cqn/+u/Yg8BAOAFhDStmT593rRpfR0dmjuUPcEdAKDEJcmTX/lKSNPYOwAAeFHbH3744eOOa1m+PPYQYHAJ7gAApe3p66/3yg0AoPh1bdky+2Mfe+Yp9yHEngMMCsEdAKBUhTTt2rJl1RVXxB4CAMAuyXp6llx44dKvfS1kmXcoQlkS3AEASlVSVbXkwgvTrq7YQwAA2A0bZsyY/bGP9TY1udIdyo/gDgBQkkKWbZ41q+HRR2MPAQBgtzUtXvzI8ce3LFsWewgwwAR3AIDSE0JIu7qW/+AHsYcAALCHuuvrZ3/843V33pnLudIdyofgDgBQepIkWfmjH/U0NMQeAgDAnst6ep48//zl3/teLpdzvQyUB8EdAKDEhDRtWb58wy23xB4CAMBeC+HpX/5y7rRpWXe3x6hCGRDcAQBKTJLPL7nwQq/HAADKRsMjjzz6oQ91b9vmnDuUOsEdAKCkhLDuV7/yfC0AgDLTVlv7yAc/2LR4cewhwF4R3AEASkbIst6mplXTp8ceAgDAwOttappz4ol1v/lN7CHAnhPcAQBKRpLPL//+9wttbbGHAAAwKLJC4cmvfKVm+vScx6hCaRLcAQBKQ0jTnU88sel3v4s9BACAwRTCmquuWnTeebks89geKDmCOwBAiUiSp771rVwIsXcAADDoNv/+94+feGJfR4fmDqVFcAcAKAUhrP/Vr1pramLvAABgiOx84olHP/zh7vp6d8tACRHcAQCKXciy3ubmVZdfHnsIAABDqmPdukc//OG2Vau8zRFKheAOAFDsknx+xQ9+UGhtjT0EAICh1tPQMPtjH2uYPTv2EGCXCO4AAEUtpGnTk09u+u1vYw8BACCOvo6O+aeeumnmzNhDgJcnuAMAFLUkn3/qW99ycScAQCXL+vqePP/8tdddl8vlXC8DxUxwBwAoYiFsvO22lmXLYu8AACCykGUrLr54xcUX55IkaO5QrAR3AIBiFUJfZ2fNpZfG3gEAQLFYe911T55/fi4E74CE4iS4AwAUqyRZddllPY2NsXcAAFBE6n7zmwVnnhnSVHOHIiS4AwAUo5Bl7evWrf/Vr2IPAQCg6NQ/8MDcT3866+kJaRp7C/AcgjsAQDFK8vll3/521tcXewgAAMWocd682R//eF97u+YORUVwBwAoOiHL6h94oOGxx2IPAQCgeLUsW/bYRz/a09jobhkoHoI7AEDxCWH5D34QewQAAMWufe3axz7yka4tWzR3KBKCOwBAkQnh6f/6r47162PvAACgBHRt3jz7ox/tWL9ec4diILgDABSRkGWFlpY1V10VewgAACWje/v22Sec0LZqVS6E2Fug0gnuAABFJMnnV15ySaGtLfYQAABKSW9T0+Of/GTTk09q7hCX4A4AUCxCmratXr3x9ttjDwEAoPQUWlvnnnxy44IFmjtEJLgDABSLpKpq2UUXhTSNPQQAgJLU19k5b9q0HXPmaO4Qi+AOAFAUQpZtu//+HXPmxB4CAEAJS7u65p9+esOjj8YeAhVKcAcAKA4hrLj44tgjAAAoeWl39/wzz6x/8MHYQ6ASCe4AAEUghPU339yxbl3sHQAAlIOsp+eJs86qf+CB2EOg4gjuAACxhdDX2bn6Jz+JvQMAgPKRFQpPfO5z2+6/P/YQqCyCOwBAbEmy+ic/6W1qir0DAICykhUKC88+e9t998UeAhVEcAcAiClkWdeWLetuvDH2EAAAylBWKCz8/Oe33Xtv7CFQKQR3AICYknx+xcUXZ729sat5pAUAACAASURBVIcAAFCenmnuzrnDkBDcAQCiCWnavGTJlrvuij0EAIBylvX1Lfz85z1DFYaA4A4AEE1SVbX8e9/LhRB7CAAAZS4rFJ44++ztDz0UewiUOcEdACCOkGVb/+d/di5aFHsIAAAVIevtXXDWWdsfeST2EChngjsAQDQrL7kk9gQAACpI1tu74MwzG2bP9iZLGCSCOwBADCFs+PWvO9ati70DAIDKkvX0LDjjjMYnntDcYTAI7gAAQy6EtKdn9ZVXxt4BAEAlSru65k+b1rRkieYOA05wBwAYckmy5uqrexobY+8AAKBC9XV2zjvllJYVK0KWxd4CZUVwBwAYWlnW09j49C9/GXsHAAAVrdDWNufkk9trazV3GECCOwDA0Mrna6ZPTzs7Y+8AAKDSFZqb55x0UmddneYOA0VwBwAYOiFNO9avr7v99thDAAAgl8vlenbsmHPiid3bt4c0jb0FyoHgDgAwdJKqqhU//KEXMwAAFI+urVvnfOITvc3NPk2FvSe4AwAMkZCmTYsXb3vggdhDAADgOTo2bpzzyU/2tbdr7rCXBHcAgCGSVFWtuPjiXAixhwAAwPO11dbOOemkrKdHc4e9IbgDAAyFkGX1Dzyw84knYg8BAIAX1rJ8+dxp00KWeYYq7DHBHQBgKCRJsvJHP4q9AgAAXsrOBQsWnHFGLgTNHfaM4A4AMPhC2HjHHW21tbF3AADAy9j+8MOLzjsvSRJ3IcIeENwBAAZd1te36vLLY68AAIBdsuWuu5Z87Ws5zR12n+AOADDIQlh3ww3d27bF3gEAALtq4623rvzP/8wlSewhUGIEdwCAwRRCX2fnmmuuib0DAAB2T+3Pf1577bWxV0CJEdwBAAZTktRec02huTn2DgAA2G0rL7lk44wZsVdAKRHcAQAGS8iy3p07n77hhthDAABgj4Sw9Jvf3HrPPbF3QMkQ3AEABkuSz9dcdlna2Rl7CAAA7KGQpou+8IXGuXM9QBV2heAOADAoQpZ11tXV3XZb7CEAALBXst7e+Wec0VJTE7Is9hYodoI7AMCgSPL5mh//OOvriz0EAAD2Vl97+7xTTunasiWkaewtUNQEdwCAgRfStLWmZstdd8UeAgAAA6Nnx445n/pUoaVFc4eXILgDAAy8pKpq5SWXeMstAADlpLOubs7JJ2c9PT7RhRcjuAMADLCQpk2LFm1/+OHYQwAAYIC1rlw577TTclmW09zhhQjuAAADrP94ey6E2EMAAGDgNc6bt/C883JJ4jNe+FuCOwDAQApp2vDoo43z58ceAgAAg2Xr3Xcvu+iiXJLEHgJFR3AHABhISVXVyh//OPYKAAAYXOtuumnN1VfHXgFFR3AHABgwIcu23nNPy7JlsYcAAMCgq5k+ve43v4m9AoqL4A4AMGCSJKm57LLYKwAAYEiEsPTCC7c/8ojL3OFZgjsAwMAIWVY3c2Z7bW3sIQAAMESyvr6Fn/tcy4oVIctib4GiILgDAAyQEFZfeWXsEQAAMKT6OjvnTZ3atWVLSNPYWyA+wR0AYCCEsGHGjM66utg7AABgqPU0Ns496aS+tjbNHQR3AIABkPX1rbnqqtgrAAAgjo6NG+dOnRr6+twtQ4UT3AEA9loI6264obu+PvYOAACIpnnp0ifOPjtJEs9QpZIJ7gAAeyeEtLu79tprY+8AAIDI6v/0p6Vf/3ouSWIPgWgEdwCAvZMka3/xi96mptg7AAAgvg0zZrhrkUomuAMA7IUQ+trbn77++tg7AACgWNRcdtmmmTNjr4A4BHcAgL2QJGt+9rNCW1vsHQAAUDRCWPLVr+6YM8dl7lQgwR0AYA+FEHqbmtbddFPsIQAAUFyyQuGJs85qX7s2ZFnsLTCkBHcAgD2UJMman/407eyMPQQAAIpOoa1t7imn9O7cGdI09hYYOoI7AMAeybKehob1t9wSewcAABSprq1b555yStbb65w7lUNwBwDYI/n8qiuuyHp6Yu8AAIDi1bpy5YLPfjaXy7nPnQohuAMA7LaQZV1bttTdcUfsIQAAUOwaHnlk6de/nkuS2ENgKAjuAAC7Lcnna6ZPzwqF2EMAAKAEbLz11jVXXx17BQwFwR0AYPeELOtYv37zrFmxhwAAQMmomT7dp9BUAsEdAGD39B9vD2kaewgAAJSOEJ78yld2LljgAaqUN8EdAGA3hDRtW7Nm6913xx4CAAAlJuvtnX/mmZ11dQ6vUMYEdwCA3ZBUVdVMn+5UDgAA7IFCc/PcT3+6r61Nc6dcCe4AALsqpGnLypXb7rsv9hAAAChVnXV18047LWRZzikWypHgDgCwq5KqqlWXXpoLIfYQAAAoYU2LFy8677xckvjUmvIjuAMA7JKQps1Ll9Y/9FDsIQAAUPK23nPPiv/8z1ySxB4CA0xwBwDYJUlVVc2Pf+wMDgAADIi1v/jFhhkzYq+AASa4AwC8vJCmO594ouHxx2MPAQCAchHCU9/8ZsOjjzrUQjkR3AEAXl5SVVUzfbpXAgAAMIBCmj5x9tlttbXBA1QpF4I7AMDLCGm6Y86cxnnzYg8BAIBy09fePm/atEJzc0jT2FtgAAjuAAAvI6mqWjV9euwVAABQnrq2bJk3bVpIU+fcKQOCOwDASwlp2vDIIzsXLYo9BAAAylbzU08tPOecJEnc4kipE9wBAF5KUlVVc/nlsVcAAECZ23bffSsuvjiXJLGHwF4R3AEAXlRI0/o//al5yZLYQwAAoPytvf76DbfcEnsF7BXBHQDgRSVVVasuuyz2CgAAqAwhPPWtbzU89piLZShdgjsAwAsLWbbt3ntbVqyIPQQAACpFSNOFZ5/d/vTTIU1jb4E9IbgDALywJJ9f5fZ2AAAYWoW2tnnTphVaWzV3SpHgDgDwAkKWbfnjH1tXrYo9BAAAKk7npk3zTz89ZFnIsthbYPcI7gAALyBJklVXXhl7BQAAVKimxYsXf+lLSV69pMT4VxYA4PlClm2eNau9tjb2EAAAqFxb/vjHmksvjb0Cdo/gDgDwfEmSrPrJT2KvAACASrfmZz+ru/PO2CtgNwjuAADPEbKs7s47O9atiz0EAAAqXghLL7ywccECl7lTKgR3AIDnW+14OwAAFIesUHjizDO7Nm0KaRp7C7w8wR0A4C9CltXdcUdnXV3sIQAAwDN6m5vnTp3a19npnDvFT3AHAPgrIay56qrYIwAAgOfoWL9+wRln5EIIIcTeAi9FcAcAeEbIso233tq5aVPsIQAAwPM1zpu35KtfTZIk9hB4KYI7AMCfZdmaq6+OPQIAAHhhdb/5Te0118ReAS9FcAcAyOVyuVwI63/9666tW2PvAAAAXlTNpZduveeenItlKFaCOwBALpfLZX19DssAAECRC1m2+MtfblmxwgNUKU6COwBALhfC+l/9qru+PvYOAADgZaRdXfNPO61nx46QprG3wPMJ7gAAuaxQqL322tgrAACAXdK9ffu8adOyQsE5d4qN4A4AVLwQ1t14Y8+OHbF3AAAAu6p15cqF55yTJIn73CkqgjsAUOnSnp7an/889goAAGD31D/wwPIf/CCXJLGHwF8I7gBAZQvh6V/+snfnztg7AACA3fb0L3+54ZZbYq+AvxDcAYAKFkLa3f30L34RewcAALBHQlj27W/vePxxF8tQJAR3AKCCJcna66/vbW6OvQMAANhDWV/fE5/7XMeGDSFNY28BwR0AqFgh9HV0PP1f/xV7BwAAsFcKra3zpk7t6+jQ3IlOcAcAKlWSrL3uukJLS+wdAADA3urYuHH+Zz6Ty+WCu2WISnAHACpSCH3t7etuuCH2DgAAYGDsXLDgya98JUmS2EOoaII7AFCRkqT25z8vtLXF3gEAAAyYTTNnrrn66tgrqGiCOwBQeUIotLY63g4AAOVn1WWXbb3nnpyLZYhEcAcAKk+S1P7sZ30dHbF3AAAAAyxk2eIvf7ll+fKQZbG3UIkEdwCgsoQQepua1t18c+whAADAoEi7uuaddlpPQ0NI09hbqDiCOwBQWZIkWXP11WlnZ+whAADAYOlpaJg3bVpWKDjnzhAT3AGAChKyrKexccOvfx17CAAAMLhaa2oWnn12kiTuc2coCe4AQAVJ8vk1P/1p2t0dewgAADDo6h98cPn3vpdLkthDqCCCOwBQMbKse/v2DTNmxN4BAAAMkadvvHH9f/937BVUEMEdAKgY+fzqK6/Mentj7wAAAIZKCMsvuqhh9mwXyzA0BHcAoCKELOvaurXujjtiDwEAAIZU1te38Oyz29evD2kaewvlT3AHACpCks+vuvzyrFCIPQQAABhqhdbWeVOn9rW3a+4MNsEdACh/Ics66+o2zZwZewgAABBHZ13d/NNOC1kWsiz2FsqZ4A4AlL/+4+0OswAAQCXbuWjRk+efn+QVUQaRf70AgDIXsqxj/frNv/997CEAAEBkm2fNWn3llbFXUM4EdwCgzCX5fM306Y63AwAAuVxu1ZVXbp41K/YKypbgDgCUs5CmbWvWbL377thDAACA4hDCkxdc0LR4scvcGQyCOwBQzpKqqprp030mDQAAPCvr6Zn/mc90b9vmjbAMOMEdAChbIU1bVq7cdt99sYcAAADFpXfnznlTp6bd3U7nMLAEdwCgbCVVVTU//nEuhNhDAACAotNWW/vEWWflcjkvGRhAgjsAUJ5CmjYvWbL94YdjDwEAAIpUw+zZT33jG7kkiT2E8iG4AwDlKamqqrn0UmdVAACAl7Bhxoy1110XewXlQ3AHAMpQSNPGBQsaHn889hAAAKDYrbzkkm333eewDgNCcAcAypDj7QAAwC4Kabroi19sqanxAFX2nuAOAJSbkKYNjz22c8GC2EMAAIDSkHZ2zj/11N7GxpCmsbdQ2gR3AKDcJFVVqy67LPYKAACglHTX18+dNi0rFJxzZ28I7gBAWQlZVv+nPzU9+WTsIQAAQIlpXbFi4dlnJ0nidkr2mOAOAJSVJJ+vmT499goAAKAk1T/44LKLLsolSewhlCrBHQAoHyHLtvzxj60rV8YeAgAAlKp1N9207sYbY6+gVAnuAED5SJJk1RVXxF4BAACUtuXf/379gw+6WIY9ILgDAGUiZFndzJnta9fGHgIAAJS2kKaLzjmnddUqD1BldwnuAEC5CGH1lVfGHgEAAJSDvs7OedOm9TY2hjSNvYVSIrgDAGUhhI233tpZVxd7BwAAUCa66+vnTpuWFQrOubPrBHcAoBxkfX2rf/rT2CsAAICy0rpixcKzz06SxH3u7CLBHQAofSGsu/HG7vr62DsAAIByU//gg8suuiiXJLGHUBoEdwCgxIWQ9vTUXnNN7B0AAEB5WnfTTU/fcEPsFZQGwR0AKHFJsva663qbmmLvAAAAytaKH/xg2/33u1iGlyW4AwClLIS+9vanr78+9g4AAKCchTRd9IUvtKxY4QGqvDTBHQAoZUmy5qqrCm1tsXcAAABlLu3snHfqqT0NDSFNY2+heAnuAECpClnWu3Pnul/9KvYQAACgIvQ0NMw95ZSsp8c5d16M4A4AlKokn1915ZVpV1fsIQAAQKVoW716wZln5kII7nPnhQjuAEBJClnWtW3bxltvjT0EAACoLA2zZy+58MIkSWIPoRgJ7gBASUry+VWXXpr19sYeAgAAVJy6O+5Yc9VVsVdQjAR3AKD0hDRtX7du0+9+F3sIAABQoWouu2yzlyT8DcEdACg9SVVVzSWXhDSNPQQAAKhUITx5wQWNCxbkXObOXxHcAYASE9K0ZdmyrffeG3sIAABQ0bLe3gVnnNGxYYPDQDxLcAcASkxSVbXyRz9yigQAAIiu0NIy95RTCq2tmjv9BHcAoJSENG2cN6/h8cdjDwEAAMjlcrnOurp506aFNA1ZFnsL8QnuAEApSaqqVl5yiePtAABA8WheunTh5z+fJImXKgjuAEDJCFlW/8ADTYsXxx4CAADwHNvuv3/ZRRflkiT2ECIT3AGAkpEkycpLLom9AgAA4AWsu+mmtb/4RewVRCa4AwClIWRZ3cyZbWvWxB4CAADwwlb+539uveee2CuISXAHAEpElq2+4orYIwAAAF5UyLJFX/xi06JFHqBasQR3AKAUhLDu5ps7N22KvQMAAOClZD09808/vbOuLqRp7C1EILgDAEUvhLSnp/bqq2PvAAAAeHm9zc1zP/3pQmur5l6BBHcAoOglSe211/Y0NsbeAQAAsEs66+rmTZsW+vrcLVNpBHcAoKiFEAotLU9ff33sIQAAALuheenSJ84+O0mSXAixtzB0BHcAoKglSbLqiiv6OjpiDwEAANg99X/609JvfjOXJLGHMHQEdwCgeIUs69qyZcMtt8QeAgAAsCc2/PrXa372s9grGDqCOwBQvJJ8fuWPfpT19sYeAgAAsIdqLr1008yZsVcwRAR3AKBIhTRtXblyyx//GHsIAADAXghhyVe/uuPxx13mXgkEdwCgSCVVVSsuvjhkWewhAAAAeyUrFBacdVbb6tVe4JQ9wR0AKEYhTXc8/njDY4/FHgIAADAA+trb506d2tPQENI09hYGkeAOABSj/uPtsVcAAAAMmO76+jknn5x2dWnuZUxwBwCKTsiyzb//fcvy5bGHAAAADKT22tp5p54asszdMuVKcAcAik8INZdeGnsEAADAwNv5xBMLzzknSRLPUC1LgjsAUGRCWHfjjZ11dbF3AAAADIpt99771He+k0uS2EMYeII7AFBMQujr7Fxz1VWxdwAAAAyi9b/61Zqf/Sz2Cgae4A4AFJMkWfPTn/Y2N8feAQAAMLhqLr207s47Y69ggAnuAECxCFnWXV+/7qabYg8BAAAYfCEs/epXGx55xGXu5URwBwCKRZLPr7zkkrS7O/YQAACAoZD19T3xuc+1rFgRsiz2FgaG4A4AFIWQpm2rV2+eNSv2EAAAgKHT19k5b+rUrs2bQ5rG3sIAENwBgKKQVFUt/8EPfIoJAABUmp7GxjknnVRobfWCqAwI7gBAfCFNGx59tOHRR2MPAQAAiKCzrm7uySdnvb3ulil1gjsAEF+Sz6/44Q9jrwAAAIimZcWK+aefngtBcy9pgjsAEFsIG2+/vXXVqtg7AAAAYtoxZ86iL3whSZJcCLG3sIcEdwAgqhCy3t5Vl18eewcAAEB8W/74x2Xf/W4uSWIPYQ8J7gBAVElS+/Ofd9fXx94BAABQFNbdeOOaq6+OvYI9JLgDANGELOttalr785/HHgIAAFBEaqZP33jbbbFXsCcEdwAgmiSfr/nxj/s6O2MPAQAAKCYhLP3617fdf7/L3EuO4A4AxBHStG3Nmo233x57CAAAQNEJabro3HN3LlqkuZcWwR0AiCOpqlr+ve+FNI09BAAAoBil3d3zTzutrbY2ZFnsLewqwR0AiCBk2faHHmp47LHYQwAAAIpXobV17sknd2/b5qxSqRDcAYA4lv/wh7EnAAAAFLvu7dvnfOpThdZWzb0kCO4AwJALYf3NN7fX1sbeAQAAUAI6NmyYe/LJWW+v5l78BHcAYGiF0NfZufrKK2PvAAAAKBktK1bMO/XUkGXucy9ygjsAMLSSZPWVV/Y2NcXeAQAAUEoa581bePbZSZKEEGJv4UUJ7gDA0Alp2rlx47obb4w9BAAAoPRsu//+Jy+4IEmSnOZerAR3AGDoJFVVy773vaxQiD0EAACgJNXdcceKiy/OJUnsIbwwwR0AGCIhTRtmz67/059iDwEAAChha6+7rvbaa2Ov4IUJ7gDAUEmS5d/9rnc+AgAA7KWVl1yyccaM2Ct4AYI7ADAkQlh/881ta9bE3gEAAFD6Qlj6zW9uufvu2Dt4PsEdABh0IYS+jo7VV1wRewgAAECZCGm6+ItfbHjsMW8jLiqCOwAw6JIkqbn00t7m5thDAAAAykfW27vgrLOaliwJWRZ7C88Q3AGAwRXStH3t2vX//d+xhwAAAJSbtLNz3rRp7WvXau5FQnAHAAZXUlX11Le/HdI09hAAAIAyVGhpmXPSSV1btnjZVQwEdwBgEIUs23rPPTsefzz2EAAAgLLV09Aw58QTe3fu1NyjE9wBgEEU0nTFD38YewUAAECZ69y06fFPfaqvo0Nzj0twBwAGUe0113Ru2hR7BQAAQPlrr62de/LJWW+v5h6R4A4ADIqQZd319bXXXht7CAAAQKVofuqpedOmhSzzDNVYBHcAYFAk+fzy738/7eqKPQQAAKCCNM6fv+CMM3Ih5DT3GAR3AGDghTRtnDdvy113xR4CAABQcbY//PCi887LJUkIIfaWiiO4AwCDIEme+ta3cj63AwAAiGHLXXct+epXkyTxumyICe4AwEALYd0NN7StWRN7BwAAQOXaePvtyy66KJcksYdUFsEdABhIIct6m5tXX3ll7CEAAACVbt2NN9ZMnx57RWUR3AGAgdT/rNRCW1vsIQAAAOTWXH117c9/HntFBRHcAYABE9K0adGiTb/9bewhAAAA5HK5XC6ElT/60fqbb469o1II7gDAgEnyec9KBQAAKC4hLPvOd+ruvDP2jooguAMAAySEdb/6VcuKFbF3AAAA8Bwhy5ZccMGWu++OPaT8Ce4AwAAIWdbb1LTK03gAAACKUkjTxV/4Qv2DD8YeUuYEdwBgACT5/LKLLvKsVAAAgKKVFQpPfO5zOx5/3EWgg0dwBwD2VkjTHXPmbP7DH2IPAQAA4KVkPT3zzzhj56JFmvsgEdwBgL0WwtJvfMOna/9/e3f+XHd52Hv8e0Qmnd7OJHem0ztzf8m005nO3Ol/0o0CtcOOsQN0bk0pk1L2JaQkQCihQ0kgYdpAPORCgFAoWyAw9SJLlm1ZlvdFtiXLkizpaDtHZ/1+n/uDjMNijG0kPWd5vYbRHEkH6ePfrLcfPQcAAKDxpfPz3atXT/f3Bz/ELQHBHQD4sg4980zxyJHYKwAAADgn9UKha9Wquf37Q5bF3tJqBHcA4MKFNC0NDx/80Y9iDwEAAOA81GZmNl99dfHIEc19cQnuAMCFy110Ud/dd6flcuwhAAAAnJ/q1FTnVVfNDw1p7otIcAcALlDIsuE33hjfsCH2EAAAAC5EZXy888oryyMjmvtiEdwBgAsRQkjn53c/9FDsIQAAAFy48ujopiuuqIyPhzSNvaUVCO4AwIXI5XJ7vv/9yvh47CEAAAB8KaXh4c7LL69OTWnuX57gDgCct5CmU729gy+9FHsIAAAAi6A4ONh5xRW12VnN/UsS3AGAC9F3113u+AMAAGgZhYGBziuuqBcKmvuXIbgDAOft0DPPzB04EHsFAAAAi2nu4MHOq66qz89r7hdMcAcAzkNI0/nBwQP/9m+xhwAAALD4Zvfu3XzVVWmppLlfGMEdADgPuYsu2nHHHVmlEnsIAAAAS2Jm9+7N11yTVSqa+wUQ3AGAcxbC4EsvTXZ3x94BAADAEpreuXPztddm1armfr4EdwDgnIQsq05P73n44dhDAAAAWHJTvb1d112X1Wqa+3kR3AGAc5Lr6Oi///7azEzsIQAAACyH/LZtXatWae7nRXAHAL5YyLKxDz888dZbsYcAAACwfPI9Pd2rV4d6XXM/R4I7APAFQghZubzz7ruTEGJvAQAAYFlNdnd3XX99SNOQZbG3NAHBHQD4ArlcbtdDD5XHxmIPAQAAIILJ7u5T59w19y8iuAMAZxOybLKra/DFF2MPAQAAIJqJzZu716xxzv0LCe4AwOcLIdRqO+64w2UyAAAAbW6is7N79WrN/ewEdwDg8+Vye3/wg/mhodg7AAAAiG+is3OLc+5nJbgDAGcW0nS6r+/I88/HHgIAAECjGN+0SXM/C8EdADiTEEKW9f7jP4Y0jT0FAACABjK+aZO7ZT6P4A4AnEkut/fRRwsDA7F3AAAA0HBO3eder2vunyK4AwCfFrIsv23bkZ/9LPYQAAAAGpTmfkaCOwDwSSGEWm3Hbbf5OxMAAABnMbF5c9eqVaFW8/PjaYI7APBJudyehx8uHjsWewcAAACNbrK7u2vVqqxa9QJgCwR3AOC3QpZNdncfXbcu9hAAAACaw+SWLV2rVmW1muaeCO4AwGkhy7JyuddlMgAAAJyPfE9P17XXOueeCO4AwGm5jo7+++8vDQ/HHgIAAECTyW/btvmaa9JKpc2bu+AOACRJkoQsG33vvaFf/Sr2EAAAAJrSVG/v5iuvTEuldm7ugjsAkIQsq83M9N11VxJC7C0AAAA0q+n+/s4rrqgXi23b3AV3ACDJdXT03XFHNZ+PPQQAAIDmNrNnT+cVV9Tn5tqzuQvuAND2Qhj85S9H338/9g4AAABawey+fZu++c3azEwbNnfBHQDaWkjT+eHh3d/9buwhAAAAtI65Q4c2rlxZzefbrbkL7gDQ3nK57f/wD/ViMfYOAAAAWkrxyJGNK1ZUxsfbqrkL7gDQ1g48+eRUb2/sFQAAALSg+aGhjStXlkdHQ5bF3rJMBHcAaFMhTad27Dj41FOxhwAAANCySsPDG1esmB8aapPmLrgDQDsKIWS1Wu+tt7bVb/YBAACw/MpjY5tWriwcPtwOzV1wB4B2lMvl+u+7rzg4GHsIAAAAra8yMdF5+eWz+/e3fHMX3AGg/YQw/MYbQ6++GnsHAAAA7aI6Pb35yitn+vuTEGJvWUKCOwC0l5CmpZGR/nvvbe2/4gAAANBoarOzm6+5ZrKnp4V/IBXcAaCdhJAkyda1a2tzc7GnAAAA0HbqxWL39def3LAh9pClIrgDQDvJ5fY99th0X1/sHQAAALSptFzuuemmkXffjT1kSQjuANAuQpaNb9p0+NlnYw8BAACgrWXV6rabbz7+2muxhyw+wR0A2kJI09rMTO+3v93yrwgPAABA4wtpuuO224698ELsIYtMcAeAtpDr6Ni2dm1lfDz2EAAAAEiSJAlZtvO++w795CexhywmwR0A2sL+J56Y6OqKvQIAAAA+JoS9JJDqeQAAEsBJREFUjz6671/+ZeFx7DWLQHAHgBa3cHX7wR//OPYQAAAA+IwQDv7oR7u+850klwvN39wFdwBoZSFNq/l87623hjSNvQUAAADO7Mjzz++47bZckjT7C48J7gDQukJIcrltN99cmZyMPQUAAADOZujVV7f+3d8lWdbUzV1wB4DWlcvtffTRyS1bYu8AAACALzby7rvda9aEWq15f0tbcAeAFhXCyLvvHn722dg7AAAA4FyNb9y4+eqr01KpSZu74A4ALSik6fzQ0I5/+qfWeJF3AAAA2kd++/ZN3/xmbXa2GZu74A4ArSZkWajXt9x0U71QiL0FAAAAztvsvn0bL7usfPJk093nLrgDQKvJdXT03XXX3IEDsYcAAADABSoeO7bxssuKR482V3MX3AGg1Rx57rnjr70WewUAAAB8KeWxsU0rVszs2tVE16UK7gDQOkKW5Xt69nzve7GHAAAAwCKoTk9vvuqq8U2bYg85V4I7ALSIkKbVycmta9dm9XrsLQAAALA46vPzW771rRNvvhl7yDkR3AGgFYQQkhC23HRTZWIi9hYAAABYTFmttv3WW4+uWxd7yBcT3AGgFeRyuZ333DPd1xd7CAAAACy+kKb9Dzyw/4knkiRp5CvdBXcAaAVHf/7zwV/+MvYKAAAAWDIhHHjyyZ333pskSZJlsdecmeAOAM0thDDR2bnru9+NPQQAAACW3LEXXti6dm3IstCQzV1wB4AmFtK0NDS0de3akKaxtwAAAMByGHnnna7rrssqlQb8WVhwB4BmFbIsLZe7v/Wt2sxM7C0AAACwfCa6ujauXFmbmWm05i64A0BzCiGXy21du7Zw+HDsKQAAALDcZvfs2XDppaUTJxrqbhnBHQCaUy6368EHx9evj70DAAAA4pgfGtp42WWze/cmIcTecorgDgBN6chzzx15/vnYKwAAACCmyuRk5+WXj2/YEHvIKYI7ADSbEMY++GD3Qw/F3gEAAADx1efnt9xww9Arr8QekiSCOwA0l5Bls/v2bb/llkZ7WRgAAACIJavXd9x++8GnnkqSJO71MoI7ADSNkKbVycnuNWvq8/OxtwAAAEAjCWHf44/vvPfeJEkivoyq4A4AzSFkWVatdq1aVR4bi70FAAAAGtGxF17o+du/DfV6rN8LF9wBoAmEEJIQttx44+y+fbG3AAAAQOMaff/9TZdfXp+bi9LcBXcAaAK5XG7H7bdPdHbGHgIAAACNbrqvb8Mll5SGh5f/bhnBHQCawL7HHjv+q1/FXgEAAADNoTg4uOHSS6f7+pb5NVQFdwBodMdeeOHg00/HXgEAAADNpDo1tfnqq0fefXc5v6ngDgANbeSdd/ofeGCZ/0EeAAAAWkBaLm+7+ebDP/1pkiTL85O14A4AjSqEye7u7bfeGuul1QEAAKDZhSzb8/DD/fffv/B4qb+d4A4AjShk2ey+fVtuvDGrVmNvAQAAgOZ2dN26LTfckFWrS32mTXAHgIYT0rR04kTXqlX1QiH2FgAAAGgFYx9+uGnFiurU1JKecxfcAaCxhDSt5vObr766MjERewsAAAC0jpk9e9ZffHHh4MGlu89dcAeABhLStDY723nllfNDQ7G3AAAAQKspj45uXLHi5Pr1S/T1BXcAaBQhTdNSafPVVxcGBmJvAQAAgNZULxa33HDDkeeeS5Jk0Y+6C+4A0BBCmmbV6uZrrpndty/2FgAAAGhlIU13Pfhg//33hxAW90p3wR0A4gtZltVqXddfP71zZ+wtAAAA0BaOrlvXvWZNVi6HNF2srym4A0BkIctCvd69enW+pyf2FgAAAGgj4+vXb7jkkvLo6GKdcxfcASCmkGUhTbtXr57s7o69BQAAANrO3KFD6y++OL9t26J8NcEdAKJZqO1b1qyZ2Lw59hYAAABoU9Wpqa5rrhl88cUk+bIvoyq4A0Acp2r7jTeOb9oUewsAAAC0taxW67v77t3//M9JknyZ62UEdwCIYOHe9i1r1oyvXx97CwAAAJAkIQz8x390rV6dlkoX/DKqgjsALLeQpqFW677+emfbAQAAoKGMr1+/4a//ev748Qu7W0ZwB4BlFdI0q9W6Vq2a6OqKvQUAAAD4tMLAwIZLLrmwQ3KCOwAsn5CmWaXSde21k1u2xN4CAAAAnFltZqZ79erDzz6bJEk4n6PugjsALJOQpvVCYdPll+e3bYu9BQAAADibkKZ7vv/93m9/O9Tr536lu+AOAMshpGk1n9+4cuXM7t2xtwAAAADn5Phrr21aubKaz4csO5fnC+4AsORClpVHRzeuWFE4dCj2FgAAAOA8TO/c+d9/+ZdTvb3n8mTBHQCWWAiFw4c3rlgxPzQUewoAAABw3irj45uvuurI888nX3Slu+AOAEtrcuvWTStXlsfGYg8BAAAALlBWq+36znd23Hbb2a90F9wBYAmNvPNO13XX1WZnYw8BAAAAvqyhV1/d+Dd/Ux4f/7wr3QV3AFgqR9et2/b3f59VKrGHAAAAAItjZteu9X/+5xOdnWf8rOAOAIts4V+59/7gB/0PPHCW3zIDAAAAmlF1erp79eqDTz2VfBQBThPcAWAxhTRNsmz7Lbccevrp5KyvowIAAAA0qZCm+x5/vOemm9JS6eOH7QR3AFg0IU3r8/OdV189/F//FXsLAAAAsLRG339//V/8xdzBg6c/IrgDwOIIWVYeHd146aX5np7YWwAAAIDlUBwc3HjZZYMvvZQkSQhBcAeAxTG1bdv6v/qrwsBA7CEAAADA8knL5b4779xx++3VfP4rsccAQJMLIcnlhl5+eec992S1Wuw1AAAAQARDL7/8e9/4huAOABcuZFkul9vz8MOHn33WS6QCAABAmxPcAeAChTRNK5Xtt9wy9sEHsbcAAAAA8QnuAHBBQigODm654YbikSOxpwAAAAANwYumAsCFGH3vvQ0XX6y2AwAAAKc54Q4A52Hh0vZ9jz9+6OmnQ5bFngMAAAA0EMEdAM5VyLLazMy2m2+e2Lw59hYAAACg4QjuAHCupnp7t918c3lsLPYQAAAAoBEJ7gDwBUKW5To6Dv3kJ/seeyykaew5AAAAQIMS3AHgbEKW1Wdnt99668n162NvAQAAABqa4A4AZ5Pv6dl+662ukQEAAAC+kOAOAGcQ0jTJ5fY/8cShp592jQwAAABwLgR3APiMEEojI9tvuWVqx47YUwAAAICm0RF7AAA0kJBlSZIMvvzyf//Zn6ntAAAAwHlxwh0ATglZVp+b67v77pG33469BQAAAGg+gjsAJCHLch0do7/+df9991UmJ2PPAQAAAJqS4A5AuwtZVi8Udt5zz4m33kpCiD0HAAAAaFaCOwDta+Fg+8jbb+968MHKxETsOQAAAEBzE9wBaFchVCcnd95zz+j778eeAgAAALQCwR2AthPSNHfRRcd+8Yu9jz5am5uLPQcAAABoEYI7AO0khCSXKwwM9N1551Rvb+w1AAAAQEsR3AFoFyHLsmp1/w9/eORnP8vq9dhzAAAAgFYjuAPQ+hbukBn99a93P/RQ6cSJ2HMAAACA1iS4A9DSQkhyueLg4K777x/ftCn2GgAAAKCVCe4AtK4Q0lJp3w9/ePT5590hAwAAACw1wR2AFhSyLEmSo+vWHXjyyWo+H3sOAAAA0BYEdwBaysJ17WMffLD3kUcKAwOx5wAAAABtRHAHoEUspPbp/v69jzwyuWVL7DkAAABA2xHcAWh6IctyHR3FY8f2PvLI6G9+k4QQexEAAADQjgR3AJpZliUdHeXR0f1PPHH8tddCmsYeBAAAALQvwR2AprRwqr08MXHgX/916JVXslot9iIAAACg3QnuADSZhdRemZg49OMfH3vxxaxSib0IAAAAIEkEdwCayKlT7SMjB5566virrzrVDgAAADQUwR2AJhDSNHfRRYXDhw8988zw66+7qx0AAABoQII7AA1t4VR7vqfn0DPPnNywIQkh9iIAAACAMxPcAWhIISRJErLsxJtvDvz7v0/398ceBAAAAPAFBHcAGsvCkfZaoXB03bqjP/95eWws9iIAAACAcyK4A9AoTl3UfvDgwHPPDb/+eloqxV4EAAAAcB4EdwBiy7KkoyOk6cg77xx57rn89u0uagcAAACakeAOQDQLt8cUh4aO/eIXx199tTI5GXsRAAAAwIUT3AFYbgtXx2SVyom33hp86aXJnh5H2gEAAIAWILgDsExCCLlcLkmSqe3bB19+eeTtt+vFYuxRAAAAAItGcAdgyS1cHTM/ODj0yivDr78+PzQUexEAAADA4hPcAVgqC529Mjk5/MYbw//5n9P9/a6OAQAAAFqY4A7AogohhJDr6KhNTw+/+eaJN9/Mb90a0jT2LAAAAIAlJ7gDsAhCCLkkSXK58vj4yNtvj7z7rs4OAAAAtBvBHYALF9I0d9FFSZIUDh4cfe+90fffd28MAAAA0LYEdwDO20JnD/X6RFfX2AcfjP3mN/PHj8ceBQAAABCZ4A7AOTl9mL08Nnbyww/HPvxworOzPj8fexcAAABAoxDcAfhcIctyuVySy6Xl8mR39/j69Sc3bCgMDLg0BgAAAOCzBHcAPuF0ZA9pOtXbO75p00Rn53RfX1arxZ4GAAAA0NAEdwB+e11MqNenensnuromu7unduxIS6XY0wAAAACahuAO0KZOR/Z6sZjfujXf0zPZ0zPd359VKrGnAQAAADQlwR2gXZwu7EkIxaNHJ7dunertndq+vXD4cMiy2OsAAAAAmp7gDtCyQprmOjqSXC5JkvLJk9N9fVM7dkz39c3s2lWbm4u9DgAAAKDVCO4AreO3Z9iTpDw2Nr1z58zu3dP9/TO7dlUmJuJuAwAAAGh5gjtAs/r4AfaQpoVDh2b27Jndt292376ZXbuq09OxBwIAAAC0F8EdoDl8PK8nIZRGRmb37p3dv39u//7ZAweKR45ktVrsjQAAAABtTXAHaDwhhCw7fTlMyLL5oaG5AwfmDh0qHD48d+BAYWAgLZXibgQAAADgUwR3gKg+2daTJKnm84WBgcLAQPHIkcLAQOHo0fljx5xeBwAAAGh8gjvAMglpmuRyuY6O0x+pTE4WP0rqxcHB4pEjxWPH6sVixJEAAAAAXDDBHWCRfTas14vF+aGh+cHB+aGh+ePH54eGikNDpePH03I54k4AAAAAFpfgDnAhQpomSfLxq2CSEKpTU/PHj88fP14aHi6dODE/PFwaHi4ND9fm5qINBQAAAGC5CO4AnyOEkGWfOqu+UNVLIyOl4eHS6Gh5ZKQ0OloaGSmPjJTHxty0DgAAANDOBHegfZ06pd7RkeRyH/94bW6ucvJkaXT09Nvy2Fh5bKw0OloZH1/4vwAAAADgUwR3oEUtnE//1K0vSZIkSVatVvL5ythY+eTJysREZWKifPJk5eTJysREeXy8Mj6eVasxFgMAAADQ3AR3oPmELEuyLOno+MRlLx99qjYzU83nyydPVvP5yuRkZWKiuvA2n1/I6/X5+SizAQAAAGhtgjvQKE5l9IU70z95x0uSJEkI9UKhOj1dmZys5vPVqanq1NSpB/l8dWqqks9Xp6bqs7MLB9sBAAAAYJkJ7sCSWbjUJYQkl/vsvS6nnpKmtbm52sxMbXq6OjVVm5mpzszUZmZOPZ6eXnhcnZ6uz825PB0AAACARia4A+cgy0IIp9L5GY+fn35irVYvFOpzc7W5uYVKXpudXXhbm52tzc3V5+YWkvrCR9JSKQlhOf8oAAAAALBEBHdodSGcauUhJLncqWL+RbJKJS2X68VivVCoFQppoVAvFmuFQr1YTIvF2tzcwqdOPWFurj43t/CulxsFAAAAoG0J7hDb6SCeJKfeLpwfP7cy/qkvlVYqWbWalstpuZyWSmmpVC8W01IpLZezcrk+P7/wwbRcTufnT7278OCjdxee7/IWAAAAADhfgjtN4qNbR8LHrx/57FUkZ7yc5OP3n3z0OPdR1F60hZ8jpGlI06xWC/V6Vq+Hej2rVLJaLatWs1otq1TSajXUatnCx6vV0/+lpx8vNPSPSnpWqWSnq3q1mpXLaaWSlctpuZzV665nAQAAAIBYckGeY1GEUJ2dTT51UvujT52+0iR8vJuf/uDC8xc+lWW/ffdjz29oH/sjfPys+m8fL70Pu7v/35tv/vDOO//H7/7u8nxHAFrYXY8//n/++I+vufji2EMAIst95SsdX/lKWi7HHtLEtu7a9dOXXvruLbf8r9///dhbAGh633v66f/5ta/93yuvjD3kc/3OH/yBE+4sklzuq1//euwR7au6e/ehY8d+70/+5Gtf+1rsLQA0vcGTJ//3H/3R1//0T2MPAaDpZSdOHDp27Hf+8A+//o1vxN4CQNM7MT1d/+pXG/xHlfO8IRoAAAAAADgTwR0AAAAAABbB/wdqGHaC/54Q1QAAAABJRU5ErkJggg==", null, "data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAB9AAAAH0CAIAAADqtyE0AAAABmJLR0QA/wD/AP+gvaeTAAAACXBIWXMAAA9hAAAPYQGoP6dpAAAgAElEQVR4nOzdeXhU5fnG8XMmewiQQAIBAglYKcKviFZRpG4tuMsmsu9WkGqtoOKGWrAurRVaFUVRQBEFlU1lqcgaCAnBACEkhCxk35dJMpn9nPf3xyBVqkAgyTvL93P18pKQy7mTQmbmPs95XlUIoQAAAADwGULXFSFUg0FR1Z/+hnA0NGhms2azaVarbrNpNpvQNEVR1B8+0xAYaAgK8gsKMgQFGQID/du08Q8NPfu/c46HAAAAALyav+wAAAAAAFqK0LQft96axWIuLDQXFVkrKqzl5daKCltFha2qymE02o1Gp8kkdL3Jj6Gq/qGh/m3bBrRrF9SxY1BUVFBUVHBUVHCnTsFduoR27x7cqZPq5/dDICF0nSIeAAAA3kplwh0AAADwGkLTTrfbQpgLC+vS0+szM005OebCQnNBgb2uTmn11/+qn19QZGRot26hsbFtevRoExvbpmfPsF69/MPC/puZCh4AAABegcIdAAAA8GCnB8YVRRHClJtbk5JiPHq07vjxhqwszWKRne6XqWpwVFTb3r3b/vrX7Xr3bte3b7vevVV/f0VRhKYpBoNK/w4AAAAPROEOAAAAeJgzY+y6zVZ96FB1UlLt998bjx1zNjbKjnbxDP7+YZdf3r5fv/b9+kVceWW7vn0NAQHKj2f2AQAAALdH4Q4AAAB4AiGEEKrBIJzO6oMHK+Pjqw8erEtL051O2clahCEgoF2fPuFXXhkxYECHa64J7d5dcY3zqyrLZwAAAOC2KNwBAAAA9yWEUBVFUVVLSUn5jh0Ve/dWJSZqZrPsXK0tKDKywzXXdLjmmo7XXdf+iisUVaV8BwAAgBuicAcAAADczpme3XTqVMnmzaVbt9ZnZrb+eafuKaBt2w4DB0YOGhT1u9+1vfxyhbUzAAAAcBsU7gAAAIAbcR2C2pifX7RhQ+nWrQ3Z2bITubWgjh0jb7gh6sYbO918c1BkpEL5DgAAAKko3AEAAAD5XDWxvba2aNOm4o0bjWlpzLM3jaq2vfzyqBtv7HzLLR0HDlT9/V2XLmTHAgAAgG+hcAcAAACkcZXCQtPKtm8v+OKLyvh4oWmyQ3k8/9DQyBtu6HTrrZ1///vgTp3OnDcrOxcAAAC8H4U7AAAAIIFrpL0xPz//s8+K1q+3VVfLTuSNVLXdFVdEDxnS5fbb2/Xpo/xwhUN2LAAAAHgtCncAAACgdQmhKErZ9u25K1dWHzzI6pjWERoTEz1kSPQdd3S85hpFVVn1DgAAgJZA4Q4AAAC0BiGEqqqa1Zq/Zs2plSvNhYWyE/mooMjI6CFDutx5Z+SgQaqfH807AAAAmhGFOwAAANCyXGtMbNXVOcuWFaxZ42hokJ0IiqIoAeHh0X/4Q9e77oq68UaadwAAADQLCncAAACgpbiqdktJSdY77xSuX6/bbLIT4WcEhIdHDxnS7e67IwcPVv382PMOAACAi0bhDgAAADQ/V2lrys09+fbbJd98IzRNdiKcX2BERJc774wZNqzDtdcqnLAKAACApqNwBwAAAJqTq6VtzMs7sWhR6datQtdlJ0KTBUdHd7v33pgRI9r16XP6VFtVlR0KAAAAHoDCHQAAAGgerqrdXFBw4l//YqrdO7S9/PJuw4d3HzUquHNnBt4BAABwXhTuAAAAwCUTQlFVW2XliTfeKFy/nqrdy6gGQ4drr40ZMaLbvff6hYRwvCoAAAB+CYU7AAAAcGmE0KzWrCVLcleu1CwW2WnQgvxCQqL/8Ifu990XdeONiqoquq4w8w4AAIAfoXAHAAAALpLQdUWIvNWrT771lr2mRnYctJ7gTp26DR/eY+zYsJ49WTUDAACAMyjcAQAAgCZzdayV8fFpL71kysmRHQeSqGp4//7d77svZvhw/7AwVs0AAACAwh0AAABoCiEUVbWUlKQtWFC2Y4fCy2koiiEoqMttt/UYOzZy0KDTfyRUVXYoAAAASEDhDgAAAFwooevC6Tz59ts5H3yg22yy48DthMbEdB89useYMcGdOzPwDgAA4IMo3AEAAIDzc+2Qqdiz59iLL5oLC2XHgVtT/fyiBg/uMW5c9JAhqp8fS94BAAB8B4U7AAAAcD5C2Kqrj734Yul//sMOGVy4oMjI7qNGxY4fH9qjBwPvAAAAvoDCHQAAAPhFQtNUgyH3o48yFy1yNjbKjgPPpKodBw6MHTeu6113qf7+DLwDAAB4MQp3AAAA4OcIoahqQ1bWkXnzjKmpstPAGwSGh8eMHBk7cWJYz57U7gAAAF6Jwh0AAAA4m9A0RVFOvvlm9nvv6Q6H7DjwLqra4Zpr4saP73LXXYaAANelHdmZAAAA0Dwo3AEAAIAfEUJRVWNq6pF58xqysmSngTcLDA+Pue++uIkT28TGsuEdAADAO1C4AwAAAKe5BttP/POfOR9+6Pp3oMWpauR118VOnNjl9ttVPz8hhMrAOwAAgMeicAcAAABOa8jOTnnssfqMDNlB4IuCoqJ6jBkTN3FicOfODLwDAAB4KAp3AAAA+DqhaarBkPPBBycWL9ZtNtlx4NNUP79Ot9wSN2FCp5tv/uFDDLwDAAB4DAp3AAAA+DYhrJWVKY89Vp2UJDsK8F+h3bvHjhsXO25cQHg4A+8AAACegsIdAAAAPsq1LLv0P/85+uyzDqNRdhzgZxgCA7vccUfPyZMjrr5a6LpqMMhOBAAAgHOhcAcAAIAvEpomNO3YggUFa9cqvCSG22vXp0/cxIkxo0b5BQfTvAMAALgtCncAAAD4oobMzEOPPmrKzpYdBGiCgLZtY0aO7Dl1apu4OPbMAAAAuCEKdwAAAPgQ12hw3qpVx199lfNR4alUNfL66+MmT44eOlR1HanKwaoAAADugcIdAAAAvkJomm63H5k3r2TLFtlZgGYQHB0dN2FC7IQJgRERDLwDAAC4Awp3AAAA+Ir6jIxDDz/cmJ8vOwjQnAwBAV3uuKPn1KkRV13FencAAAC5KNwBAADg5f67RuaVV3S7XXYcoKW069u356RJMSNHGgIDad4BAJdC6PrpU+WFONfiMtfvqqqqquw3A1wo3AEAAODNhKYJTTsyb17x11/LzgK0hoD27buPHt1r6tSQbt3YMwMAOJsQQtcVVT3ruqxwOu11dc7GRqfJ5GxocDY2ahaLbrfrDofucOh2u9C0H3++ISDAEBTkFxTk+qd/27aBEREB7dsHtGvnFxx89mNq2v8+IuCtKNwBAADgvYQwFxcnz5pVf+KE7ChAq1INhqibbuo5eXKnW245z3AiAMBLnVVzC123lpdbioosZWXWsjJLaam1osJWWWmrrrZXVTlMJqWZSkJDYGBgRERQVFRwVFRQVFRQVFRIly4h3bq16dEjpGtXQ2DgmXiqqiq08PA6FO4AAADwWhW7d6fMmeOor5cdBJCmTWxs3KRJPcaO9W/Thj0zAODFhK6f2esidN1SVFSfmWnKyWksKDAXFJgLCy2lpWdNqUugqoEREWG9erW9/HLX/9r16RPYoYPrN7kxC96Bwh0AAADextUqZv7731lvvy10XXYcQD6/0NCYYcN6TpvW9vLLqTMAwDv8+Oe5vabGmJZWd/x4fUZGQ1ZWY16eB51bExQZ2b5v3/b/93/t+/ULv/LKkC5dFNfLOUVh/h2eiMIdAAAAXkVomu5wpPzlL2XffSc7C+BmVLXjtdf2nDIl+vbbVdeSGVbNAIDnEEIoQrjuVbLX1tYePmxMTTWmptalp9sqK2WnazZBkZERAwZEXH11h6uvDr/ySkNgoCKE+OELB9wfhTsAAAC8h9B1a2lp0h//2HDypOwsgPsKjo6OmzAhdsKEwIgIBt4BwJ2d2QYmNK0+I6M6Obk2JaX2yBFLaWlzrVx3Z4aAgPArr4waPDhy8OCIAQNUPz/Wo8H9UbgDAADAe1QnJh56+GG70Sg7COABDIGBXe+6q+fUqeH9+9NfAID7EEKoiqKoqnA6a1JSqvbvr05ONqamahaL7Ggy+bdp0/G66zrfemv00KFBUVGKoii6zs4ZuCEKdwAAAHg+IRRVPfXxx8f/9jf5p4EBnia8f/+eU6Z0u/de1d9fCKGyZwYAZDh9y5EQdenplfHxVQkJNSkpPl6y/zxVbX/FFZ3/8Ifo225r37ev8qP7AAB3QOEOAAAAz+Y6FvXYCy/kf/aZ7CyABwvs0CF23Li4yZODO3VizwwAtI4zTbG9pqZ89+7KvXsr9+2z19bKzuUxQmNiutx5Z9e77grv31+heYd7oHAHAACABxOaplksybNnVyUkyM4CeAPVzy966NCe06Z1vPZaagsAaCFnhtlrjx4t37mzfNeu+owMX9jJ3nJCunbtetddMSNHtuvT5/R3khu2IAmFOwAAADyV0HVLcXHSjBmm3FzZWQBv065Pn56TJ8eMGmUIDGTPDAA0C1fPrtts5bt2lX33XcWePfaaGtmhvE3b3r1jRo7sPmpUUGQkN2xBCgp3AAAAeKrqgwcPzZ7NEalAywkID+8xenTPqVNDunaltgCAi+O6YchpMpVt3166bVvlvn2a1So7lJdT/fwib7ghbsKE6KFDf/gQV47RSijcAQAA4JEK169PffZZ3eGQHQTwfqqfX6dbbuk5dWrU4MHsmQGAC+S6Tuk0mUq3bSvevLk6IUF3OmWH8jnB0dGx48bFTpgQ1LEjT2FoHRTuAAAA8CSu1RaZixefXLKEVadAKwu77LK4SZN6jBnjFxxMbQEAP8vVs2sWS+m2bSWbN1fu28d8gHQGf//o22/vNWNGxIABPH+hpVG4AwAAwGMIXVeEODJvXtHGjbKzAL7LPyys+6hRPadNaxMby54ZAHBx/TwUTmf5rl1FmzZV7NrF3hg3FHHVVb2mT+9y552qqrJkBi2Ewh0AAACeQWiaZrEcnDmzOilJdhYAimowRP7ud72mTu10882Kwm5cAD5KCKEqiqKqNcnJhRs2lG7b5qirkx0K5xHSrVuvadPiJk40BAUpQvAUhuZF4Q4AAAAPIHTdVll5YMoUU3a27CwAfqJNbGzcpEk9xo71b9OG+/QB+A7XTzxLcXHBl18WbdhgLiyUnQhNExge3nPq1F4zZviHhbmWFspOBC9B4Q4AAAC3J0RDVlbitGnW8nLZUQD8PP/Q0G4jRvSaPj2sVy/2zADwYq6eXbfZir/+uuCLL2q+/55DZTyaf5s2sePH/2rWrMAOHZh2R7OgcAcAAIC7qz54MHnmTEdDg+wgAM5HVSOvv77n1KnRQ4a4fik7EAA0G1fVbjx2LH/NmpJvvnGaTLITodn4hYTETZp0+cMPB7RtS+2OS0ThDgAAALdWum1byty5us0mOwiAJgiNiYmdODF2/PiAtm3ZMwPAo7nu2nE2NhauW1ewZk19ZqbsRGgpAW3b9pox47IHH/QLDqZzx0WjcAcAAID7OvXxx8f/9jehabKDALgYfiEh3e69t9e0aW1//WtqdwAe5/RI+9GjeatXl2zZolksshOhNQRGRFz+8MM9p0xRVJVnLlwECncAAAC4HyEUVc1cvPjkkiXsRQU8nqp2uOaanlOmdLnjjtNH0jE2CMCNuXp2zWotXLcu/9NP60+ckJ0IErSJjb3iqae63H47B5OgqSjcAQAA4F6ErquqeuzFF/NWr5adBUBzCo6OjpswIXbixMDwcAbeAbghV7XakJ2d9/HHRRs3OhsbZSeCZB0HDuw3f377fv142sKFo3AHAACAGxG6rgiR8thjJVu2yM4CoEUYgoK63nVXr+nT6S8AuAshFEURQpRu3Xpq1aqaQ4e4wQ5nqAZDzIgRfZ99NjA8nDu0cCEo3AEAAOAuhKbpDkfyzJmV+/fLzgKghalqxIABPSdP7nrPPaqfn2uRlOxMAHyO67Kfo64ub/XqvNWrrWVlshPBTQW0bdv7z3/uOW2aoihsmMG5UbgDAADALQhNc5rNiVOnGo8elZ0FQOsJioqKHTcubvLkoI4d2ZMLoNWc3h6TmZmzfHnx11/rNpvsRPAAbX/1q//7618jBw3iDi2cA4U7AAAA5BOaZjcaD0yc2JCVJTsLAAkMAQFdbr+957RpEVddRYsBoEUJIVRFKduxI3f58uqDB9keg6ZR1W533/1/f/0rG2bwSyjcAQAAIJnQdWtpacLEiebCQtlZAEjWvl+/nlOndhs2zBAQIIRQ6TIANBPXjxTNai34/PNTK1c25ufLTgQPFhAe3nfevB5jx3JvFv4XhTsAAABkErremJt7YPJka0WF7CwA3EVghw6xY8fGTZ4c3LkzXQaAS+S6b8ZaUZG7fHnB2rWO+nrZieAlOlx77YDXXmsTFyc7CNwLhTsAAADkEcKYlpY4bZrDaJQdBYDbUf38oocM6TltWseBA9kzA+AiuK7Y1WVk5Lz/fumWLbrTKTsRvI0hMLD3I49c/qc/CV3n8jBcKNwBAAAgiRA133+fNGOGs7FRdhQAbq3dr38dN2VK91GjDIGBNO8ALoTrZ0XF3r05771XlZTEona0qIgBA65atKhNbKzsIHALFO4AAACQo3L//uRZszSLRXYQAJ4hoH377qNH95o6NaRbN/bMAPhFQghdL9q0KWfZsoaTJ2Wnga/wCw7u8/jjvaZPZ9QdFO4AAACQoHznzkOPPKLbbLKDAPAwqp9fp5tv7jl1atTvfsepqgD+SwhFVTWrNW/VqtwVK6zl5bIDwRd1HDjwqsWLQzp3Vnh68mEU7gAAAGhtJVu3Hp4zR3c4ZAcB4MHCevWKmzSpx5gxfiEh7JkBfJnrJ4C9tjb3ww/zVq/mTFTIFdC27W8WLuw2bBjPTT6Lwh0AAACtqmjjxiPz5glNkx0EgDfwb9MmZuTIntOmhfXsyZ4ZwNe4/tabi4qyly4tXL+eO+fgProNH37lyy8bgoLo3H0QhTsAAABaT8EXX6Q+9xxtO4BmpqqRgwb1feaZ9n37nj4akXv5Aa/mqtrrMzKy3n23dNs2XlrADYV273714sURV10lOwhaG9dYAAAA0EryP/ss9dlneUsMoPkJUZWQULJ5s6IoOR984DCZFEURui47FoDm53ohUZOSkjh9+p577y3ZvJmXFnBP5sLC/WPHZi1ZogjBn1KfQuEOAACA1pC3alXq88/TfwFoaRmvv779+uuPPPVUQ2amQu0OeBHXX+eK3bv3jR6dMG5c5d69Cmsb4N6Epp1YtChx6lRHfT3PR76Dwh0AAAAtLnfFimMLFvCuGEDr0KzWwi+/3HPvvftGjy755pvTc4X8CAI8lxBC14u/+mr3nXcenDmz9vBh2YGAJqjcv3/3nXdWJyXJDoJWwg53AAAAtKycZcvS//53qi4ALe1XDz10xZNPftO791l37gdFRcWOHRs3eXJQZCQHqwIeRgjd6Sz4/POcZcvMhYWy0wAXT/Xz+9VDD/WZM0cIwUmq3o3CHQAAAC0o+733Ml5/nbYdQCv4pcLdxeDvH33bbT2nTOlw7bVC1yk7ALcmhKKqmtWat2pV7vLl1ooK2YGA5tHpppt++9ZbfiEhXP31YrzCAAAAQEvJevdd2nYAbkJ3Oku2bNk/btyeu+8uWLtWt9kURVHYqAu4GddgqLOx8eSbb24fPDj9tddo2+FNKvbu3XvvvabcXF4hezEKdwAAALSIrCVLTrzxBu8lALib+hMnUufP//b664+/9JK5qEhRlJ+diAfQylxHSjpqa9NffXX7DTdk/vvfDqNRdiig+TUWFMSPGlW8ebOicL6Id/KXHQAAAABeKGvJkhOLF/MWAoDbctTX565ceerjjyMHD46bPDn6978//RuqKjUX4ItcW56s5eVZ77xTuG7d6RtQAO+lmc0pjz1Wl5bW96mn2HLmfSjcAQAA0Mxo2wF4CqHrlfHxlfHxId26xU2YEDt+fED79hysCrQa11+3xry8rCVLir/+mttN4EOEyFm2rOHkyWveftsQFMTzjjfh+gkAAACaE207AE9kKS7OeP31bwcNOvzEE3VpacoP2y0AtBBXt16fmZk8e/bu228v2riRth0+qGLPnviRI61lZTzpeBMKdwAAADSb7KVLadsBeC7dZivasCF+1Ki9w4YVfvmlbrcrCgerAs3MVazXpKQkTpu2d9iwsm+/pWqEL2vIzt47bFjNoUOyg6DZULgDAACgeWS//37GP/9J2w7AC9QdP370mWe+vf764y+/zMGqQHNxFeuV8fH7x4xJGDeuMj6elw2Aoih2ozFxypSCNWsUhWNUvQE73AEAANAMcpYty/jHP3iHAMCbOOrqcpcvP7VyZeSgQbETJ0YPHaq6jlTlYFWgiYSuq6paunVr1tKl9enpsuMAbkd3OI7On2/Ky+v79NOKrisco+rJKNwBAABwqXJXrEj/+99p2wF4JaHrlfv3V+7fHxwdHTtuXOyECUEdO3KwKnChhBC6Xvjll9nvv9+Ylyc7DeDGhMhZtsxcVHT14sWqEDzLeC5V8L4IAAAAlyBv1apjCxbQtgOQ7lcPPXTFk09+07t3i65/Mfj7dx4yJG7SpMhBg4SuqwwhAj9LCEVVNas1f/XqnA8/tJaXyw4EeIyIq6667sMP/cPC6Nw9FBPuAAAAuHgFa9akLVxI2w7Ad+hOZ+m2baXbtoX16hU7fnyPMWP8w8IYeAfOcF2IcjQ05C5fnrdqld1olJ0I8DC1hw/Hjxhx3cqVod27c1nXEzHhDgAAgItUuG7d0aefdh2ABgDStc6E+1n8goO73Hln3KRJEQMGMPAOH+f6K2CtqMh57738zz/XzGbZiQAPFhgePvDDDyOuvJKDQzwOLwUAAABwMYq/+uroM8/QtgPwcZrVWrRhw7777ttzzz35n32mWSyKovCzEb7GdZWrMT//yLx5O266KXflStp24BLZjcYDkyZV7NkjOwiajMIdAAAATVa6bdvhJ55ozRlSAHBz9RkZx1544duBA48++2x9erpC7Q7f4HoxYExNTZ41a/dttxWuW6c7HLJDAV5Cs1iSZ80qXLdOdhA0DTvcAQAA0DTlO3em/OUvtO0A8L+cZnPB2rUFa9e279cvdvz4mBEj/EJCWDUDr+T6g12xd2/20qU1hw7JjgN4J93pPPLUU9aKistnz3adRSw7Ec6PHe4AAAC4YEJU7tt3cOZM3W6XHQUAziZlh/u5+YeGdr3nntgJE8J/8xtqd3gJIRRFEZpWuH59zocfmrKzZQcCfEKv6dP7zZ9P5+4RmHAHAADAhRGiOjk5efZs2nYAuEBOs7ng888LPv+8Xd++sWPHxowa5R8aKjRN9fOTHQ1oMtdFI2dj46mPPz718ce2ykrZiQAfkrtihdNkuvLVV7l86/6YcAcAAMAFEKL2yJHEKVOcnIEGwF254YT7WfxCQrrccUfs+PEdfvtb15gwg4rwCK6rROaiopwPPihct44DUQFZut5999X/+peiKHTu7owJdwAAAJyH0PX6jIyk6dNp2wHgUmgWS9GGDUUbNoRddlmP++/vPnp0YEQEA+9wZ65Z2tojR3I++KB8xw63vZoF+IiSzZs1q/WaJUsUOnc3xoQ7AAAAzkXouiknZ/+4cQ6jUXYWADgX959wP4vB37/Trbf2GDOm0y23qAYDWwLgRlyL2nW9ZMuW3BUrjEePyg4E4L8ib7jhug8+UP39uV7rnphwBwAAwC8Sum4uLDwwaRJtOwA0O93pLNu+vWz79uDOnWNGjOgxdmyb2Fhqd8h1ZlF73iefnFq1ylpWJjsRgLNVJSQcmDz5+o8+MgQG0rm7ISbcAQAA8POEplnLy/fdfz9vtgF4BI+bcD+bqkYMGNBj9Ohuw4f7hYSwagatzPVHzpSTk7tiRdGmTSxqB9xcxFVXDfr4Y0NQEE8W7obCHQAAAD9DaJq9pmbf/febCwtlZwGAC+LxhfsP/EJCom+7rft990XdcIOiqkIIlbNV0XJ+6IXKvvvu1EcfVSUmKjRFgIcI/81vBn3yiV9ICJ27W2GlDAAAAM4mNM1RX58wYQJtOwC0Ps1iKd60qXjTppAuXWJGjOh+//2smkFLcI20O+rr89euzV+92lxUJDsRgKYxHjuWMH78oE8/9Q8NpXN3H0y4AwAA4CeEpmkWy/6xY+tPnJCdBQCawGsm3M+mquH9+8eMGBEzfHhA+/asmsGlc12/qT18+NSqVaVbt+p2u+xEAC5euyuuuGH1av+wMJ4d3ASFOwAAAP5LaJrucByYOLH2yBHZWQCgaby2cP+Bwd8/6qabYkaMiL7tNkNAAM07msrVs2tWa9GGDXmfflqfni47EYDm0bZ378Fr1tC5uwlWygAAAOA0oetC15NmzKBtBwA3pDud5Tt3lu/c6R8WFj10aMyIEVGDByuqyrYZnJfrD0l9Zmb+J58Uf/21s7FRdiIAzanh5MmEiRNv+Owzdsu4Awp3AAAAKIqiCF1XhEh+6KHqpCTZWQAA5+I0mYo2bCjasCEoMrLr3Xd3GzYsYsAA5YdSVXY6uBHXbRCaxVK0aVPBmjXGY8dkJwLQUuozMhImTBj82WecoSodK2UAAACgCCFURfn+0UdLtmyRnQUALpLXr5Q5h9CYmK533dVt+PB2ffooQghFUVVVdijI46p6VLXm++8L1q4t2bpVM5tlZwLQGtr363fDp5/SuctF4Q4AAODzhFBU9chTTxV++aXsKABw8Xy5cD8jrFevrnfd1fWee9pefjnNuw9y3eVgragoWr++cP16U06O7EQAWlv4b34zaPVqv5AQ7nmShcIdAAAAStrChac++kh2CgC4JBTuPxZ22WVd77zzdPPOthlvd3p1jNVasmVL0fr11UlJQtdlhwIgTcRVVw365BNDYCA/+aWgcAcAAPB1mYsXn3z7bdkpAOBSUbj/rDY9e3a57bYud9wR3r+/8kMzKzsUmofrOorQtMr4+KJNm8q++47VMQBcogYPvm75csVgoHNvfRTuAAAAPi1n2bL0v/9d4TUhAM9H4X5uwZ07R/lL02IAACAASURBVN92W/TQoZHXX6/6+dG8e64z9yvUpqQUbdxYsmWLvbZWdigAbid6yJBr3n1XUVV2i7UyCncAAADflb9mTer8+bTtALwDhfsFCmjbNuqmm6KHDu38+9/7t2kjdF1VVYU6xu2d6dmNqanFX39dunWrpbRUdigAbi1mxIir3njDdWKT7Cw+xF92AAAAAMhR/M03x154gbYdAHyNo6GhZPPmks2bDf7+Ha65pvPvf995yJA2sbEKC2fc0pn/U+qOHSvZurV061ZzUZHsUAA8Q9HGjf5hYb9ZsEB2EN9C4Q4AAOB7hKjYs+fI448zBAoAvkx3OqsSE6sSE4+/8kqbuLjOt97a6eabO15/vSEggLF36Vw9u9C0qv37S7/9tnzHDmtFhexQADxP3iefBLRr1+fxx2UH8SEU7gAAAD5GiOrk5EMPP6w7nbKjAADcRWNeXu6KFbkrVvgFB3e49tqo3/2u8y23hP3qVwpj761J1xVVVVTVbjSW79hRvmtXZXy802SSHQuAZ8t6993ADh16TZ8uO4ivoHAHAADwIULX69PTD/7xj5rVKjsLAMAdaVZrZXx8ZXx8+quvBkVFRQ4aFHnDDZ1uvDE4OlqhfG8Zp7+rQhjT0ip27y7ftasuLU3ouuxcALyFEOmvvBLUoUO34cNlR/EJFO4AAAC+Quh646lTiVOnOhsbZWcBAHgAW2Vl8VdfFX/1laKqbbp373j99R0HDowcPDi4UyeF8v3SnPnu2SoqynfvroyPr0xIcBiNsnMB8E5C14/MmxcQEdHpxhtZF9bSKNwBAAB8gtA0a1nZgcmT7byZBwA0lRCNBQWNBQUFn3+uqGpoTEzHgQM7XHNNx4ED28TFuT5BCKEaDJJzurczJbu9trZy//7qAweqEhMb8/M5wBxAK9CdzkMPPzxo1arw/v35cd2iKNwBAAC8n9A0u9GYMHGitbxcdhYAgIcTwlxYaC4sLFy3TlGUwPDwiKuv7vDb34YPGBDRv79faKiiKJy56vLj70Njfn5NcnJNSkrN99+bcnIo2QG0Ps1sTnrggd998UWbuDg695ZD4Q4AAODlhKY5zeYDEyeaCwtlZwEAeBu70Vi+c2f5zp2KoqgGQ5u4uPD+/cP792/fr1/7fv38QkIUxYfm33/csDvq62uPHDGmphpTU2tTUuy1tbLTAYDiMBoTp0y5ccOGwA4dWAvWQijcAQAAvJnQdd3hSJwypSErS3YWAICXE7puys015eYWbdyoKIpqMIR2796+X792ffu2+/Wv2/ft6zp51fWZrk+QGffSCSF0/UxjZa+uNqal1Wdk1KWnG1NTzUVFjLEDcEOW0tLEqVMHf/mlX1AQnXtLoHAHAADwWkLXhaYdfOABY2qq7CwAAJ8jdL0xP78xP79kyxbXR/zDwtr17t22d++wXr3axMWFXXZZaPfu/617XP21weCOu2h+2q0rimKvqWnIyjLl5JhychpycuozMmxVVRIDAsCFq8/MTH7wwes/+uj0T100Kwp3AAAA7ySEUBTl0MMPVyUmys4CAICiKIrTZKpJSalJSTnzEdXPL6Rr19CYmNDu3UNjYkJjYkJ79Ajp2jUoMvKsuUuhaYprKL6F6nghhKYpqnrW4+o2m6WszLW23lxQ0FhYaC4oMBcWOurrWyQGALSKqsTElLlzf/vmm4oQ7niZ05NRuAMAAHgjIVRFSXniifIdO2RHAQDgFwlNc3XZyoEDP/64ajAEduwYEh0dHB0d1LFjYMeOQR07BnboENihQ2D79gHt2vm3besfFmYICLiUR9cdDqfJ5DSZHPX1dqPRXl1tq652/dNWVWUpLbWUljrq6tgMA8ArlWzeHNy5c7/nnpMdxNtQuAMAAHgjVT324ovFmzbJzgEAwMUQum6rrLRVVirHjp3j0wwBAX7BwX4hIX7BwYbgYL+QEIOfn+rvr/r5qQEBqsEgNE04na5/6k6nZrVqFotus2kWi2a16g5Hq31FAOCGcpcvD+natdf06bKDeBUKdwAAAC90YtGivE8+kZ0CAICWpTscusPhaGiQHQQAPFX6q6+Gdu8e/Yc/sFimubAUHwAAwNvkfPBB1jvvyE4BAAAAwN0JTUuZM6cuPV3ouuwsXoLCHQAAwKsUfP55+muvsW0WAAAAwIXQzOakBx6wVVa6jqfGJaJwBwAA8B6l27alzp9P2w4AAADgwtkqKxOnTdNtNubcLx2FOwAAgFcQonLfvpQ5cxhLAQAAANBUDSdPJs+erSgK4zuXiMIdAADA4wldrz1yJHn2bN1ul50FAAAAgEeq3Lfv2PPPc3rqJaJwBwAA8GxC101ZWUkzZmhms+wsAAAAADxY/po1uStXyk7h2SjcAQAAPJjQdUtR0YEpUxz19bKzAAAAAPB46a+8Url3L4tlLhqFOwAAgKcSmmarqkqYNMlWVSU7CwAAAABvIDTt+0cfNeXlcTrUxaFwBwAA8EhC05wm04FJkyzFxbKzAAAAAPAejoaGgzNmOBsb6dwvAoU7AACA5xGapttsByZPNuXkyM4CAAAAwNs0FhQkz5qlKAq7ZZqKwh0AAMDDCF0Xup70wAN1x4/LzgIAAADAO1UfPJj6wguKqsoO4mEo3AEAADyJ0HVFiOSHHqo+eFB2FgAAAADerGDNmrxVq2Sn8DAU7gAAAJ5DCFVVD8+dW7F7t+woAAAAALzf8b/9rTopSei67CAeg8IdAADAQwihqGrq/PnF33wjOwoAAAAAn6A7nYcefthaXs4BqheIwh0AAMBDqGr6a6/lr1kjOwcAAAAAH2KvrT34wAO6w8Gc+4WgcAcAAPAMWe+8k7NsmewUAAAAAHxOfWZmypw5qoEy+fz4HgEAAHiAvE8+ObFokewUAAAAAHxU2bffnnzrLdkpPACFOwAAgLsr2rgxbcECRQjZQQAAAAD4rpNvvlm+cydvTM6Nwh0AAMCtle/YcfSpp9iWCAAAAEAuoeuH585tLCjgANVzoHAHAABwV0JUHThw6M9/1p1O2VEAAAAAQHE0NBx88EHdbmck6JdQuAMAALgjoevGY8eSZ87UbTbZWQAAAADgNFNOTspjj3GA6i/h+wIAAOB2hK6bcnISp093ms2yswAAAADAT5R9993JN9+UncJNUbgDAAC4F6FpluLiA5MnO4xG2VkAAAAA4GecfOutit27OUD1f1G4AwAAuBGhabaqqoSJE22VlbKzAAAAAMDPE7qeMneupbSUA1TPQuEOAADgLoSmOerrEyZOtBQXy84CAAAAAOfiqKtLnjVL6Lpgzv1HKNwBAADcgtA0zWI5MGlS46lTsrMAAAAAwPnVpacfe/55VVVlB3EjFO4AAADyCV3XHY7EqVPrT5yQnQUAAAAALlTBF18UrF0rO4UboXAHAACQTOi60LSDDzxQe+SI7CwAAAAA0DTHFiyoy8hgmbsLhTsAAIBMQtcVIQ796U9ViYmyswAAAABAk+k226HZszWLRei67CzyUbgDAABII4RQVTVlzpzynTtlZwEAAACAi2QuLEyZM0c10DZTuAMAAMgihKqqR55+umTzZtlRAAAAAOCSlO/cmb10qewU8lG4AwAASKKqaQsWFH75pewcAAAAANAMTixaVJ2c7OOLZSjcAQAA5Mh4/fVTH38sOwUAAAAANA+haSmPPuqoq/PlA1Qp3AEAACTIeucdbrcEAAAA4GWsFRXfP/KILy9z992vHAAAQJbcFStOLFokOwUAAAAANL+qxERffr9D4Q4AANCq8tesOf7yy4oQsoMAAAAAQIvIXrq0cu9e31zmTuEOAADQeoo2bDj2/PO07QAAAAC8mND1lMcft1dX+2DnTuEOAADQSkq3bTvy1FM++IoTAAAAgK+x19QceuQRRVF8bd6Iwh0AAKA1VOzenfLYY0LTZAcBAAAAgNZQc+jQiTfeUFRVdpBWReEOAADQwoSoSkhI/tOfdIdDdhQAAAAAaD05779f4WPL3CncAQAAWpIQNYcOHZw5U7fZZEcBAAAAgFYldP3w3Ln26mrfudmXwh0AAKDFCFF79GjSAw9oFovsKAAAAAAggb229tAjj/jOYhkKdwAAgBYhdL0uPT1p2jRnY6PsLAAAAAAgTc2hQ5n/+pfsFK2Ewh0AAKD5CV03ZWcfmDLF0dAgOwsAAAAASJa9dGl1YqIvLHOncAcAAGhmQtcb8/IOTJrkMBplZwEAAAAA+YSmpcyd66yv9/rOncIdAACgOQldNxcWJkyYYKuulp0FAAAAANyFtbw8Ze5c1eDljbSXf3kAAACtSWiapaQkYfx4W2Wl7CwAAAAA4F4q9uzJWbZMdoqWReEOAADQPISmWSsrE8aPt5aXy84CAAAAAO7oxBtv1KWlCU2THaSlULgDAAA0A6FpturqhHHjLCUlsrMAAAAAgJvSHY5Djzyi2+3eusydwh0AAOBSCU2z19YmjB9vLiyUnQUAAAAA3Jq5sPDoc8956zJ37/yqAAAAWo3QNLvRmDB+fGNenuwsAAAAAOABijdtKtqwQRFCdpDmR+EOAABw8YSmOerrE8aPN+Xmys4CAAAAAB7j2IsvmouLvW+ZO4U7AADARXK17fvHjTPl5MjOAgAAAACexNnY+P2f/6woipfNuVO4AwAAXAyhac6GhoTx403Z2bKzAAAAAIDnMaamnnjjDUVVZQdpThTuAAAATSY0zWkyJUyY0JCVJTsLAAAAAHiqnGXLqhMTha7LDtJsKNwBAACaxtW27x83rj4zU3YWAAAAAPBgQtdT5s51mkxe07lTuAMAADTBmba94eRJ2VkAAAAAwONZy8uPzJunGrykqfaSLwMAAKAV0LYDAAAAQLMr2749f80a7zg9lcIdAADggtC2AwAAAEALOf7yy40FBULTZAe5VBTuAAAA5yc0zdnQQNsOAAAAAC1BM5u///OfFUXx9Dl3CncAAIDzEJrmqK/fP3YsbTsAAAAAtJC648czXn9dUVXZQS4JhTsAAMC5CE1z1NXtHzeuITtbdhYAAAAA8Ga5H35YnZgodF12kItH4Q4AAPCLhKbZjcb9Y8eaaNsBAAAAoIUJXU+ZO9fZ2Oi5nTuFOwAAwM8Tmmavrd0/dqwpN1d2FgAAAADwCdby8qPPPKMaPLW49tTcAAAALUpomq2qav+YMY2nTsnOAgAAAAA+pHTr1sJ16zz09FQKdwAAgLMJXbdWVOwfM6YxP192FgAAAADwOWkLF1pKS4WmyQ7SZBTuAAAAPyF03VJcvP/++81FRbKzAAAAAIAvcppMKX/5iyculvG8xAAAAC1H6Lq5oGD/2LGW0lLZWQAAAADAd9WkpJxcskR2iiajcAcAADhN6HrjqVP7x461lpfLzgIAAAAAvi7rrbeMx44JXZcdpAko3AEAABRFUYSu12dm7h871lZVJTsLAAAAAEDRnc6Uxx4TDofwnANUKdwBAAAURQhjauqBCRPstbWyowAAAAAATmvMy0t76SVVVWUHuVAU7gAAwOcJUX3wYOLkyY76etlRAAAAAAA/kb9mTcWePZ6yWIbCHQAA+LqK+PikGTOcZrPsIAAAAACA/yHE0aefdppMHtG5U7gDAACfVvbtt8mzZmlWq+wgAAAAAICfZ62oOPr006rBA9psD4gIAADQQoo2bDj0yCO63S47CAAAAADgXEr/85/C9esVtz89lcIdAAD4qLxPPjkyb57QNNlBAAAAAADnd3zhQmtFhZu/iaNwBwAAvih76dJjf/2rR2wABAAAAAAoiuJoaEiZM8fNF8u4dTgAAIBmJoSiKCf++c+M1193/1sRAQAAAAA/Vp2UlLt8uewU50LhDgAAfIUQQlHVtAULst59V3YWAAAAAMDFyHjjDVNurtsulqFwBwAAPkHouiJEyty5pz7+WHYWAAAAAMBF0m22lMcek53iF1G4AwAA7yd0XWha8kMPFW/aJDsLAAAAAOCS1B0/nvnvf8tO8fMo3AEAgJcTmqbbbIlTp5bv2CE7CwAAAACgGWQvXWpMTXXDxTIU7gAAwJsJTXOaTPvHjatOSpKdBQAAAADQPISmpcydKzRNEUJ2lp+gcAcAAF5L6Lqtqmrf6NF1aWmyswAAAAAAmlPjqVPHX3lFUVXZQX6Cwh0AAHgnIURjbm78yJGm3FzZWQAAAAAAzS9/9eqqhASh67KD/BeFOwAA8EZCGA8f3jdmjLW8XHYUAAAAAECLELp+ZN48zWJxn86dwh0AAHih8l27Dkye7Kirkx0EAAAAANCCLKWlx158UTW4S9HtLjkAAACaS8EXXyQ/9JBmtcoOAgAAAABocUUbN5Zt3+4mQ+4U7gAAwFsIoShK1pIlR595Rmia7DQAAAAAgFYhROpzzznr692hc6dwBwAA3sD1uir1+edPLFrkat4BAAAAAD7CVl195Jln3GGxjPwEAAAAl0homtC05Nmz8z/9VHYWAAAAAIAEZd9+W7Rhg/QBLAp3AADg2YSmaRbLgUmTyrZvl50FAAAAACBN2sKFtqoquYtlKNwBAIAHE7purayMv+++mkOHZGcBAAAAAMjkqK8/PG+e3MUyFO4AAMBjCdGQmblv5EhTdrbsKAAAAAAA+Sr37s3/7DOJi2Uo3AEAgKeqjI/fP3astaJCdhAAAAAAgLtIf/VVS1mZ0DQpj07hDgAAPFLB558ffPBBZ2Oj7CAAAAAAADfibGw8/Pjjqp+flEencAcAAJ5ECKEoSubixUeffVZ3OmXHAQAAAAC4neqkpNwVK6Q8NIU7AADwGELTFE1LmTv35NtvS1zJBwAAAABwcyf++c/G/PzWXyxD4Q4AADyD0DSn2ZwwaVLxpk2yswAAAAAA3JpmtR5+/HHV0NoFOIU7AADwAELXLSUl8SNG1CQny84CAAAAAPAAtYcPZ7//fis/KIU7AADwALWHD8ePGNGYlyc7CAAAAADAY2T+61+mnJzWXCxD4Q4AANyYEIqiFK5bd2DSJLvRKDsNAAAAAMCT6HZ7yty5iqq22iNSuAMAADcldF1RlIy///3IU0/pdrvsOAAAAAAAz1OXlpa1ZEmrPRyFOwAAcEdC04TDkTx7dvb777vm3AEAAAAAuAhZS5bUnzjROotlKNwBAIDbEbpur6nZN3p02fbtsrMAAAAAADyb7nAcfvxxRVFaYZyLwh0AALidurS0vcOG1aWnyw4CAAAAAPAG9SdOZP77362wzJ3CHQAAuA0hFEUp2rBh/7hx1ooK2WkAAAAAAN4je+nSuvT0ll4sQ+EOAADcwpkjUg8/+aRus8mOAwAAAADwKkLTDs+dqwjRootlKNwBAIB8QtN0u/3gzJkckQoAAAAAaCENWVknFi1q0cUyFO4AAEA2ISzFxfHDh5fv3Ck7CgAAAADAm+V88IHx6NGWWyxD4Q4AACSrjI/fO3x4Q3a27CAAAAAAAC8nNO3wE08IXW+hu6sp3AEAgByupe3Z772X9Mc/OurrZccBAAAAAPgEU25uxuuvt9BiGQp3AAAggdA04XR+/+ijGf/4R0ufEQ8AAAAAwI+dWrmyNiWlJd6NUrgDAIBWJ4SltDR+5MiSzZtlRwEAAAAA+ByhaYeffFJoWrMvlqFwBwAAra189+69995bf+KE7CAAAAAAAB/VmJeX/tprzb5YhsIdAAC0EtehNJmLFyfPnMnSdgAAAACAXHmrVtUkJ7sOGGsuFO4AAKA1CF3XzOakBx44+fbbzftqBgAAAACAiyB0/fCTT+p2ezMulqFwBwAAraE+I2PP3XdX7NkjOwgAAAAAAKeZCwubd7EMhTsAAGhBrmH2/E8/3Td6tLmoSHYcAAAAAAB+In/16uqkpOa6FZvCHQAAtBShacLhOPz446nPP6/b7bLjAAAAAABwNqHrR+bN0+120RyLZSjcAQBAyxDCXFS0d8SIoo0bZUcBAAAAAOAXmYuKjv/tb2pzLJahcAcAAM3MNRRQ/NVXe++5p+HkSdlxAAAAAAA4j/w1a6oSEi59sQyFOwAAaE5C04TTefS551Ief9xpNsuOAwAAAADABRDiyNNP6zbbJS6WoXAHAADNRwhLcXH8yJEFa9YozbH8DgAAAACA1mEpLk576aVLXCxD4Q4AAJrB6TUy33yz59576zMyZMcBAAAAAKDJCj7/vDI+/lIWy1C4AwCASyU0TbfZjjz5ZMqcOU6TSXYcAAAAAAAuihBHn3lGt1overEMhTsAALhUDSdP7rnnnsL161kjAwAAAADwaJbS0rSFCy96sQyFOwAAuEium+xyly+PHzWq8dQp2XEAAAAAAGgGBV9+WbF378UtlqFwBwAAF0PousNoTJw+/fjLL+t2u+w4AAAAAAA0EyGOPv20ZrFcROdO4Q4AAJpICEVRKnbt2nX77ZV798pOAwAAAABAM7OWlx978UXV0OT+nMIdAAA0gdA03eFInT//4KxZ9poa2XEAAAAAAGgRRRs3lu/c2dQhdwp3AADQBPUnT+655578zz7jfFQAAAAAgDcTIvW55zSzWWlK507hDgAAzk9omiJE1pIl+0aONOXkyI4DAAAAAECLs1ZUpL7wgtKUxTIU7gAA4HyEsJSW7rv//hOLFukOh+w0AAAAAAC0kuKvvirbvv3CF8tQuAMAgF/keklRsHbtnjvvrD18WHYcAAAAAABalxCp8+c7TaYL7Nwp3AEAwC8Qwl5TkzRjxtHnnnOazbLTAAAAAAAgga2qKnX+fPXCFstQuAMAgLO5rtsXbdy467bbKvbskR0HAAAAAACZSrZsKd22TRHivJ9J4Q4AAH5C6Lqjri551qzDTzzhqKuTHQcAAAAAANmESH3+eUdd3XkXy1C4AwCA01yvG0q++WbX0KFl330nOw4AAAAAAO7CXlNz9LnnzrtYhsIdAAAoinJ6Y/vBmTNT5syx19bKTgMAAAAAgHsp3bat+Ouvz71YhsIdAABfJzRNUZSCtWt3DR1avmOH7DgAAAAAALiptL/+1W40nmOxDIU7AAC+zlpWdmDy5KPPPeeor5edBQAAAAAA92U3Go8+/fQ5FstQuAMA4KOEpgldz1m2bNftt1clJMiOAwAAAACAByj77ruiDRt+abEMhTsAAL5HCEVR6k+ejB8+PP211zSLRXYgAAAAAAA8RtpLL9mqq392sQyFOwAAvkXoum63p7/6avzw4XXp6bLjAAAAAADgYRx1dUeefPJnF8tQuAMA4Ctc194r9uzZOXRozgcfuM5KBQAAAAAATVWxd2/B2rX/u1iGwh0AAN8ghL26+tCf/nTwwQctxcWy0wAAAAAA4NmOv/KKtbz8rGk2CncAALyc0DRFiFOrVu0cMqT0P//5pXNdAAAAAADAhXOaTIefeEL18/vxByncAQDwWq4dMsajR/cMG5a2YIHTZJKdCAAAAAAA71F14EDeqlU/nmyjcAcAwEsJ4airO/zEE/vGjKnncFQAAAAAAFpA+j/+0VhQcOaXFO4AAHgboWlC13M/+mjnrbcWbdjADhkAAAAAAFqIZjbvv//+M7/0lxgFAAA0L6HrqsFQlZh4fOHChuxs2XEAAAAAAPB+ut1+5t8p3AEA8ApCKKpqLS1NW7iwbMcOptoBAAAAAGh9FO4AAHg8IYRus2UtWZLz4Ye6zSY7DgAAAAAAPorCHQAADyY0TTUYCr/8MnPRImtFhew4AAAAAAD4NAp3AAA8kmtde01KyvGFC+vS02XHAQAAAAAAFO4AAHgaIYSqqpbi4vRXXy399v/bu5feuM78zuOn2I0MMgGcAQIMMJsgQYAAjbyY7APMG5hN1hlkN8Bs0ogbSRadbqTbkixRoqz7hRQlypKoi2VJliLrLllksci68VYs3up6nlkcWrI9dluSKT5Vxc8HgkzJm99WXzz4n3Hn2gEAAKBHCO4A0GfaKytPf/WrmeHhtNOJvQUAAAB4TXAHgP4QQgjt9le//e2L3/yms7YWew4AAADwXYI7APS6kKZJksyMjDz7l39pVCqx5wAAAADfT3AHgN4Vut3cz35WPHv26Ycfrk9Px54DAAAA/CGCOwD0oiy1z1+79uSf/mnl0aPYcwAAAIAfJ7gDQG/JUvvSnTtPfvnLpTt3Ys8BAAAA3pTgDgC9IkvtKw8ePP7lLxdu3EhCiL0IAAAAeAuCOwDEl6X2+tOnTz/8sPLpp1I7AAAA9CPBHQBiCmmaGxqqP3v29MMPKxcvSu0AAADQvwR3AIgje9W++vTp01/9qjwxIbUDAABAvxPcAWCnZam99uWXz//t3yqXLkntAAAAMBgEdwDYOVlqX7p169m//uvCzZtSOwAAAAwSwR0AdkJ2q73y6acvfv3r5bt3Y88BAAAAtp/gDgDvWQghTWePH//qN79ZffEi9hoAAADgfRHcAeD9CCHJ5bqNRv7gwZf/8R+bxWLsQQAAAMD7JbgDwDbLrse0arWXv/vd9IED7Vot9iIAAABgJwjuALBtsm+ibhQKL/7932ePH0+bzdiLAAAAgJ0juAPANshetS989tnL3/1u/sqVkKaxFwEAAAA7TXAHgHcXQsjlcmm7PXvs2Mvf/3712bPYiwAAAIBoBHcAeBfZ9Zjm/Pz0vn35gwdbS0uxFwEAAACRCe4A8Hay6zHL9+69/P3vy+PjoduNvQgAAADoCYI7ALyRrLOnzebssWNT+/fXHz2KvQgAAADoLYI7APyI7HrMRqEwvXdv4ejRdr0eexEAAADQiwR3APh+2QdRQ7dbHh/PDw/PX7+ehBB7FAAAANC7BHcA+K6tD6JWq9P79xcOH25Uq7EXAQAAAH1AcAeALdmV9tDtViYmZkZGqleu+CAqAAAA8OYEdwDYSu2bs7P54eHCsWPN+fnYiwAAAID+I7gDsHtlp2PSZnPuzJnC4cOLt2650g4AAAC8M8EdgN0nq+q5XO3+/ZmRkeKZM5319dibAAAAgL4nuAOwi2x9DXVhoXDkSOHo0bWvvoq9CAAAABgcgjsAg2/rzvRUVQAAFcNJREFUdEy7XRobKxw5snD9uq+hAgAAANtOcAdgYGWfQk2SZOnOndljx0qjo+3V1dijAAAAgIEluAMwcL4+0b6ez88eOTJ74sRmsRh7EwAAADD4BHcABkf2pL25sDB7/PjsyZP1x4+34jsAAADA+ye4A9D3shPtnbW14pkzcydPLt665UQ7AAAAsPMEdwD61danUJvN0vnzxVOnqleupK1W7FEAAADA7iW4A9Bnss4eOp3KpUvF06crExOdjY3YowAAAAAEdwD6xFZn73bnr14tnj5dPn++vboaexQAAADAa4I7AD3tVWdfuH69ePZseXy8VavFHgUAAADwPQR3AHrR685+40bxzBmdHQAAAOh9gjsAPeRbd2POni1fuNDW2QEAAIA+IbgDEN+r76BWr1wpjY6WJybaKyuxRwEAAAC8HcEdgGiyzp62WpWLF0tjY5VPP+2srcUeBQAAAPCOBHcAdlrW2Tvr6+Xz50vnzs1PTnY3N2OPAgAAAPipBHcAdkQIIYTc0FC7ViuNjZXGxxeuX0/b7dizAAAAALaN4A7AexRCyCVJkss1KpXi6Gjp3LnlL74I3W7sXQAAAADbT3AHYPuFNM0NDSVJsv7yZWlsrHTu3MqjR0kIsXcBAAAAvEeCOwDbJjvOniTJypdfZndj1qenY48CAAAA2CGCOwA/VdbZQ7e7cP16aXy8cuFCo1qNPQoAAABgpwnuALyj7G5Mt9GoXLxYHh+vXr7crtdjjwIAAACIRnAH4G2EEELIDQ21arXy+Hh5fHz++vW02Yw9CwAAACA+wR2AN5CmSS6X5HIbc3Ol0dHy+fPL9+6Fbjf2LAAAAIAeIrgD8IOyozFJktSfPi2NjZXPn68/e5aEEHsXAAAAQC8S3AH4ruwjqEkIS7dvl8bGyhcubM7NxR4FAAAA0OsEdwC2ZJ09bberly+Xx8crFy+2lpdjjwIAAADoG4I7wG6X3Y3prK2VL1woj49XJye7GxuxRwEAAAD0H8EdYFcKISRJLpdrLixkx9kXP/ss7XRizwIAAADoY4I7wC7y6iOoG7OzxdHR8rlztfv3Q5rG3gUAAAAwCAR3gMH3qrOvPn9eGh0tnTu3+vx5EkLsXQAAAAADRXAHGFjZR1CTJKndv18aGyufO7c+MxN7FAAAAMDAEtwBBs1WZw9h6c6d7D17o1KJPQoAAABg8AnuAAMi6+yh2124caM0Olo+f765uBh7FAAAAMAuIrgD9Letzt7pVK9cKY2NlScm2rVa7FEAAAAAu5HgDtCXss6ettvVy5dLo6OViYn26mrsUQAAAAC7muAO0E9edfbKxYul0dHKxYud9fXYowAAAABIEsEdoC+8fs/+6afFM2cqFy92NjZijwIAAADgWwR3gN716j575fLl4unTlYkJ79kBAAAAepbgDtBztjp7tzt/9ercqVOVCxfcZwcAAADofYI7QK8IaZobGkpCWLx5c+706fK5c61aLfYoAAAAAN6U4A4Q2VZnT5Llu3fnTp0qjY42FxZijwIAAADgrQnuAHGEEHJJkuRyq8+ezR4/XjxzZrNYjD0KAAAAgHcnuAPstOxJ++bs7Ozx43OnTq199VXsRQAAAABsA8EdYIdkn0JtLS/PnTw5e+JE7f79JITYowAAAADYNoI7wPuVdfZuo1EaHZ09cWLh+vXQ7cYeBQAAAMD2E9wB3ovsbkxI0/nJydnjx8sTE92NjdijAAAAAHiPBHeAbZVdicnl6o8eFY4cKZ4501xcjL0JAAAAgJ0guANsj61PoZbLs0ePzh4/vvbyZexFAAAAAOwowR3gJ9k60b65OXf69OyxY0u3boU0jT0KAAAAgAgEd4B3kb1nT0JYuHGjcPRoeXy8u7kZexQAAAAAMQnuAG8nS+0bhcLMyMjs8eONcjn2IgAAAAB6guAO8Eay0zGd9fW5kycLR44s37u39X1UAAAAAEiSRHAH+MNCCLlcLglh4bPPCocPl8+f7zYasUcBAAAA0IsEd4Dvl52OaRSL+UOHZo8d2ywWYy8CAAAAoKcJ7gDfknX2tNUqnjkzc/jw0q1bIU1jjwIAAACgDwjuAFuy1F5/9Ch/6FDx1Kn26mrsRQAAAAD0E8Ed2O22voa6tlY4cmRmZKT+5EnsRQAAAAD0JcEd2K1CSJIkyeUWP/985tCh0vh42mzG3gQAAABAHxPcgV0ne9LeWl7OHzpUGBlZn5mJvQgAAACAQSC4A7tG9qQ9SeYnJ/PDw5VPPw3dbtxFAAAAAAwSwR0YfNmT9sb8fH54uHD48GapFHsRAAAAAANIcAcG19dP2quXL+cPHKheueJJOwAAAADvj+AODKDsSXtzYSE/PDwzMuJJOwAAAAA7QHAHBogr7QAAAADEI7gDgyB70t6q1fLDwzOHDm3MzsZeBAAAAMCuI7gDfS6EJJdbunVrev/+8vnzabsdexAAAAAAu5TgDvSlkKa5oaHO2trMyEh+eHjt5cvYiwAAAADY7QR3oM9kqX3l4cPpffuKZ850G43YiwAAAAAgSQR3oG+kaTI0lLZas8ePT+/fv/LgQexBAAAAAPAtgjvQ67IPoq4XCtP79hWOHm2vrMReBAAAAADfQ3AHelUI2X8rFy9O79u3cONGSNO4iwAAAADgDxDcgZ6TPWlv1Wr5Awfyw8ObpVLsRQAAAADw4wR3oIdkH0St3b8/tXdvaWwsbbViLwIAAACANyW4Az3g1QdRjx2b+vjj+qNHsQcBAAAAwFsT3IGYsusxG8Xi1J49hSNHfBAVAAAAgP4luAORhJAkyfzk5NSePfNXr/ogKgAAAAD9TnAHdlR2pb2ztpYfHp7ev3+jUIi9CAAAAAC2h+AO7JDseszaixcvP/po7uTJ7uZm7EUAAAAAsJ0Ed+A9CyFJkhBCaWxsat++pdu3s78BAAAAgAEjuAPvS/akvVWrTe/fnz9woFGpxF4EAAAAAO+R4A5sv+xQ+8rDh1N79hTPnk1brdiLAAAAAOC9E9yB7RNCksuFTmfu1KmpvXtr9+/HHgQAAAAAO0dwB7ZBdj2mubAwtW/fzMGDzcXF2IsAAAAAYKcJ7sBPkl2PWb53b+qjj8rj42mnE3sRAAAAAMQhuAPvIoSQy+XSdnv22LGpffvqjx7FXgQAAAAAkQnuwNvJrsc0KpXpPXtmRkZatVrsRQAAAADQEwR34E1l12OWbt16+dFHlYsXQ7cbexEAAAAA9BDBHfgRWWdPm83CkSNTe/euPn8eexEAAAAA9CLBHfhB2fWYzWJxas+ewieftOv12IsAAAAAoHcJ7sD3yF61L1y/PrVnT/Xy5ZCmsRcBAAAAQK8T3IHXss7e3dycOXx4et++tZcvYy8CAAAAgL4huANJ8vX1mI2ZmZcffTR79GhnfT32IgAAAADoM4I77HohJElSvXx5as+e+WvXsj8CAAAAAG9LcIddKrse01lbyw8PT+/fv1EoxF4EAAAAAP1NcIddJ0vta8+fv/zoo7lTp7qbm7EXAQAAAMAgENxh1wghSZKQpsXR0em9e5e++ML1GAAAAADYRoI7DL7sg6it5eXpjz/ODw83qtXYiwAAAABgAAnuMMiy6zHL9+5N7dlTHh9P2+3YiwAAAABgYAnuMIjSNBkaSlut2aNHpz7+uP74cexBAAAAADD4BHcYKNn1mI25uam9ewtHjrRXVmIvAgAAAIDdQnCHgfD150+rly9P7du3cPVqSNO4iwAAAABgtxHcob9lT9rb9Xp+eDg/PLwxOxt7EQAAAADsUoI79Kvsg6i1L7+c3revePZs2mrFXgQAAAAAu5rgDn0m6+xpszl77Nj0/v0rjx7FXgQAAAAAJIngDn1k64OoMzNTe/fOHjvWrtdjLwIAAAAAXhPcodeFEHK5XOh2S+fO5ffvX7h589UnUgEAAACA3iG4Q+/KnrQ3q9Xp/fsLhw83qtXYiwAAAACAHyS4Q+/5+gH7/OTk9IED1UuXQrcbdxEAAAAA8KMEd+gh2ZP2Vq2WP3BgZmRkY3Y29iIAAAAA4E0J7tADsiftudzi55/nDxwonz+fttuxNwEAAAAAb0dwh5iyJ+3t1dWZQ4fyBw+uT0/HXgQAAAAAvCPBHWL4+kn70u3b+QMHSuPjaasVexMAAAAA8JMI7rCjtp601+szIyP5Q4fWp6ZiLwIAAAAAtofgDjvi1ZX2mzfzBw+Wz5/3pB0AAAAABozgDu9X9qS9tbycP3hwZmRko1CIvQgAAAAAeC8Ed3gvQgi5XC4JoXrlyszBg9VLl9JOJ/YoAAAAAOA9Etxhm2VP2hulUv7gwcInnzQqldiLAAAAAICdILjD9ghpmhsaStvt0ujozMjI4s2bIU1jjwIAAAAAdo7gDj9VltpXnz7NHzw4d+pUe2Ul9iIAAAAAIALBHd5RdjqmXa8Xjh4tfPJJ/fHj2IsAAAAAgJgEd3hLaZoMDSUhzE9Ozhw+XJmYSNvt2JsAAAAAgPgEd3hT2emYtXx+5tChuRMnGtVq7EUAAAAAQA8R3OFHZKdjOmtrcydPznzySe3+/SSE2KMAAAAAgJ4juMP3y96zhzSdn5wsHDlSnphIm83YowAAAACA3iW4w7dlr9dzubXnz2eOHJk7ebI5Px97EwAAAADQBwR32JKdjmkuLc0ePTp7/Hj9yZPYiwAAAACAfiK4s9tlnb3baJRGR2dPnFi4fj10u7FHAQAAAAD9R3Bnl3p9ov3q1dnjx8sXLnQ3NmKPAgAAAAD6mODO7hJCyCVJksutPHgwe+xY8ezZ5sJC7FEAAAAAwCAQ3NkdQggh5IaGNmZmZo8dmzt5cj2fj70JAAAAABgogjsDLjsd05ifnztxYu7UqZVHj5IQYo8CAAAAAAaQ4M5gyj6F2q7V5s6cmTt1avnOnZCmsUcBAAAAAINMcGegZJ29s7ZWHB0tnj69cONG6HZjjwIAAAAAdgXBnUGQdfbu5mZpbKx49uz85GTabsceBQAAAADsLoI7fWyrszca5fHx4pkz1cnJtNmMPQoAAAAA2KUEd/rPq/fs5fHx4ujo/ORkt9GIPQoAAAAA2O0Ed/pGSNPc0FBnfb08Pl4aG/OeHQAAAADoKYI7vS2EEEJuaKhdq5XGxornzi3euOE+OwAAAADQgwR3elEIIZckSS7XqFaLo6Pl8fGl27dDtxt7FwAAAADADxLc6SHZ0ZgkSdanp0tnz5bGx1cePkxCiL0LAAAAAODHCe7El30ENQmhdu9eaXy8fOHC+tRU7FEAAAAAAG9HcCea7D172mpVJycrExOViYnmwkLsUQAAAAAA70hwZ2dl92FyudbSUvn8+fLExML1693NzdizAAAAAAB+KsGdnbB1NCZJVh4/rly4UJ6YqD96FNI09i4AAAAAgG0juPPehBBCyA0NdRuN+StXKpcuVS9dalQqsWcBAAAAALwXgjvb7NVj9vVCoXLhQvXSpcVbt9JWK/YuAAAAAID3S3BnG4QQckmS5HJpszl/7Vr18uXq5csbhULsXQAAAAAAO0dw5929esy+9uxZ9cqV6pUrS7dve8wOAAAAAOxOgjtv51Vkby0vz1+5Up2cXLh2rVGtxt4FAAAAABCZ4M4bCCFJkiSXS9vtxZs3569enZ+crD99uvX3AAAAAAAI7vygEEIIuaGhJITagwfzk5ML164t3b2bNpuxlwEAAAAA9CLBnW94FdmTZPXFi/lr1xZv3Fi8dau9shJ7GQAAAABArxPcd71vRPa1ly8Xrl9fuHlz8ebN1tJS7GUAAAAAAP1EcN+NQgjJN16yL3722cLNm0uff95cXIw9DQAAAACgXwnuu0VI01wul+RySQj1x48Xb9xY/Pzzpdu3W7Va7GkAAAAAAINAcB9kodvN/exnSZKkzebS3btLt24t3b69fPduZ3099jQAAAAAgEEjuA+Ub96Kac7PL37++fIXXyzduVN//DjtdGKvAwAAAAAYZIJ733v1jD10uysPHy598cXyF18s3727WSzGngYAAAAAsIsI7v3n9TX2JGmUy0t37iz/53/W7t6tPXyYNpux1wEAAAAA7FKCex8IaZokSXYopl2vL9+7t/Lll7X795fv3WsuLMReBwAAAABAkgjuvembhb2zvl778sva/fsrDx7U7t/fmJ1NQog9EAAAAACA7xLce0LodnNDQ9mVmHa9vvLgQe3Bg5UHD1YePFifmVHYAQAAAAB6n+AeQwghTbMvnSZJslkqrTx4UH/8eOXRo5WHDzdLJYUdAAAAAKDvCO47IXS7r/J6t9FYffq0/vhx/enT+pMn9SdP2vV63HkAAAAAAPx0gvv2++Z9mJCmG/n8yqNHq8+e1Z8+XX32bKNQyE60AwAAAAAwSAT3n+qbr9dDmm4UCvUnT1afP197/nz1+fO1qam01Yq7EAAAAACAHSC4v4XsZXpuaCj7Y3dzc+3ly7UXL1a/+ir7fSOfT9vtqBsBAAAAAIhDcP9+IU2TEF4/Xe92N+fmVl+8WJ+aWpueXvvqq/Wpqcb8vK+bAgAAAACQ2fXBPYSQpq9OridJEjqdzWJx7eXL9Xx+fXp6PZ9fn5nZLBTSTifuUgAAAAAAetkuCu6h201yuVcHYZIkaS0vb8zMrM/MbBQKWz/MzDSq1dDtRtwJAAAAAEA/GrTg/p1TMEmSJCE0Fxc35+bWC4XNubmN2dnNubnNubmNubnu5ma8pQAAAAAADJQ+DO4hhDT9zlv1JEnaKyubxeLG3FyjVNoslTbL5c1icbNYbFYqrsEAAAAAAPC+9WJwzy66fPOueqa7sdGYn98slZqVSqNabczPN8rlRqXSKJcb1WraakXaCwAAAAAAOx7cQ7ebhJAMDX3nfXqSJN1Go7W83KxWG/Pzzfn55sJCc2GhOT/fqFazH7qNxg6vBQAAAACAN7Q9wT27nJ4kybeOp7/+36G9utpaXm4uLraWllrLy62lpa1fy8vNpaXmwkJraclFdQAAAAAA+tf3BPdX9fz/v5P+Td1Go7O62q7XW7Vae2WlvbLSWlnJfmjX663l5Xat1qrVWrVaZ3U1uxIDAAAAAACD6nVwb1QqreXlzupqe22ts77eWVvrrK62V1c7a2udtbX26mqW17d+X1vzJVIAAAAAAHjldXC//4//WLl4MeIUAAAAAADoXz94MQYAAAAAAHhzuZCda0+S9ZmZzupq3DXAu/n05s2DZ858+A//8F//+I9jbwGg7/3vf/7nX/zVX/3Pv/3b2EMA3k7u5z8f+vnPu41G7CG8dvvBg9+OjPyfv//7//5nfxZ7CwB97//++tf/7YMP/tff/V3sId+VGxr64Be/yH5+fVLmT/78zyPtAX6q1sOHL/L5P/nrv/7ggw9ibwGg781Uq//jL//yT//mb2IPAaDvpcXii3z+v/zFX/yp5gDAT1as1Tp/9Ec9/k8VJ2UAAAAAAGAbCO4AAAAAALAN/h/7DJZsK6TxHwAAAABJRU5ErkJggg==", null, "data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAB9AAAAH0CAIAAADqtyE0AAAABmJLR0QA/wD/AP+gvaeTAAAACXBIWXMAAA9hAAAPYQGoP6dpAAAgAElEQVR4nOzdd5TdZYH/8e+dECChF2mCKCzi8tvVXd1y9ier6+p6LL+VJUAoCSGBEHqJoMAKKKgUKbYF0Qi6qAiuCopIEZDUmUklvdfJTJKZTMn0mTvf7/P7Y2JAFiVlZp47975eJ8cDOZRPZMR73/Pc55sLISQAAAAFLoSQZbmysiSXe/1PZ93dPS0taWdn2tmZdnSknZ0hTZNcLpfLJblcbsiQsn322Wv48CHDhg3Zd98hw4aV7b33G//CaZokSW7IkIH7tQAAUKT2ij0AAADgjUKavlbAQ+jYvLl9/fr2mprOTZvaa2o6N2/urq/vamjobmxM29t36a88ZN99hx500N4HHzz04IP3OfzwYcccM+zoo4cdc8zwY4/d7/jjhwwfvv3vmWVJkuTKyvr0lwUAQJHLOeEOAABEt6OwhyxrW7u2aeHClhUrWtesaVu7tm3Dhqy7eyBG5HL7HHbY/iecsN8JJxxwwgkHnHzyQf/n/+x9yCFvWAgAAH+K4A4AAMQQQgih9wh5R3X11srKxnnzti1e3LJ8edrZGXvca/Y5/PADTz75wFNOOfi97z30/e/f96ijkiRJet9G/fHlNgAAILgDAAADZ8c58bb16+umTKmfNath9uzOLVti79pZ+xx++MHve9+h73//4f/0Twf99V/nysqSEEKS5MR3AAAEdwAAoN/94TB7T2tr7eTJddOm1U2b1lFTE3vWntpr+PBD/u7vDv/Hf3zbhz500CmnJK6dAQAoeYI7AADQL0IIuSRJcrn2qqpNzz+/5eWXG2bPDmkae1e/2Oewww4/9dQjPvShI//lX4YefLBj7wAApUlwBwAA+tQf7jdvXbu2+qmnap57rnX16qRk3nfkysoOft/7jvzoR4/++Mf3P/HEJElClvVeVQ8AQNET3AEAgL7Re6FKx6ZNG596qubpp5tXrCidzv6mhh933FEf//gxn/zkIX/7t4nyDgBQAgR3AABgj/R25Cyfr3nmmQ0/+1nDrFkhy2KPKiz7HnXU0R//+DGf/vShH/hAksslWZYo7wAAxUhwBwAAdlNvam9etmz9Y49VP/10vrk59qJCN+zoo9/+7/9+3Bln7P8Xf7Hj7p3YowAA6DOCOwAAsGtCCLlcLqRpzW9+s/ZHP2p89dUSvzpmNxz4nvcc+x//cdwZZ+x96KG9V/HEXgQAQB8Q3AEAgJ3Ve6S9a+vWtY8+uuGJJ7q2bo29aHDLDRlyxIc//I6zzjryox/NDRniqhkAgMFOcAcAAN5a7ynsluXLV02aVPOb32T5fOxFRWWfww47dsSI4889d7/jj3fgHQBg8BLcAQCAP6f3VHvtlCmrJ03aWl7u9ph+lMsd9g//cPy55x7zyU/m9tqr9+qe2JsAANgFgjsAAPDmelP7puefX/lf/7VtyZLYc0rI3occctyZZ75rzJhhxxzjwDsAwCAiuAMAAG8UsiyXy1X/5jcrH3igZeXK2HNKVG7IkCM+9KF3jhlzxD//c5IkidPuAAAFT3AHAABe03ueuuaZZ5Z/4xuta9bEnkOSJMl+73jHO8eMOf6cc4YMG9b7sYPYiwAAeHOCOwAAkCR/SO21r7yy9L77ml0gU3j22n//d4wcecKFFw47+mj3zAAAFCbBHQAASl3voemGOXOWfu1rDbNnx57Dn5MbMuSof/u3v5gw4eD3vU92BwAoNII7AACUrhBCLpdrW79+yZ13bn7xxcS7g8Hj0A984MQJE4766EdDCC6ZAQAoEII7AACUrvy2bcvuv3/D449nPT2xt7A79j/hhBMvuui4M8/MDRniqaoAANEJ7gAAUHJCliUhrH744VUPPphvaYk9hz217xFHvGvcuHedf/6QYcOSEJR3AIBYBHcAACghvbd+b3nppcV33NG2bl3sOfSloQceePx55504fvzehxzSey9/7EUAACVHcAcAgNIQQpLLta5du+j22+umTIm9hv4yZN99jzvrrJMuu2zfI4+U3QEABpjgDgAAxS9kWcjnl33962t/8APXtZeCsqFD3/6Zz5x0xRX7HX+87A4AMGAEdwAAKGa9sXXzCy8s+vKXO2pqYs9hQOWGDDnmk59899VX73/iib23CcVeBABQ5AR3AAAoZh2bNi289dYtL78cewjR5MrKjvr4x0++5poD3v1u2R0AoF8J7gAAUIRCmubKytY88siyb3wjbW+PPYf4cmVlR/7rv5587bUH/uVfyu4AAP1EcAcAgOISQpLLtaxY8eoNNzQtWBB7DQUmlzvyX//15IkTD5LdAQD6geAOAADFI6RpyLIV3/rW6u99z8NR+ZNyuSM/8pGTJ0486JRTZHcAgD4kuAMAQFEIIcnlmhYunHf99a2rVsVew2CQyx35r//6nokTXTIDANBXBHcAABj0eg+2L7vvvjWPPBLSNPYcBpVc7qiPfvTkiRMPfM97ZHcAgD0kuAMAwGDWe7B9wYJ5n/ucg+3stlxZ2VH/9m8nT5x4wEknye4AALtNcAcAgMGq9zD7svvvXz1pkoPt7LlcWdnRn/jEyZ/97P7velfIslxZWexFAACDjOAOAACDVcvKlXMnTmxeujT2EIpKbsiQYz796ZOvvXa/44+X3QEAdongDgAAg0xI01xZ2apJk5Z//etZd3fsORSn3JAhx5522snXXjvs7W+X3QEAdpLgDgAAg0oInbW1c665pmHWrNhTKH5le+117BlnnHzNNfseeaTsDgDwlgR3AAAYHEIIuVyu5plnFtx8c765OfYcSkjZ3nu/Y+TI91x33dADD+z9Ooy9CACgQAnuAAAwCIQ0zfL5hbfcUvXkk4nX8MTwlzfeeMLYsT2trXsfckgSQiK7AwD8Lz4PCAAAg0DzsmWTP/Wpql/+Um0nltDTE3p6XvzQh5bcdVe+pSVJEl+NAABvILgDAEDhClmWJMmahx+edsYZbevXx54DSdrevnrSpBdPPXXZfff1tLUliewOAPAawR0AAApUyLKetraZF1+8+I47snw+9hx4TU9b28oHH3zx1FOXf/ObaUdHksjuAABJIrgDAEDBapw375VPfGLLyy/HHgJvLt/SsuJb3/rdqaeufOCBtKtLcwcAENwBAKCw9F4js/I735lx7rmdmzfHngNvIb9t27L773/x1FNXffe7aWen7A4AlDLBHQAACkjvNTKVF1207N57Q5rGngM7q7uxcek997z4z/+8+vvfz5x2BwBKleAOAAAFZNuiRZM/9anaV16JPQR2R3dDw5K77pLdAYCSJbgDAEAByLIkSdb+939PHzmyo6Ym9hrYI1319bI7AFCaBHcAAIgspGna3T3n6qsX3X57ls/HngN9Y0d2XzVpkrvdAYASIbgDAEBUIbRv3Dj1tNNqnnkm9hToe1319Uvvvvu1R6omifIOABQxwR0AACIJIUmSTc8/P+Uzn2lZtSr2GuhH2x+p+sEPrviv/+ppb08S2R0AKE6COwAARBCyLEmSJXfdNfvKK3taW2PPgYHQ3dS0/Otff/HUU5fdf3++tTVJkiC7AwDFRXAHAICBFrKsp62t4oILVk+a5JwvpSbf3LzygQde/OAHl9x1V76pKfnD958AAIqA4A4AAAMrhNZVq6b8+7/XTZ8eewpE09PWtnrSpBdPPXXRbbd11dUlsjsAUBQEdwAAGCghJElS89vfTj3jjPaqqthrIL60s3Pto4++9OEPz7/xxt7/UYQ0jT0KAGD37RV7AAAAlISQZblcbundd69yjQz8sSyf3/A//1P1i18c+bGPnXTZZQe/970hTXNDhsTeBUnIsiSEP/XVmHV1pZ2dWU9PkmW9f2QIoWzo0LK99+79z//9J/75vyAARUBwBwCAfhfSNOvqmn3VVbWvvBJ7CxSokGWbX3hh8+9+d9jf//1fXHrpER/+cMiyXJmPZTNAQprmysqSXK73d7Ouro6amvaqqvaams5Nm7q2bu1qaOiur+9qaMhv25Z2dGRdXW95D1LZ0KFDDz5474MP3vvQQ/c+9NB9jzhi+LHHDj/22OHveMfw447ba7/93vRvDcCgJrgDAED/CiF01NRUjh/fumpV7C1Q8EKonzmzfubMA0466cTx4489/XQhkv7w+sYd0rRt3bqWFSta165tW7eube3a1nXruhsb9/zTSFk+31VX1/uUgjfK5fY5/PAD3/3uA0466YCTTjrwlFMO/Mu/LBs6dPs2R+ABBq1c8GlWAADoT3XTp8+56qr8tm2xh8Aeec/1158wduxv/+qvBvJvuu+RR77z/PPfdf75e+2/vwPv7Inee716C3t3Q0Pj/PnNS5Y0L1/esmJF27p1WT4fe2BSNnToAe9+98Hve98h73vfYf/4j8OPOy4R3wEGIcEdAAD6RwhJLrf2v/978Ve/6jmQFIEowb3XXsOHH3fmmSdceOHw447TH9l5O75a0vb2hrlzG+fNa1q4cNuiRZ1btsSe9taGvf3tb/vgB9926qlvO/XUoQcd9PpvGABQyAR3AADoe70X+y689db1P/1p7C3QNyIG9165srIjPvKREy+66LB//Een3XlzIYQQer822jdurK+oaJg7t3Hu3NbVq9/yvvWClSsrO+Rv/uboT3zi6E9/ethRR22/6EZ5ByhUgjsAAPSxkKZpR8esSy/dWl4eewv0mejBfYcD3/Oed40Zc+yIEWVDh4YQcspjiXtdZG9ZsWJrRUXDrFkNs2d31tbGXtbXcrmDTjnl6E9+8rgRI/Y98kjfdgIoTII7AAD0pRBC+4YNlRde2LZuXewt0JcKJ7j32vvgg98xcuS7xo7d98gj3TNTgnb8Q29dtapuxoz6ior6ysrupqbYuwZCrqzs0L//++NGjDjm//2/Ifvu6+sfoKAI7gAA0JfqKypmXX65R6RSfAotuPfKDRlyxIc//M5Ro4748If/8FMOvBetHWW5s7a2dvLkrdOnby0v79q6NfauaIYMG3b0Jz7xztGjD/mbv3HgHaBACO4AANAXQkhyuQ1PPLHw1luznp7Ya6DvFWZw32H4sce+Y+TI4887b+9DDnHgt5iEEHJJkuRyaWdn3bRpvT/a1q1L1IzXOfCUU945atRxp59ets8+7lkCiEtwBwCAPRWyLJfLLbn77tXf/74GRLEq8ODeq2yvvY74yEfecfbZR/7LvyS5nPI4eO34rsm2JUtqX3mlburUxnnzsnw+9q6CNvSAA95xzjl/MWHC3oce6sA7QCyCOwAA7JGQpiFN51xzzeYXXoi9BfrRoAjuO+x75JHHnXHGO84+e/ixxyqPg8WOf1LdjY21r7xSO2VK3bRp3Q0NsXcNMmX77HPciBEnXXbZsLe/3Rc/wMAT3AEAYPeFNM03N1eOG9e0cGHsLdC/Bldw3y6XO/QDHzhuxIi3//u/Dxk+3FUzhak3Coc0bZgzp3by5NopU1qWLQtZFnvX4JYbMuSYT3/65Guv3e/442V3gIEkuAMAwG4KWda2fn3l2LHtGzfG3gL9blAG9z8YMmzYUR/72HEjRhx+6qm5sjL9Mbod3/zoqKnZ8vvf102ZsrWioqe1NfauYpMbMuS4M888+dpr9z3iCDcsAQwMwR0AAHZTfWXlrEsvzTc3xx4CA2FQB/cd9jnssKM/9aljTzvtkL/92+R1d5gwAF7/+NOtM2bUTZ1aO2VK2/r1Hn3R38r22eedo0e/+8orhx5wQKK5A/QzwR0AAHbHxiefnH/TTZ7gR+kojuC+w/Djjjv6E5845lOfOvi9702U9/60/TB7CNuWLq2dPHn740+7u2PvKjlDDzzwpCuuOGHcuCSX89UO0H8EdwAA2BUhJLnciv/6r+Xf+IZTmZSUIgvuOww7+uijPv7xYz75yUP/7u+SXM49733itRtjNm2qmzy5bvr0reXl3Y2NsXeR7PfOd55y001HfexjvtQB+ongDgAAO6v3IX4Lbr55wxNPxN4CA61Yg/sOex988BH/8i9HfvSjR37kI0OGDQtZlsvl3L+x83YE3O6mprpp07aWl2+dPr29qir2Lt7E4f/0T3992237n3hi73eRY88BKCqCOwAA7JSQpqGnZ9bll9e+8krsLRBB0Qf3HcqGDj3sH/7hbR/60JEf+cj+J56YvC4l8wY7/pvJNzVtraior6ysr6xsXrHCB4AKX9lee51w4YUnX3ttbuhQN8wA9CHBHQAA3lpI03xzc+W4cU0LF8beAnGUTnB/vWFHH/22D3/4iFNPPfyDHxx64IFJycf3EEISQm+f7aipqZ85s2HOnPqZM1tXrxbZB6Nhb3/7X3/xi0d+9KMeYwDQVwR3AAB4CyHLOjZuLB8zxt0IlLLSDO475MrKDjj55MP/6Z8O/7//97B/+Ie99tsvKZn4vuOXmeXz2xYvbpw3r2HOnMa5czu3bIk9jb5x1Mc+9t6vfnWfww5zvQzAnhPcAQDgzwph2+LFFePGdTc0xJ4CMZV4cH+9XFnZ/ieeeMj733/o+99/6N///X7HH9/780XS30MIWbb9FxJC6+rVjQsWNC1Y0PTqq83LlmX5fOx99IuhBx30V7fccuzppzvqDrCHBHcAAPhzaidPnn3llWl7e+whEJng/qcMPeCAA0855eD3vvegv/qrQ973vuHHHtt7THhwPHb19Xk9SdLOzpbly5uXLm1evrxp4cLmZcvSjo64AxlIR33sY++76669Dz640L9uAQrYXrEHAABA4ar6xS8W/Od/Zj09sYcAhSvf0tL7sNDe3x0yfPgBJ5104MknH/ie9xxw0kkHnHTSPm97244/OKRpkstFOUEcsiwJ4fVn8LsbGlpXr25dvbp13brW1atbVqzoqKkJWTbw2ygQm198seHf/u2vb7vtmE9/OoSQk90Bdp3gDgAA/0sISS638sEHl91/v8cAArskbW9vmj+/af78HT8zZPjw/d75zv3f9a7hxx037Jhjhh19dO9v9F4E/0dC2N67c7ldOB2fZb3PMt2e8v/Xn9Xd2NixaVNHTU1HTU17VdX2Hxs39rS27sEvlOLU3dg455pral955a+//OWyoUOL4ZYkgIEluAMAwB/pvQVi0W23rX300dhbgGKQtrc3L1nSvGTJG36+bJ999jn88O0/Djts6EEHDT3ggKEHHTT0wAP3OuCAIfvuu9fw4UOGDRsybFhu6NDXInoul+XzWT6fdXdn3d1ZV1dPW1tPW1va3t7T1tbT2trd1NTd2Lj9R31955YtLl5n14RQ9ctfNsyd+4Fvf/ugU06JvQZgkBHcAQDgNb1XLsy59tqaZ56JvQUocllXV0d1dUd1dewh8Cba1q2bNmLEe6677sSLL/YkVYCd51+XAACwXUjTrLu7ctw4tR0Asnx+yV13VYwb19Pa6nJ/gJ0kuAMAQJIkSUjTnpaW6WefXTd9euwtAFAo6qZMmfypTzUtWBB7CMDgILgDAEASsqyzrm7qGWdsW7Qo9hYAKCwdmzbNOPvsNQ8/nPTevQbAnya4AwBQ6kKW9d5U27ZuXewtAFCIsp6exXfcMeuyy7LOzpCmsecAFC7BHQCA0hbCtkWLpp11VueWLbGnAEBB2/zCC1NOO629qioJIfYWgAIluAMAUNLqZswoHzUq39QUewgADAKta9ZMOe20LS+/HHsIQIES3AEAKF01zz47c/z4nvb22EMAYNDoaW2ddemly7/5zcSV7gD/i+AOAECJ2vDEE3OvuSbr7o49BAAGmZBlK771rVmXXJJ1d7vSHeD1BHcAAErR6kmT5n/hCxoBAOy2zS++OO2ss7obGpxzB9hBcAcAoJSEkCTJsvvuW3L33R74BgB7qHnJkimnndayfLn/VwXoJbgDAFAqQghJLrfwS19a+eCDugAA9InOLVumjRy5+aWXYg8BKAiCOwAAJSFkWRLCvOuvX/ejH8XeAgBFJW1vn3355WsefjhJEt/SBkqc4A4AQPHrre2zr7hi45NPxt4CAEUopOniO+5Y/NWvJrmcK92BUia4AwBQ5EKahp6eyvHjN7/wQuwtAFDM1jzyyJyrr06yzGPJgZIluAMAUMxCmmZdXeXnn183ZUrsLQBQ/Gqeeabigguyri7NHShNgjsAAEUrpGlPW9v0c89tmD079hYAKBVbKyqmnXlmd2Oj5g6UIMEdAIDiFNI0v23b9JEjty1aFHsLAJSW5uXLp51xRkdNjfvcgVIjuAMAUIRCmnZt3TrtzDNbVq6MvQUASlH7xo3TzjyzZcWKJITYWwAGjuAOAECxCVnWUVMz7ayz2tavj70FAEpX19atM845p2HuXM0dKB2COwAARSVkWdu6ddNHjuyoro69BQBKXb6lpeKCC2onT449BGCACO4AABSPkGUtK1ZMHzmys7Y29hYAIEmSJO3omHXJJdVPPx17CMBAENwBACgWITQvWTLjvPO6GxtjTwEAXpP19My77roNP/tZ7CEA/U5wBwCgKITQOG/ejFGj8tu2xZ4CALxRSNMFX/jC2kcfjT0EoH8J7gAADH4h1M+cWXHBBT2trbGnAABvLmTZottvX/XQQ7GHAPQjwR0AgEGvbvr0yosu6mlvjz0EAPizQlh6zz3L7r8/9g6A/iK4AwAwuNW+8srMCRPSjo7YQwCAnbLygQeW3nNP7BUA/UJwBwBgENv8u9/NuvTSrKsr9hAAYBeseuihpV/7WpIkSQixtwD0JcEdAIDBqubZZ+dceWWWz8ceAgDsslXf/e7Su+9OcjnNHSgmgjsAAINS9a9/Pfeaa7KenthDAIDdtOp731ty112aO1BMBHcAAAafjU8+Oe/660Oaxh4CAOyR1ZMmbW/uAEVBcAcAYJCp+vnPX73hBrUdAIrD6kmTlt13X+wVAH1DcAcAYDDZ8MQT82+6SW0HgGKy8sEHV3zrW7FXAPQBwR0AgEFj/WOPLbj55pBlsYcAAH1s+be+teqhh2KvANhTgjsAAIPDuh/9aMGtt6rtAFCcQlh6771rHn449g6APSK4AwAwCKx99NGFt92WhBB7CADQb0JYfOed6370o9g7AHaf4A4AQKFb88MfLrr9drUdAIpfCItuv73qF7+IvQNgNwnuAAAUtDU/+MHir3xFbQeAEhGybP5NN9X89rexhwDsDsEdAIDCtebhhxd/9atqOwCUlJCm8z772S2//33sIQC7THAHAKBArf7+9xffeafaDgAlKMvnZ19xRX1FhVcCwOAiuAMAUIjWPPzwkrvu8h4bAEpW1tU18+KLG+fP93oAGEQEdwAACs6aRx5xth0A6Glvr7zwwpaVK0OWxd4CsFMEdwAACsuaH/xg8R13qO0AQJIk+W3byseM6aiuDmkaewvAWxPcAQAoIGt++ENPSQUAXq+rrq589OjuhgbNHSh8gjsAAIVi7X//9+KvfEVtBwDeoH3jxhmjR/e0tmruQIET3AEAKAjrfvSjRV/+stoOALyp1lWrKi64IMvn3ecOFDLBHQCA+NY/9tjC225T2wGAP6Np4cJZEyYkIWjuQMES3AEAiGzD448v/OIX1XYA4C3VTZ8+d+LEXC7nlQNQmAR3AABi2vCzny245Rbn1ACAnVTzzDMLv/SlJJeLPQTgTQjuAABEU/XLXy74whfUdgBgl6z78Y9XfPvbsVcAvAnBHQCAOKp/9av5N96otgMAu2H5N7+5/rHHYq8AeCPBHQCACKp/85t5n/tcSNPYQwCAwSmEhV/60ubf/S72DoA/IrgDADDQNj333LzPflZtBwD2REjTudde2zBnTvAAVaBgCO4AAAyozS++OPeaa9R2AGDPpZ2dMy++uG3NGpfUAQVCcAcAYODUvvLKnKuuynp6Yg8BAIpEftu2igsu6Nq61bfzgUIguAMAMCBCqJs2bdbll2fd3bGnAABFpWPTpooxY9KODs0diE5wBwCg/4VQP3PmrEsuybq6Yk8BAIpQy8qVlePHhyxL3C0DRCW4AwDQz0JomDu3cvz4tLMz9hQAoGg1zJo1d+LEJJdLPEMViEdwBwCgP4XQtGBB5bhxaXt77CkAQJHb9Oyzi7/ylSSXiz0EKF2COwAA/SVk2balSyvGju1pa4u9BQAoCWt++MPVkybFXgGULsEdAIB+EbKsdfXqivPPzzc3x94CAJSQpV/7WvVvfhN7BVCiBHcAAPpeyLL2DRvKR43qbmqKvQUAKC0hy1793OfqZ84MHqAKDDjBHQCAPhayrKO6esZ553XV18feAgCUoqy7e9Yll7StW6e5AwNMcAcAoC+FNO2srZ1x3nmdW7bE3gIAlK58c3PFBRd0NzaGNI29BSghgjsAAH0mpGl3Y+OMc87pqKmJvQUAKHUdNTUVY8dm+bxz7sCAEdwBAOgbIU3zzc0zzjuvvaoq9hYAgCRJkuYlS2ZddlmSJCGE2FuAkiC4AwDQB0Ka9rS3l48a1bp6dewtAACvqZsyZcF//mcul4s9BCgJgjsAAHsqpGnW1VU+enTz8uWxtwAAvNGG//mflQ88EHsFUBIEdwAA9kjIsiyfr7jggm2LFsXeAgDw5pZ9/esbn3oq9gqg+AnuAADsvpBlIU1nXnRRw9y5sbcAAPxpIcy/6ab6WbMSl7kD/UlwBwBgN4UsS0KYdcklWysqYm8BAHgLWXf3rEsuaVu/PqRp7C1A0RLcAQDYHSGEJEnmXHVV7eTJsbcAAOyU/LZtFWPH5pubNXegnwjuAADsuhBySTLv+us3Pf987CkAALugvaqq8qKLQpqGLIu9BShCgjsAALsohCSXm3/zzdW/+lXsKQAAu6xp/vw511yTy+Xc5w70OcEdAIBdlMst/spXNjz+eOwdAAC7afMLLyy+884kl4s9BCg2gjsAALtm2f33r/nBD2KvAADYI2seeWTdj38cewVQbAR3AAB2waqHHlr54IOxVwAA7LEQFt1+e+3kyS6WAfqQ4A4AwM5a++ijS++915tSAKA4hDSdc+WVzcuXe4Aq0FcEdwAAdkrVL36x+MtfVtsBgGLS0wb3sCQAACAASURBVN5eeeGF3fX1IU1jbwGKgeAOAMBbq3n22fk33eTwFwBQfDq3bKkYNy7L573UAfac4A4AwJ8VQu3kyfMmTnTsCwAoVs1Ll86+/PIkSXyYD9hDgjsAAH9aCPWzZs2+/PIsn489BQCgH9VOnrzwi19McrnYQ4DBTXAHAODNhSxrWrRo5vjxaWdn7C0AAP1u/WOPrZ40KfYKYHAT3AEAeBMhy1pXr64YO7anrS32FgCAAbL0a1/b9PzzLpYBdpvgDgDAG4Us69i4sfz88/NNTbG3AAAMnJBl8667btvixR6gCuwewR0AgD8S0rSrrm7GqFFddXWxtwAADLS0o6Ny/Piu2lpPjAd2g+AOAMBrQprmm5tnjBrVUVMTewsAQBxddXUVY8dmXV3OuQO7SnAHAGC7kKZpR0f56NFta9fG3gIAEFPLypWzLrssSRL3uQO7RHAHACBJkiRkWZbPV4wd27xsWewtAADx1U2btuDmm5NcLvYQYDAR3AEASEKWhTSdOX5847x5sbcAABSKDU88seq73429AhhMBHcAgFIXQkiSZM6VV24tL4+9BQCgsCy7995Nzz3nYhlgJwnuAAClLYRcksy77rrNL74YewoAQMEJWTbvuuuaFi70AFVgZwjuAAAlLIQkl1twyy3Vv/517CkAAAUq7eycOX5855YtIU1jbwEKneAOAFDCcrmld9+9/qc/jb0DAKCgddXXV4wdm3Z2OucO/HmCOwBA6Vr54IOrvve92CsAAAaB1lWrZk2YkIQQ3OcO/GmCOwBAiVr3ox8tu//+2CsAAAaNrRUV82+6KZfLxR4CFC7BHQCgFG186qlFt9+eOJ8FALArqn7xi5UPPBB7BVC4BHcAgJKz+cUXX/38591ACgCwG5Z9/evVTz8dewVQoAR3AIBSEkJ9RcWcq68OaRp7CgDA4BTCqzfc0DBnjuMLwP8muAMAlIqQZU0LF868+OKsqyv2FgCAQSzr6pp1ySUd1dUOMQBvILgDAJSEkGWta9ZUjBvX094eewsAwKDX3dhYMXZsT1ub5g68nuAOAFD8Qpp21NRUnH9+vqkp9hYAgCLRtm7dzIsvTkJwtwywg+AOAFDkQpp2NzaWjx7dWVsbewsAQFFpmD173nXX5coUNmA7/zoAAChmIU172tvLR41qr6qKvQUAoAhV/+Y3y+69N/YKoFAI7gAARSukaZbPV4wZ07JqVewtAABFa+VDD2342c9irwAKguAOAFCcQpaFLKu88MKmBQtibwEAKGohLLzllrrp05MQYk8BIhPcAQCKUAghSZLZV1xRX1kZewsAQPHLenrmXHFF6+rVHqAKJU5wBwAoOiHkkmTedddteeml2FMAAEpFvqWlYty47sbGkKaxtwDRCO4AAEUnl1v4pS9V//rXsXcAAJSWjpqaynHjsnzeOXcoWYI7AECxWXbffet+/OPYKwAAStG2xYvnXHllLpdznzuUJsEdAKCorJ40aeV3vhN7BQBA6dry+98v/OIXk1wu9hAgAsEdAKB4bHjiiSV33+04FQBAXOt+8pNV3/te7BVABII7AECRqHn22QW33KK2AwAUgmX33FPzzDOxVwADTXAHABj8QqibOnXexIkhTWNPAQAgSZIkZNm8z32uYc4cD1CFkiK4AwAMbiHLGl99ddbll2f5fOwtAAC8JuvqmjlhQntVlVMRUDoEdwCAQSxkWeuqVZUXXZS2t8feAgDAG+WbmiouuCDf3Ky5Q4kQ3AEABquQZR3V1eXnn5/fti32FgAA3lx7VVXluHGhp8fdMlAKBHcAgEEppGl3ff2MUaO6tm6NvQUAgD+naeHC2VdemcvlPN8eip7gDgAw+IQ07WltnTF6dEd1dewtAAC8tS0vv7zglluSXC72EKB/Ce4AAINMyLKsu7viggtaV62KvQUAgJ21/qc/Xfngg7FXAP1LcAcAGExCloU0rbzooqaFC2NvAQBg1yy7//6NTz4ZewXQjwR3AIBBI4SQJMnsyy+vr6yMvQUAgF0XwvybbtpaXu4ydyhWgjsAwCARQi5J5l133ZaXX449BQCA3ZTl87MuvbRlxYqQZbG3AH1PcAcAGCRyuYVf/GL1r38dewcAAHukp7W1Yty4rrq6kKaxtwB9THAHABgclt1337qf/CT2CgAA+kDnli0VY8akHR2aOxQZwR0AYBBYPWnSyu98J/YKAAD6TMuqVZXjx4csS9wtA0VEcAcAKHQbnnhiyd13e7IWAECRaZg1a+611ya5nFd6UDQEdwCAglbz298uuOUW78EAAIrSpueeW3T77UkuF3sI0DcEdwCAQhVC3ZQp8z77WTd7AgAUsbWPPrrqoYdirwD6huAOAFCQQmicN2/WFVdk+XzsKQAA9K+l99678cknY68A+oDgDgBQcEKWNS9fXnnRRWl7e+wtAAD0vxDm33hj3dSpLhKEwU5wBwAoLCHL2quqKsaMyTc3x94CAMAAyXp6Zl9++bYlS0KWxd4C7D7BHQCggIQ07aqrKx89uqu+PvYWAAAGVE97e+W4cR3V1R7hA4OX4A4AUChCmuZbWmaMGtVRUxN7CwAAEXTV15eff35+2zbNHQYpwR0AoCCENE07O8vPP79t7drYWwAAiKa9qqp8zJisq8vdMjAYCe4AAPGFLAs9PZXjxjUvWRJ7CwAAkTUvXVo5fnxIU80dBh3BHQAgtixLQph5ySUNc+bEngIAQEGor6ycc/XVuVwuCSH2FmAXCO4AADGFEJJcbs7VV9dNnRp7CwAABWTzCy/Mv/nmJJeLPQTYBYI7AEA8IeRyuVdvvHHTc8/FngIAQMHZ8Pjjy+69N/YKYBcI7gAA8eRyi7/ylaqf/zz2DgAACtTKhx5a88gjsVcAO0twBwCIZvk3v7nmBz+IvQIAgAIWwpI779z45JOxdwA7RXAHAIhjzSOPrPj2t2OvAACg0IUsm3/jjbWvvOIBqlD4BHcAgAg2/Oxni++4w1smAAB2RtbTM/vKKxvmzvUCEgqc4A4AMNBqnn12wc03e7MEAMDOSzs6Zo4f37JiRciy2FuAP0lwBwAYQCHUTpkyb+LEkKaxpwAAMMjkm5vLx4zpqK72YhIKluAOADBQQmiYPXv25Zdn+XzsKQAADEpdW7eWjx7d3dCguUNhEtwBAAZCyLJtS5ZUjh+fdnTE3gIAwCDWvnFj+ejRPe3tmjsUIMEdAKDfhSxrW7u2YsyYntbW2FsAABj0WlatqhgzJsvn3ecOhUZwBwDoXyFNO2pqykeP7m5qir0FAIAi0bRgwcyLLgppqrlDQRHcAQD6UUjT7oaG8lGjOmtrY28BAKCobK2omH3FFUmShBBibwG2E9wBAPpLSNN8S8uMUaPaN26MvQUAgCK05aWX5n32s7kkSTR3KAyCOwBAvwhpmnZ0lI8e3bp6dewtAAAUreqnn15w661JLhd7CJAkgjsAQH8IWZbl8xVjxzYvXRp7CwAARW79Y48tvfvu2CuAJBHcAQD6XMiykKYzx49vnDcv9hYAAErCqu99b+UDD8ReAQjuAAB9KmRZEsLsK67YWl4eewsAACVk2de/vuaRR2KvgFInuAMA9JkQQi6Xmztx4paXXoq9BQCAEhPC4jvuWP/447F3QEkT3AEA+kgIuVzu1RtvrHnmmdhTAAAoSSEsvOWWjU89FXsHlC7BHQCgj+Ryi267rernP4+9AwCA0hWy7NXPf37T88/HHgIlSnAHAOgbS++5Z+2jj8ZeAQBAqQtpOveaa2pfeSX2EChFgjsAQB9Y+eCDqx56KPYKAABIkiTJ8vlZl19eN316EkLsLVBaBHcAgD215oc/XHb//bFXAADAa7KurlmXXFI/e7bmDgNJcAcA2CPrH3988Ve+4m0MAACFJu3omHnRRY3z53uxCgNGcAcA2H0bn3pq4S23eAMDAEBh6mlrqxw7dtuSJSHLYm+BkiC4AwDspk3PPffq5z/vrQsAAIUs39JSPmZMy4oVXrjCABDcAQB2R+3kyXOvvTakaewhAADwFvJNTeWjR7euXq25Q38T3AEAdlEIW8vLZ112WZbPx54CAAA7pbuxsXzUqLb16zV36FeCOwDArgihYe7cmRMmZF1dsacAAMAu6KqvLz/vvPaqKs0d+o/gDgCw00JoWriw8sIL0/b22FMAAGCXddbWzjj33I7qas0d+ongDgCwU0KWNS9fXjF2bE9ra+wtAACwmzq3bJl+zjkdNTWaO/QHwR0A4K2FLGtbu7Z89Oj8tm2xtwAAwB7p3Lx5xjnndG7aFNI09hYoNoI7AMBbCFnWXlU1Y9So7sbG2FsAAKAPdGzaNP2cczq3bHHOHfqW4A4A8OeELOvctGnGued21dXF3gIAAH2mo6Zme3N3zh36juAOAPAnhTTtqqubfu65nVu2xN4CAAB9rKO6esY553TW1mru0FcEdwCANxfStLuxccY553RUV8feAgAA/aJ948bpZ5/dWVvrbhnoE4I7AMCbCGmab26ecd55bRs2xN4CAAD9qKO6evrIkZ2bNmnusOcEdwCANwpp2tPaOuPcc1tXr469BQAA+l1HTc30s8/uqKnR3GEPCe4AAH8kpGlPe/uMUaNaVq6MvQUAAAZIx6ZN088+u6O6WnOHPSG4AwC8JqRp2tFRPmpU89KlsbcAAMCA6ty8efrZZ7dXVWnusNsEdwCA7UKaZt3d5WPGbFu8OPYWAACIoHPLlulnn922bp3mDrtHcAcASJLe2p7PV4wZ0zR/fuwtAAAQTVdd3YxzzmldvVpzh90guAMAJCHLsny+YuzYhrlzY28BAIDIuurrZ5x7bsuKFZo77CrBHQAodSHLQk9P5YUXNsyaFXsLAAAUhO7Gxhm9TzYKIfYWGEwEdwCgpIUsC2laeeGF9ZWVsbcAAEAByTc1lY8a1Th/vuYOO09wBwBKV29tn3nRRVvLy2NvAQCAgpNvaakYM6Z+9mzNHXaS4A4AlKjttf3ii+umT4+9BQAAClRPW1vluHF1M2bEHgKDg+AOAJSi7bV9woS6qVNjbwEAgIKWdnTMvPji2ldeiT0EBgHBHQAoOSHLkiybNWFC3ZQpsbcAAMAgkHV1zbr00k3PPRd7CBQ6wR0AKC29tX3mhAm1ajsAAOy0LJ+fc/XVG598MvYQKGiCOwBQQrafbb/00trJk2NvAQCAQSak6auf//z6xx6LPQQKl+AOAJSKHbV9y+9/H3sLAAAMSiHLFtx665qHH449BAqU4A4AlAS1HQAA+kYIi++8c8W3v93727HXQGER3AGA4rf93vZLLlHbAQCgD4Sw/BvfWHLnnUkup7nD6wnuAECR21Hba195JfYWAAAoHqu///0FX/hC0vuSG0iSRHAHAIpbyLKQpmo7AAD0h/WPPz534sQkBM0degnuAEDR2l7bJ0xQ2wEAoJ9UP/30rEsvDWmquUMiuAMAxWp7bb/44ropU2JvAQCAYrbl5ZcrLrgg6+oKaRp7C0QmuAMARShkWejpmXnRRXVTp8beAgAAxa++snLGuef2tLVp7pQ4wR0AKDYhTUNPT+WFF9ZNnx57CwAAlIqmhQunnXVWV3295k4pE9wBgKIS0jTL5yvGjt1aXh57CwAAlJbWVaumnXlmR3W1+9wpWYI7AFA8Qppm3d0VY8bUV1bG3gIAAKWoo7p62plntqxYkYQQewtEILgDAEUipGna2Vk+enTDnDmxtwAAQOnqqq+fcc45DbNna+6UIMEdACgGIU3Tjo4Z553X+OqrsbcAAECpy7e0VIwdu+Xll2MPgYEmuAMAg15I0562tunnnrtt0aLYWwAAgCRJkrSzc9Zll1X98pexh8CAEtwBgMEtpGm+uXn6yJHNS5bE3gIAALwmpOn8G25Y/f3vJ0niehlKhOAOAAxiIU27GxqmnXVWy8qVsbcAAABvFLJsyV13Lb377iSXC5o7JUBwBwAGq5BlnbW10846q23t2thbAACAPyGEVd/73qs33JCEELIs9hroX4I7ADAohSzrqK6eftZZ7VVVsbcAAABvoernP5916aUhTUOaxt4C/UhwBwAGn5BlbevXTz/77I5Nm2JvAQAAdsqWl14qHz067ejQ3CligjsAMMiEEFpWrJg+cmTnli2xtwAAALugYfbsaWed1d3Q4G4ZipXgDgAMKiFsW7hwxnnndTc0xJ4CAADsspYVK6aefnrb+vWaO0VJcAcABo8Q6mfPLh89Or9tW+wpAADAburYtGnamWc2vfpqEkLsLdDHBHcAYNComzatcty4nra22EMAAIA9km9qKj///M0vvRR7CPQxwR0AGBw2Pf/8zAkT0o6O2EMAAIA+kHZ2zr788vU//WnsIdCXBHcAYBDY+OSTc666Kuvujj0EAADoMyFNF9xyy7L770+SJLhehqIguAMAhW7dj3/86uc/H9I09hAAAKCvhbDygQdeveGGJASPUaUICO4AQEFb9dBDC7/0Ja+8AQCgiFX9/Oczx4/Puruds2GwE9wBgIIUQpIky+69d+k99yQ+WwoAAMWudvLkGeeck29u1twZ1AR3AKDg9J5nX3jrrSu/853YWwAAgAHStHDh1NNP76iu9glXBi/BHQAoLCHLkhDmTpy47ic/ib0FAAAYUO1VVVNHjGhasMDnXBmkBHcAoICENA1pOuuSS6qffjr2FgAAIILuxsbyUaM2/+53sYfA7hDcAYBCEdI06+6uGDNmy+9/H3sLAAAQTdrZOfvKK9c++miSJI66M7gI7gBAQQhpmm9unj5yZP3MmbG3AAAAkYU0XXT77YvvuCNJksSV7gwegjsAEF/Iss66umlnnrltyZLYWwAAgMIQwpqHH5591VVZmoY0jb0GdorgDgBEFrKsbe3aaSNGtK1bF3sLAABQWDY9+2z5eef1tLVp7gwKgjsAEFUI2xYunDZyZOeWLbGnAAAAhahh7typp5/esWlTcLcMBU9wBwBiqps6dcbo0fmmpthDAACAwtW2bt3U009vmj8/9hB4C4I7ABBN9a9+NfPii9P29thDAACAQtfd0DBj1KiaZ56JPQT+HMEdAIhjzSOPzLv++qynJ/YQAABgcMi6uuZee+3K73wnSZIkhNhz4E0I7gDAwAohSZKlX/va4jvucAMjAACwS0KWLbv33vn/+Z8hBG8oKECCOwAwcEKWhRDm33jjqu9+14EUAABg92x44onKceOyzs6QprG3wB8R3AGAARLSNPT0zLrkkg3/8z+xtwAAAINb3bRpU0eM6Kyrc86dgiK4AwADIaRpT3v7jPPO2/Lyy7G3AAAAxaBl5cqpp522bdEiH5+lcAjuAEC/C1nWWVc37YwzGufNi70FAAAoHl1bt84499xNzz8fewhsJ7gDAP0shNZVq6aNGNG6enXsKQAAQLFJOzvnXHXVqoceSpIkOOpObII7ANC/tlZUTB85snPLlthDAACA4hSybOk997x6ww1JlnmMKnEJ7gBAP9r41FOV48blW1piDwEAAIpc1c9/Xn7++T3t7Zo7EQnuAEA/CCFJkpXf+c6866/P8vnYawAAgJJQX1k59T/+o6O6OmRZ7C2UKMEdAOhjvS9tF95667J7701coQgAAAygtnXrppx+esOsWbGHUKIEdwCgL4U0Dfn8rEsvXfeTn8TeAgAAlKJ8U1PFmDEbHn88SRJngBhggjsA0GdCmuabm6efffbmF1+MvQUAAChdWU/P/JtvXvzVryZ/+AwuDAzBHQDoIyG0V1VNPf30poULY08BAABKXghrHnlk5sUXZ93dHqPKgBHcAYC+UT979tQRI9qrqmIPAQAA2G7L738/bcSIzro659wZGII7ANAHqn/1q4oxY/LbtsUeAgAA8Eealy+f+pnPNL36auwhlATBHQDYfSGEJElWfOtbc6+7Luvujj0HAADgTXTV188YNarqF79IEo9RpX8J7gDAbgpZlmTZvOuvX/7Nb3rNCgAAFLKsu/vVG25Yctddiceo0p8EdwBgd4Q0Tdvby88/f+OTT8beAgAAsBNCWD1p0swJE7KuLo9RpZ8I7gDALgtZ1rl589QRI+orK2NvAQAA2AVbXn556umnd27e7Jw7/UFwBwB2WeO8eVNOO6119erYQwAAAHZZy8qVUz7zmYZZs2IPoQgJ7vD/27vzILnrOuHjvw64lseq+3jts9aqeKCu1m7t7h9a5a4HUhDJIQQ5oyAbXBA0EURdH0SwVldglUsQBRRdQFgXUc64iEkmJ5OQCSH3QTJhMvd0T3fP1d2/7t/3+aOTyBEwhCS/7pnXq6a6mklIffJP0v3Otz9fAF6cnb/5zbLPfKYyOJj2IAAAAPupks8/esYZ7bffHkWuUeVAEtwBgH1S/7jlxquuWvXVryaVStrjAAAAvCRJtbrm0kvXfOtbIUmsdOdAEdwBgD8t1GqhVls5e/aWG25w+gMAABg32u+4Y9lnP1sdGbHSnQNCcAcA/oSQJJXBwSUnndT14INpzwIAAHCAZVtbF06fPvzkk04X8dIJ7gDACwqhuGHDwunT82vWpD0KAADAQTHa0bF4xozuhx9OexCanuAOALyQroceWnLKKaXe3rQHAQAAOIiqo6Mrv/jFTddcE+2+wgr2g+AOAOxF/fXlpmuuWTlnTm1sLO1xAAAADrqQJJt/+MMV556bVCquUWX/CO4AwLOFWi2pVFZ84Qubf/hDSwwBAIAJpef3v190/PFj3d3eDbEfBHcA4BlCkpT6+xefeGKP9YUAAMCENLRly8JPfap/6dK0B6H5CO4AwDMMtrUtnDatuHFj2oMAAACkJs7nW88668mbb46sdOfFENwBgCiKovqHJXf88pfLPvOZSi6X9jQAAAApC7Xa+ssvb/vyl0O1aqU7+0hwBwCiUKuFJFl98cVPXHJJEsdpjwMAANAoOu+/f9GJJ5b6+51zZ18I7gAw0YUkiYvFpaed9tRdd6U9CwAAQMMprl+/cOrU3PLlaQ9CExDcAWCiK27Y0DJ1am7lyrQHAQAAaFCVwcFlZ5zx5C23RFa684IEdwCYqEKIoqjjnnuWnHxyqacn7WkAAAAaWqjV1n/ve1a688IEdwCYiOpL29dcdtnjX/tarVRKexwAAIDm0Hn//YtmzCj19oYQ0p6FRiS4A8CEs2tp+8yZ7bfdFnmNCAAA8GIUN2xomTZtYPHitAehEQnuADDhFNata5k6NbdiRdqDAAAANKU4n2+dNWvLDTdEVrrzTII7AEwU9Q88tt9xh6XtAAAAL1Go1TZeddWKc85JymUr3dlDcAeACSHUaqFaffyrX13zrW8llUra4wAAAIwHPY88snD69JEdO6zrpE5wB4DxLyRJqbd30YwZHffck/YsAAAA48rwtm2Ljj++66GHoiiS3RHcAWD861+0qGXq1OL69WkPAgAAMA5VR0ZWzpmz7rvfDSFYLzPBCe4AMG6FWi0KYeMPfrD87LPjQiHtcQAAAMavELb97GfLZs6Mi0XXqE5kgjsAjE8hSapDQ8vOOGPLj37k1R4AAMAhkF2+vGXKlPzjj6c9CKkR3AFgfMqvXr3guOMGli5NexAAAIAJpNTbu/S007b97GdRFDn8NAEJ7gAwrtRfz2376U+Xnnpqqbc37XEAAAAmnKRaXffd76780peSSsVK94lGcAeA8SPUarXR0RXnnLPuP/4jqVbTHgcAAGDi6nrooYXTpo20t0chpD0Lh47gDgDjR3HjxpapU3seeSTtQQAAAIiGt21bePzxO++9N4oi2X2CENwBoOnV18i033bb4k9/erSjI+1xAAAA2KU2OrrqooueuPjipFq1XmYiENwBoLmFWq02NvbY+eevueyypFJJexwAAACeKYQdd921+MQTS729zrmPe4I7ADS34oYNLVOmdP/ud2kPAgAAwPMqrFvXMmXKrhWgsvv4JbgDQFOqr5HZduut1sgAAAA0hbhYXPGFL6z/3vdCCNbLjFeCOwA0n5Ak1ZGRFeecs+4730niOO1xAAAA2DchPHnLLUtPOaWczdbPUTHOCO4A0HxyK1cumDx510cRAQAAaCq5traW447rX7w4iqyXGW8EdwBoGqFWi0LYdPXVy2bOLPX0pD0OAAAA+6kyOLh81qyN3/9+VH+vx3ghuANAkwihPDCw5NRTN19/vVdjAAAAzS4kyZYbb1xy2mmVXM56mXFDcAeARhdCiKKoa+7cBZ/8ZO6xx9IeBwAAgAMmt2LFgk9+0nqZcUNwB4CGFmq1pFx+/OtfXzl7dlwopD0OAAAAB1h9vcyGK64IIfhAc7MT3AGgoRU3bmyZMqXj7ruddAAAABivQpJsvemmpaecUh4Y8O6vqQnuANCI6vejbv3JTxafeOJIe3va4wAAAHDQ5draFhx3XM/vfx9F1ss0K8EdABpPCOWBgaUzZ2648sokjtOeBgAAgEMkzudXnHfemksvTapV62WakeAOAI0kSaIo6rz//gWTJ2dbW9OeBgAAgEMuhPbbb180Y8bozp3OuTcdwR0AGkVIkurYWNsFF7RdcEFcLKY9DgAAAKkprl+/cOrUp+6+O4p2nc2iKQjuANAAQoiiKNvauuDYYzvvuy/taQAAAEhfdXR09b/9W9ucObVSKWjuTUJwB4CUhVotqVbX/fu/P3rGGWPd3WmPAwAAQAPpfOCBBccdV1izJu1B2CeCOwCkrLh5c8vUqdt+/nMHFgAAAHiu0Y6OJSefvOVHP4pCcJNqgxPcASAdoVYLtdqma69dfPzxw1u3pj0OAAAAjSupVjf+4AdLZ86s5HJuUm1kgjsApGOkvX3RCSdsvu66pFpNexYAAACaQLa1df7kyd0PPxxFUZDdG5LgDgCHVKjVohC2/vjHLVOnFtatS3scAAAAmkmczz92/vlPXHxxiGPrZRqQ4A4Ah9RoR8fik07a8J//mVQqac8CAABAEwphx113tUyZUty0Ke1ReDbBHQAOhfrB9idvvrllypTB10g8DwAAFllJREFUVavSHgcAAIDmNrxt2+IZM7bceKObVBuK4A4Ah0L9YPv6yy+vlUppzwIAAMB4kMTxxu9/f+npp5cHBtyk2iAEdwA4iHZtbL/pJgfbAQAAOBiyy5cvmDy58777oigKSZL2OBOd4A4AB9Hwtm2LTjhhwxVXONgOAADAQRIXi20XXrhy9uza6Kjmni7BHQAOvFCrhVpt07XXLpw2Lb9mTdrjAAAAMP51Pfjg/GOOGVi2LIoiG2bSIrgDwAEVQhRFxQ0bFk6btvm665I4TnsgAAAAJopSb2/r5z639tvfTuLYTaqpENwB4IAJSZJUKuu+851FM2YUN21KexwAAAAmnJAk2//rv1qmTCmsX5/2LBOR4A4AB0KSRFE0sHTp/GOO2Xbrrc4RAAAAkKLhbdsWn3jipquvDkniLeqhJLgDwEsWQjw0tOqiix793OdGd+5MexoAAACIQq22+frrF51wwsiOHWnPMoEI7gCw/+rHBDruuWfeJz6x8ze/cSkNAAAADaWwdm3L1KlP3nxzFIKj7oeA4A4A+290586lp5/++Ne+VhkcTHsWAAAA2IukXF5/+eVLTjllrKsr7VnGP8EdAF60kCShWt183XULJk/OtramPQ4AAAD8CbmVKxccd1z7bbdFuz+uzcEguAPAixDql6MuWzb/2GM3XXttUqmkPREAAADsk9ro6JrLLls2c2apr89O1INEcAeAfRZCnM+3zZnz6JlnjrS3pz0NAAAAvGgDjz664Jhj2u+4I3LU/SAQ3AHgTwu1WhTC9ttum3fUUZ0PPOAgAAAAAM2rOjq65tJLHXU/GAR3AHgh9R0y+TVrWqZPX/vtb8dDQ2lPBAAAAAdA/aj7dlvdDyjBHQCeXwjVoaHHv/71JSedVFy/Pu1pAAAA4ECqjo6u/fa3l5x66lhnZ9qzjBOCOwDsRX2HTPvtt//hqKM67r67fs4dAAAAxp/cihULPvnJrTfdFIXgqPtLJLgDwDPU2/rg44+3TJu25rLL4nw+7YkAAADg4KqVShuuuGLRjBnDTz4ZRZHF7vtNcAeAZ6jkcm1f/vKSU04pbtiQ9iwAAABw6OSfeGLhtGkbr7oq1GqOuu8fwR0AoiiKQpIkcbzlhhvmffzjnfff7x/zAQAAmICSanXLDTcsmDIl/8QTURQF745fJMEdgImu/o/23f/7v/OPPnrjVVdVR0fTnggAAADSNLx165KTT15z2WVJqeRWsxdFcAdg4qq/aBjasmXp6aev/OIXR3fuTHsiAAAAaAghSdpvu23e0Uf3zZ8f7X4HzZ8kuAMwccX5/ONf//rC6dOzra1pzwIAAAANp9TTs/yccx774hfjfN7y1X0huAMw4YQkSSqVzT/84R8++tGOu+92DwwAAAA8rxC6586d94lP7Ljzzmj3Xlaej+AOwAQSarUohM5775131FGbrrnGunYAAADYF3Gx+MQllyw56aTh7dujKHLa/fkI7gBMCPV/gc+tWLFw+vRVF1001t2d9kQAAADQZHJtbQunTNlw5ZVJHNvqvleCOwDjXP0VwMiOHa2zZi39zGcK69enPREAAAA0q6Ra3fqTn8w/5pj+hQsjl6k+h+AOwPgVQhRFlWx29Te+sWDy5L4FC3zkDQAAAF660Y6O1rPPXvGFL5QHBtKepbEcnvYAAHBwhFAdGdl8/fXtt91WK5XSngYAAADGlxB6Hn54YPHiI2fPfsesWVEImcMOS3um9DnhDsC4E0JSqWy96aZHPvKRJ2++WW0HAACAg6Q6Orr+8stbpkwZbGuLbJhxwh2A8SQkSRTCjl/+csuPflTq60t7HAAAAJgQhjZvXnLaaW+ZPv0Dl1zyZ697XZTJpD1RagR3AMaDkCSZTGbnb3+7+brrRjs60h4HAAAAJpgQOu+9t2/evCPnzDnizDMn7IYZK2UAaG71T6t1z507f/Lkx7/6VbUdAAAA0hIPDa37zncWTps2YTfMOOEOQLMKtVrmsMN6//CHTddcU9y4Me1xAAAAgCiKouLGjUtOO+0tU6e+/5vffPkb3pD2OIeU4A5A86mn9v5FizZefXVh7dq0xwEAAACeKYTO++/vnTfv3eef/86zz44ymcykCbFtZUL8JgEYN0KtFkVRX0vLouOPb501S20HAACAhlUdGdlw5ZXzjz22f+HCaPeb+vHNCXcAmkNIksykSX0tLZuuvVZnBwAAgGYxsn1766xZb/roRz9w6aWvetvbohCiTCbtoQ4WwR2ARheSJJPJdP/ud1tuvLG4fn3a4wAAAAAvWl9Ly4Jjjz3izDOPnDPn8Fe8Yrw2dytlAGhcIUlCknTee+/8yZNXfulLajsAAAA0rySOn7zllnkf+9iOO++MQhiXG2YEdwAaTwhRCEkc77jzznlHHbXqoouGt25NeyYAAADgAChns09ccknLlCnZ1tZo3C12t1IGgAYSQshkMtWxse2/+MX2n/+8PDCQ9kQAAADAgVfctGnZGWe8+eMff/83v/mqt72tHgTSHuoAENwBaAj1O1Er2ey2n/50x513xkNDaU8EAAAAHEwh9M6b179w4VtPO+29F174sj//83Gw2F1wByBloVbLHHbYyLZtW3/yk87770/iOO2JAAAAgEMkqVbbb7ut8957333eee8466xo0qTMpCZehN7EowPQ7EKSRFGUW7Gi9V/+Zf7kyR333KO2AwAAwAQUF4vrL7983tFHdz30UNTMi90FdwAOuRDqd5Hv/O1vW6ZOXTpzZl9LSxRC2mMBAAAAaRrt6GibM2fRjBmDbW1Rc2Z3K2UAOHTqi9rjYrH99tvbb7+91NeX9kQAAABAY8mvXr3ktNP+8hOf+JtvfONVb397lCRR8yyZEdwBOBTqi9qLmzZtv/XWzgceSMrltCcCAAAAGlUIPY880jt//l9/+tPvvfDCl7/hDVEITXGlquAOwMEUQpTJhFqt+3e/2/7zn+dWrbI6BgAAANgXoVZ76r//u/O++44488x3n3fe4a98ZeM3d8EdgIOifqS91NfXfscdT/3qV+X+/rQnAgAAAJpPbWxs649//NRdd73r3HOP+NznMocfnmng7C64A3BA7T7APrB0afvtt/fOn9+MN5wAAAAADaWSz6+//PJtt9565OzZbz355CiKMg252F1wB+DAqB9prwwO7rjzzqf+539GOzrSnggAAAAYV0q9vU9cfPGTt9zy3gsu+KspU0KSNFp2F9wBeElCCJlMJgphYMmS9jvv7Js3L6lW0x4KAAAAGLdGtm9fOXv2lhtvfO+FF775qKPqRwDTHmoXwR2A/bRrS3tPz1N33dXx61+PdXenPREAAAAwURQ3bFj++c//xd///fsuuuj1H/pQg2R3wR2AF6f+F1hSqXTPndvx618PLFsWkiTtoQAAAICJaHDVqqUzZ77hQx9671e+8hf/8A+pZ3fBHYB9smctWq6trePuu7vnzq2OjKQ9FAAAAEA08Oiji08++Y3//M/v+8pXXvuBD6SY3QV3AF5QCFEURZnMSHv7zt/8pvO++0Z37kx7JgAAAIBnCqF/4cL+RYve/PGPv/fCC1/zvvelkt0FdwD2rn6kvdTf33nvvTvvvbe4ceOu+A4AAADQmELonTevd/78Nx911HsuuOC1hzy7C+4APEO9s1cGB7seeKDzgQcG29qsaAcAAACaSQi9f/hD77x5bz7qqPd8+cuv/Zu/OWTZXXAHIIp2d/a4UOieO7fzwQezra2hVkt7KAAAAID9tSe7f+xjR86e/bq//dtDkN0Fd4AJLIQQwq7z7A891D13bnb5cp0dAAAAGD9C6J0/v3fBgjd++MNHzp79f/7xHw9qdhfcASackCSZTCbKZMa6urrmzu35/e8HV63S2QEAAIBxK4T+xYv7Fy9+/Qc/+O7zz3/jhz98kLK74A4wUez5i6Swbl3vI490P/zw0JYt7kEFAAAAJo5sa2u2tfV1f/d37z7vvL88+uj6it0D+OsL7gDj2u6lMbVSqa+lpXfevL4FC8oDA2mPBQAAAJCa/OrVK8455zXvec+7zj33LdOm1ePJAfmVBXeAcWjPYfbhbdt6583ra2nJPfZYEsdpzwUAAADQKIqbNrVdcMHGq65617/+61+fdNKkww+PMpmX+GsK7gDjxJ7PQFWHh/sWLuxfsqR/4cKxrq605wIAAABoXKMdHU9ccsmm6657x1lnHfHZzx72yleGEDL7W94Fd4Amtuf60ySOB1etqt/+UVi71g2oAAAAAPuu3N+/4cort95441tPPfWdZ5/98je8Yf/WuwvuAE1mT2QPtVp+9eqBZcsGli7NrVqVlMtpjwYAAADQxOKhoSdvvnn7L37xlunT33Xuua8+4og9a3v3keAO0AT2/OGeVCq5lSuzra3Z5cvzTzxRGxtLezQAAACAcSWpVDruvnvnPfe86aMffefnP//6D35w30+7C+4AjSiEEO2+ILuczeaWL8+tXJlrayuuW5dUq2lPBwAAADDOhSTpnT+/d/78177//e+cNeuvpk7d1dxfcL274A7QKPYcYw/VamH9+lxbW37VqsHVq0d37oxCSHs6AAAAgImosG5d24UXrr/yyiPOOOPtM2ce/upXv8CBd8EdICUhhCTZVdiTZHjr1sHVqwtr1uTXri1u2JBUKmnPBwAAAMAupZ6eDVdeufn66//6hBPeMWvWq972tr2udxfcAQ6RUKtlJk2qf+woieOhTZvya9cW1q0rrl9f3LTJNnYAAACABlcbHW2/444dd975xo985B1nnfXGf/qnZ512F9wBDoqQJFEU7fkDt9TTU1i3rrhxY3HTpuLGjSPt7aFWS3VAAAAAAPZHSJK+BQv6Fix49bvedcQZZ7z105/OHH54/bS74A7wkj1tOUzdWE/P8ObNQ1u3Dm3ePLRly9CWLdWRkRQHBAAAAOCAG966dc23vrXx+9//h6uvftPHPhYJ7gAvznPaejw0NLJ9+/C2bSPt7SPbtw89+eRIe7v9MAAAAAATRFwsxoVC/bngDrA39bC+e+V6/TvlgYGRHTvqX6NPPTXy1FOjO3ZU8vlUBwUAAACgUQjuwAQWwq7rpPdU9SgKtVqpr2/0qafGurrqX6OdnaMdHWNdXUmlkuKwAAAAADQ4wR0Yz+oXkz7joHoURVFUHRkp9faOdXWV+vpKPT2lvr5Sd/dYT0+pu7syOFi/7xQAAAAAXhTBHWhOIdSz+HNjehRF1ZGRSjZbHhgo9ffXn5Sz2XJ/f6mvr9zfX+rvT8rlNIYGAAAAYDwT3IGGUW/oIUSZzNNvJX26WqkUFwqVXK6czVby+XhwsJzLVQYHK/XHfL6SzVZyuSSOD/HsAAAAACC4AwfNPgT0KIpqo6Px8HBcKMT5fKVQiIvFuFiM8/m4/rxQiAuFSv0/C4WkWj2UvwMAAAAA2HeCO7Bv9q2eJ3FcHR6uDg3FxWKlUKg/qQ4NxUND9efx074TF4vV4eH6mnUAAAAAaHaCO0xUu3egR5lMZtKkvf+UajWu1/NCYS/1/GlP9jza5QIAAADAhCW4wziy5xD6pEl7beghSarDw/U9LZXBwbhQiIeG4t1bXKr1XS71c+jFYlwsulkUAAAAAPad4A7NYPdp9MykSVEm8+wfrFbjYvEZF4fm8/Ud6JVC4Y9PCoXqyEgUQhq/AQAAAAAY/wR3SNuemP6cxeihVosLhXIuV+7v3xXT61+5XCWfrz/Gg4PVsTEZHQAAAABSJ7jDQZYkIUn2suMlhEqhUB4YKPf1lbPZcjZbefpjLlfJ5eLhYSUdAAAAAJqF4A4vVajVoueeTw+hks+X+vrKvb2lgYFy/au/v5LN1p9X8vn6/wgAAAAAjA+CO/xpe03qSRyXBwZKPT2l3t5SX1+5v3/XY39/fQOMng4AAAAAE4rgDlEURSFJohCedSVpqFbLAwNj3d1j3d2lvr5yX9+ux97eUl9fPDRk3wsAAAAAsIfgzgSy14PqcbFY6ukZ6+oq9fSM9faW+vp2HVrv6ank85I6AAAAALCPBHfGlxBCkkSZzNNvKA1JUh4YKHV37zqr3ttb6u4e6+2th/WkUklxXgAAAABg3BDcaUJ7req1Wqm/f6yra6yrq97W6z19rLu7PDBgnToAAAAAcLAJ7jSqvVb1arXU1zfW2TnW1TXW01Pq6Rnb3dYruVxIkhTnBQAAAAAmOMGdVD1fVe/vH9u5s17V6z19rLu71N1dGRxU1QEAAACAxiS4c/DtQ1WvX1u666y6qg4AAAAANCHBnQMkhFCrZQ47LMpk9nwvieNSb+9YZ+czbivt7h7r7q4MDkYhpDgvAAAAAMCBJbjzIoQkiULIHHbY079ZK5VKPT2jnZ2l3UvVSz09Yz09pe7uSqGgqgMAAAAAE4TgzjPtbf1LFEWVfL7U0zPW2Vnq7a1vgNnzpDo8nNawAAAAAACNQ3CfiEKtFkXRsw6qJ5VKqa+v1N29p6f/8auvL6lUUhoWAAAAAKA5CO7j0153v4QkqWSzf+zpfX2lnp49j3GxaP0LAAAAAMB+E9yb1V5PqYckqeRy9RXq5b6+Uv2rt7f+vDI4WP+/AAAAAAA44AT3RvU8u9STSqWczdaPqJf7+0v9/bvCen9/ube3MjgYkiStkQEAAAAAJjLBPSUhhFotmjTpWT09CqGSz5f7+0u9vaX+/nL9a2Cg1NdXfx4PD1v8AgAAAADQgAT3gyNJQpLspadHUVwslgcGSr295YGBP/b0gYH6f1ZyOVtfAAAAAACakeD+4tWXvTxnf3oURaFWqwwO1je9VLLZ8sBA+WmPlYGBcjarpwMAAAAAjEuC+zM9f0yPQoiLxXIuVz+TXslmy9lsOZut5HL1pF7JZuOhIfteAAAAAAAmpgkU3HcdLX/ONaT1H4oLhXI2W+7vrwwO1jN6JZcr53KVXK6SzZZzubhQcDgdAAAAAIDn0/zBfc+Z9EmTokzm2T+YJHGxGOfzuxr64OAfH/P5PVW9OjLiZDoAAAAAAC9Fowb3+qWj9dPoz8noURTVxsbiYnFXPR8crOTzcT5ff1IZHIzrMT2frw4P13M8AAAAAAAcVIcquIcQQojqDf2569HrPyVJqkNDcaFQyed3BfR8Pi4W40Kh/s149/fjYjGJ40M0OQAAAAAA7IP9Cu71LS4hvMAJ9PpPq46OxsVifalLXCzGQ0NxoRAXi9VisVIoVIeGdvX0YjEuFqujo/a6AAAAAADQpPY1uNdKpdroaDw8XC0W46Gh6tBQPDxcHR6uDg1Vh4d3fefpzwV0AAAAAAAmkj8G9w1XXFEdGamOjlaHh3e19ZGR6vBwbWSkOjoaarUUpwQAAAAAgAb3x+C+9aabUpwDAAAAAACa2qS0BwAAAAAAgPEgE3avWS+sW5fuKMB+m9/aeteDD179jW+88hWvSHsWAJre/7vqqve9852f/dSn0h4EaCyTXvayzGGH1UqltAehmTy2du3Nv/rVv8+Z86bXvz7tWQBoev/x4x+/7jWvOe/009MeZC9e+Za3vOx1r4uevlLmte9/f3rzAC9JZd26rTt2vOrII1/zmtekPQsATe+pvr7/e8QRXhwC8NIlXV1bd+x4+dvf/tq3vjXtWQBoel35fPXP/qzB36pYKQMAAAAAAAeA4A4AAAAAAAfA/weAGqkhlS8wfgAAAABJRU5ErkJggg==", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.89482373,"math_prob":0.9655037,"size":4173,"snap":"2023-40-2023-50","text_gpt3_token_len":909,"char_repetition_ratio":0.10626049,"word_repetition_ratio":0.0031496063,"special_character_ratio":0.20896238,"punctuation_ratio":0.11651728,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99036247,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-10-04T05:28:47Z\",\"WARC-Record-ID\":\"<urn:uuid:dc4aba52-3e1a-420d-adbc-45e6938d8485>\",\"Content-Length\":\"1049025\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:cb8036fd-edea-44f8-ae06-0b5bf7152eb1>\",\"WARC-Concurrent-To\":\"<urn:uuid:887f2050-8e2b-494d-a0ef-e47e86d05666>\",\"WARC-IP-Address\":\"104.198.14.52\",\"WARC-Target-URI\":\"https://werk.statt.codes/posts/2020-10-10-vienna-elections-2020-age-profile/\",\"WARC-Payload-Digest\":\"sha1:NWEU5GZVYTZPJKO2L43XYBL55PAYU3PZ\",\"WARC-Block-Digest\":\"sha1:KI2JZQCCPRTDVB5TNV3ZCN2XIYFNP6TZ\",\"WARC-Truncated\":\"length\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-40/CC-MAIN-2023-40_segments_1695233511361.38_warc_CC-MAIN-20231004052258-20231004082258-00475.warc.gz\"}"}
https://www.projecteuclid.org/euclid.aos/1473685266
[ "The Annals of Statistics\n\nEfficient estimation in semivarying coefficient models for longitudinal/clustered data\n\nAbstract\n\nIn semivarying coefficient modeling of longitudinal/clustered data, of primary interest is usually the parametric component which involves unknown constant coefficients. First, we study semiparametric efficiency bound for estimation of the constant coefficients in a general setup. It can be achieved by spline regression using the true within-subject covariance matrices, which are often unavailable in reality. Thus, we propose an estimator when the covariance matrices are unknown and depend only on the index variable. First, we estimate the covariance matrices using residuals obtained from a preliminary estimation based on working independence and both spline and local linear regression. Then, using the covariance matrix estimates, we employ spline regression again to obtain our final estimator. It achieves the semiparametric efficiency bound under normality assumption and has the smallest asymptotic covariance matrix among a class of estimators even when normality is violated. Our theoretical results hold either when the number of within-subject observations diverges or when it is uniformly bounded. In addition, using the local linear estimator of the nonparametric component is superior to using the spline estimator in terms of numerical performance. The proposed method is compared with the working independence estimator and some existing method via simulations and application to a real data example.\n\nArticle information\n\nSource\nAnn. Statist., Volume 44, Number 5 (2016), 1988-2017.\n\nDates\nRevised: September 2015\nFirst available in Project Euclid: 12 September 2016\n\nPermanent link to this document\nhttps://projecteuclid.org/euclid.aos/1473685266\n\nDigital Object Identifier\ndoi:10.1214/15-AOS1385\n\nMathematical Reviews number (MathSciNet)\nMR3546441\n\nZentralblatt MATH identifier\n1349.62128\n\nSubjects\nPrimary: 62G08: Nonparametric regression\n\nCitation\n\nCheng, Ming-Yen; Honda, Toshio; Li, Jialiang. Efficient estimation in semivarying coefficient models for longitudinal/clustered data. Ann. Statist. 44 (2016), no. 5, 1988--2017. doi:10.1214/15-AOS1385. https://projecteuclid.org/euclid.aos/1473685266\n\nSupplemental materials\n\n• Additional simulation results and technical material. Additional simulation results, proofs of the propositions and lemmas, and theory for the case of uniformly bounded cluster size and general link function." ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.74061924,"math_prob":0.78499925,"size":2902,"snap":"2019-43-2019-47","text_gpt3_token_len":647,"char_repetition_ratio":0.109040715,"word_repetition_ratio":0.032432433,"special_character_ratio":0.21192281,"punctuation_ratio":0.14705883,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.98017514,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-10-22T05:20:09Z\",\"WARC-Record-ID\":\"<urn:uuid:3b555359-c3e6-4767-9ab8-80c55a6a4cda>\",\"Content-Length\":\"45600\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:fe34d1e7-7c02-400e-aa53-02c2a852abe6>\",\"WARC-Concurrent-To\":\"<urn:uuid:9c476bc2-1c5e-4c6f-856d-dbf60738af98>\",\"WARC-IP-Address\":\"132.236.27.47\",\"WARC-Target-URI\":\"https://www.projecteuclid.org/euclid.aos/1473685266\",\"WARC-Payload-Digest\":\"sha1:IESEVMN7AKKKML6ZRZRKME4QVAD3TBNR\",\"WARC-Block-Digest\":\"sha1:CS2N2GXHLXPKDJXI5EYLOHWD4FJYG6BK\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-43/CC-MAIN-2019-43_segments_1570987798619.84_warc_CC-MAIN-20191022030805-20191022054305-00127.warc.gz\"}"}
https://math.stackexchange.com/questions/2750601/projective-objects-in-a-presheaf-topos-is-a-retract-of-representables
[ "# Projective objects in a presheaf topos is a retract of representables\n\nAn object $P$ in a category is projective if the Hom-set $Hom(P,-)$ preserves epi. Considering the presheaf topos $\\hat{C}=\\mathbf{Sets}^{C^{op}}$, how can I show that an object in this category is projective then the object is a retract of a coproduct of representables?\n\nI know that a representable is projective and the coproduct of representables is projective. I also think of that a presheaf is a colimit of representables. But I'm not sure how to relate these two to solve the question.\n\n• This isn't true for this sense of \"projective\"-the coproduct of representables has no reason to be a retract of a representable in general. The sense of \"projective\" which is relevant here is \"small-projective\": an object $x$ such that maps out of $x$ commute with arbitrary small colimits. – Kevin Carlson Apr 23 '18 at 20:16\n• @KevinCarlson Sorry that should be a retract of a coproduct of representables. And this is exercise IV.15(d) from MacLane and Moerdijk. Sheaves in geometry and logic: A first introduction to topos theory. – user301513 Apr 23 '18 at 20:37\n\nIn a category with the relevant coproducts, every colimit can be written as the coequalizer of a coproduct. In particular, every presheaf $P$ has the form of a coequalizer\n$$\\coprod_i U_i \\rightrightarrows \\coprod_j V_j \\xrightarrow{\\rho} P$$\nwhere the $U_i$ and $V_j$ are represenetables.\nCoequalizers are epic, so we can apply the given property of $P$:\n$$\\hom\\left(P, \\coprod_j V_j \\right) \\xrightarrow{\\rho_*} \\hom(P, P)$$\nis surjective. In particular, there is a map $\\lambda : P \\to \\coprod_j V_j$ such that $\\rho \\circ \\lambda = 1_P$." ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.91371816,"math_prob":0.9660171,"size":492,"snap":"2019-26-2019-30","text_gpt3_token_len":129,"char_repetition_ratio":0.15163934,"word_repetition_ratio":0.0,"special_character_ratio":0.22560975,"punctuation_ratio":0.07368421,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9971831,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-07-22T04:28:43Z\",\"WARC-Record-ID\":\"<urn:uuid:374a15b7-7c94-40f5-997f-960cc7a49737>\",\"Content-Length\":\"139139\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:dc9f5654-bb7a-4667-bfa9-6be692d571b1>\",\"WARC-Concurrent-To\":\"<urn:uuid:38bfb8c7-8188-4a99-9b6b-f877823dfd1b>\",\"WARC-IP-Address\":\"151.101.129.69\",\"WARC-Target-URI\":\"https://math.stackexchange.com/questions/2750601/projective-objects-in-a-presheaf-topos-is-a-retract-of-representables\",\"WARC-Payload-Digest\":\"sha1:4G7PONABTRUM3E6I74L52UEQQCN2WQ4B\",\"WARC-Block-Digest\":\"sha1:KLMLGRMCDT7IGWCHRJG3E47FYNHJNLRY\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-30/CC-MAIN-2019-30_segments_1563195527474.85_warc_CC-MAIN-20190722030952-20190722052952-00045.warc.gz\"}"}
https://www.lmfdb.org/ModularForm/GL2/Q/holomorphic/245/6/
[ "## Defining parameters\n\n Level: $$N$$ = $$245 = 5 \\cdot 7^{2}$$ Weight: $$k$$ = $$6$$ Nonzero newspaces: $$12$$ Sturm bound: $$28224$$ Trace bound: $$2$$\n\n## Dimensions\n\nThe following table gives the dimensions of various subspaces of $$M_{6}(\\Gamma_1(245))$$.\n\nTotal New Old\nModular forms 12000 10489 1511\nCusp forms 11520 10199 1321\nEisenstein series 480 290 190\n\n## Trace form\n\n $$10199 q - 28 q^{2} - 70 q^{3} + 174 q^{4} - 176 q^{5} - 710 q^{6} - 268 q^{7} - 858 q^{8} + 3013 q^{9} + O(q^{10})$$ $$10199 q - 28 q^{2} - 70 q^{3} + 174 q^{4} - 176 q^{5} - 710 q^{6} - 268 q^{7} - 858 q^{8} + 3013 q^{9} + 2655 q^{10} + 1094 q^{11} - 9146 q^{12} - 9084 q^{13} - 3516 q^{14} + 2975 q^{15} + 12454 q^{16} + 8000 q^{17} + 14708 q^{18} - 11414 q^{19} - 9067 q^{20} - 2370 q^{21} + 394 q^{22} + 18654 q^{23} + 37494 q^{24} + 12652 q^{25} + 590 q^{26} - 44818 q^{27} - 46420 q^{28} - 67292 q^{29} - 92747 q^{30} - 24030 q^{31} + 96586 q^{32} + 200158 q^{33} + 268770 q^{34} + 69663 q^{35} + 339782 q^{36} + 116036 q^{37} - 143578 q^{38} - 316744 q^{39} - 451999 q^{40} - 334652 q^{41} - 446754 q^{42} - 232230 q^{43} - 187058 q^{44} + 138583 q^{45} + 564626 q^{46} + 504194 q^{47} + 1068496 q^{48} + 403016 q^{49} + 263258 q^{50} + 326770 q^{51} + 252758 q^{52} + 13136 q^{53} - 638330 q^{54} - 72862 q^{55} - 809688 q^{56} - 500530 q^{57} - 1022350 q^{58} - 674602 q^{59} - 1190735 q^{60} - 393742 q^{61} - 165018 q^{62} + 577860 q^{63} + 457414 q^{64} + 311143 q^{65} + 1333034 q^{66} + 507818 q^{67} + 664678 q^{68} + 524622 q^{69} + 713835 q^{70} + 615358 q^{71} + 1456122 q^{72} + 904920 q^{73} + 739618 q^{74} - 120811 q^{75} - 654134 q^{76} - 195930 q^{77} - 1689902 q^{78} - 1065522 q^{79} - 715408 q^{80} - 175487 q^{81} - 894184 q^{82} - 1353582 q^{83} - 3003156 q^{84} - 109119 q^{85} - 1127212 q^{86} - 1146274 q^{87} - 2060820 q^{88} - 712596 q^{89} - 1418212 q^{90} - 237746 q^{91} - 1458960 q^{92} + 393318 q^{93} + 601788 q^{94} + 389605 q^{95} + 5427332 q^{96} + 2631178 q^{97} + 5712912 q^{98} + 2785820 q^{99} + O(q^{100})$$\n\n## Decomposition of $$S_{6}^{\\mathrm{new}}(\\Gamma_1(245))$$\n\nWe only show spaces with even parity, since no modular forms exist when this condition is not satisfied. Within each space $$S_k^{\\mathrm{new}}(N, \\chi)$$ we list the newforms together with their dimension.\n\nLabel $$\\chi$$ Newforms Dimension $$\\chi$$ degree\n245.6.a $$\\chi_{245}(1, \\cdot)$$ 245.6.a.a 1 1\n245.6.a.b 1\n245.6.a.c 2\n245.6.a.d 3\n245.6.a.e 4\n245.6.a.f 5\n245.6.a.g 5\n245.6.a.h 6\n245.6.a.i 6\n245.6.a.j 8\n245.6.a.k 8\n245.6.a.l 10\n245.6.a.m 10\n245.6.b $$\\chi_{245}(99, \\cdot)$$ 245.6.b.a 2 1\n245.6.b.b 2\n245.6.b.c 12\n245.6.b.d 14\n245.6.b.e 18\n245.6.b.f 18\n245.6.b.g 32\n245.6.e $$\\chi_{245}(116, \\cdot)$$ n/a 132 2\n245.6.f $$\\chi_{245}(48, \\cdot)$$ n/a 192 2\n245.6.j $$\\chi_{245}(79, \\cdot)$$ n/a 192 2\n245.6.k $$\\chi_{245}(36, \\cdot)$$ n/a 552 6\n245.6.l $$\\chi_{245}(68, \\cdot)$$ n/a 384 4\n245.6.p $$\\chi_{245}(29, \\cdot)$$ n/a 828 6\n245.6.q $$\\chi_{245}(11, \\cdot)$$ n/a 1128 12\n245.6.s $$\\chi_{245}(13, \\cdot)$$ n/a 1656 12\n245.6.t $$\\chi_{245}(4, \\cdot)$$ n/a 1656 12\n245.6.x $$\\chi_{245}(3, \\cdot)$$ n/a 3312 24\n\n\"n/a\" means that newforms for that character have not been added to the database yet\n\n## Decomposition of $$S_{6}^{\\mathrm{old}}(\\Gamma_1(245))$$ into lower level spaces\n\n$$S_{6}^{\\mathrm{old}}(\\Gamma_1(245)) \\cong$$ $$S_{6}^{\\mathrm{new}}(\\Gamma_1(5))$$$$^{\\oplus 3}$$$$\\oplus$$$$S_{6}^{\\mathrm{new}}(\\Gamma_1(7))$$$$^{\\oplus 4}$$$$\\oplus$$$$S_{6}^{\\mathrm{new}}(\\Gamma_1(35))$$$$^{\\oplus 2}$$$$\\oplus$$$$S_{6}^{\\mathrm{new}}(\\Gamma_1(49))$$$$^{\\oplus 2}$$" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.50245786,"math_prob":1.000008,"size":2040,"snap":"2021-43-2021-49","text_gpt3_token_len":893,"char_repetition_ratio":0.2308448,"word_repetition_ratio":0.0,"special_character_ratio":0.6039216,"punctuation_ratio":0.20948617,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9999658,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-12-06T12:42:56Z\",\"WARC-Record-ID\":\"<urn:uuid:463e8482-32ca-45ad-a7d0-564021b57335>\",\"Content-Length\":\"144687\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:27e85fda-4caa-43b5-8b77-614d69f0727c>\",\"WARC-Concurrent-To\":\"<urn:uuid:1ebef472-2871-4a5d-b7a0-19e9af27ffb8>\",\"WARC-IP-Address\":\"35.241.19.59\",\"WARC-Target-URI\":\"https://www.lmfdb.org/ModularForm/GL2/Q/holomorphic/245/6/\",\"WARC-Payload-Digest\":\"sha1:JUPYABDVR7Q3NZRMRVMWBUIQXBGEOVDB\",\"WARC-Block-Digest\":\"sha1:JOD7KCSYIPGYYDKFYIDYGXO4OIGVTOC3\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-49/CC-MAIN-2021-49_segments_1637964363292.82_warc_CC-MAIN-20211206103243-20211206133243-00522.warc.gz\"}"}
https://homework.zookal.com/questions-and-answers/here-is-the-code-to-complete-import-javautilscanner-fixme1-add-505520797
[ "1. Engineering\n2. Computer Science\n3. here is the code to complete import javautilscanner fixme1 add...\n\n# Question: here is the code to complete import javautilscanner fixme1 add...\n\n###### Question details", null, "Here is the code to complete:\n\nimport java.util.Scanner;\n//Fixme(1) add a statement to import the Random class\n\npublic class RandomTest {\npublic static void main(String[] args) {\nScanner scnr = new Scanner(System.in);\n\nSystem.out.println(\"Enter the seed: \");\nint seed = scnr.nextInt();\n\n//Fixme(2) create a Random object with the user entered seed\n\n//Fixme(3) Generate and print out a random integer in the range of 0 to 100.\n\n//Fixme(4) Generate and print out a random integer in the range of -50 to 50.\n\n//Fixme(5) Generate and print out a random decimal number in the range of 0 to 1.0.\n\n//Fixme(6) Generate and print out a random decimal number in the range of 0 to 100.0.\n}\n}\n\n###### Solution by an expert tutor", null, "" ]
[ null, "https://homework-api-assets-production.s3.ap-southeast-2.amazonaws.com/uploads/store/505520797/1601595111502e331d678d8b54ddee4c37b14b74e8.png", null, "https://homework.zookal.com/images/blurredbg-mobile.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.6170768,"math_prob":0.87594455,"size":765,"snap":"2021-04-2021-17","text_gpt3_token_len":205,"char_repetition_ratio":0.14191853,"word_repetition_ratio":0.29268292,"special_character_ratio":0.27973858,"punctuation_ratio":0.13836478,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.976324,"pos_list":[0,1,2,3,4],"im_url_duplicate_count":[null,1,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-04-22T18:25:43Z\",\"WARC-Record-ID\":\"<urn:uuid:84276265-bf5d-4449-bdcc-ac4962db46a1>\",\"Content-Length\":\"122367\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:847e9b95-b654-449e-b4f9-29bb1c071438>\",\"WARC-Concurrent-To\":\"<urn:uuid:8c7f0db7-30f4-4da8-9785-b65d92ec5827>\",\"WARC-IP-Address\":\"13.210.106.0\",\"WARC-Target-URI\":\"https://homework.zookal.com/questions-and-answers/here-is-the-code-to-complete-import-javautilscanner-fixme1-add-505520797\",\"WARC-Payload-Digest\":\"sha1:BQC6723NWNKBVSX4BXNWCQX3KJETI4GW\",\"WARC-Block-Digest\":\"sha1:DAGPMXYU2OKOQ3PL57TAF22SLHOJWFZZ\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-17/CC-MAIN-2021-17_segments_1618039594341.91_warc_CC-MAIN-20210422160833-20210422190833-00356.warc.gz\"}"}
https://lbs-to-kg.appspot.com/33.6-lbs-to-kg.html
[ "Pounds To Kg\n\n# 33.6 lbs to kg33.6 Pounds to Kilograms\n\nlbs\n=\nkg\n\n## How to convert 33.6 pounds to kilograms?\n\n 33.6 lbs * 0.45359237 kg = 15.240703632 kg 1 lbs\nA common question is How many pound in 33.6 kilogram? And the answer is 74.0753200941 lbs in 33.6 kg. Likewise the question how many kilogram in 33.6 pound has the answer of 15.240703632 kg in 33.6 lbs.\n\n## How much are 33.6 pounds in kilograms?\n\n33.6 pounds equal 15.240703632 kilograms (33.6lbs = 15.240703632kg). Converting 33.6 lb to kg is easy. Simply use our calculator above, or apply the formula to change the length 33.6 lbs to kg.\n\n## Convert 33.6 lbs to common mass\n\nUnitMass\nMicrogram15240703632.0 µg\nMilligram15240703.632 mg\nGram15240.703632 g\nOunce537.6 oz\nPound33.6 lbs\nKilogram15.240703632 kg\nStone2.4 st\nUS ton0.0168 ton\nTonne0.0152407036 t\nImperial ton0.015 Long tons\n\n## What is 33.6 pounds in kg?\n\nTo convert 33.6 lbs to kg multiply the mass in pounds by 0.45359237. The 33.6 lbs in kg formula is [kg] = 33.6 * 0.45359237. Thus, for 33.6 pounds in kilogram we get 15.240703632 kg.\n\n## 33.6 Pound Conversion Table", null, "## Alternative spelling\n\n33.6 lbs to kg, 33.6 lbs in kg, 33.6 lb to Kilogram, 33.6 lb in Kilogram, 33.6 Pounds to Kilograms, 33.6 Pounds in Kilograms, 33.6 Pounds to Kilogram, 33.6 Pounds in Kilogram, 33.6 lb to kg, 33.6 lb in kg, 33.6 lb to Kilograms, 33.6 lb in Kilograms, 33.6 lbs to Kilograms, 33.6 lbs in Kilograms, 33.6 lbs to Kilogram, 33.6 lbs in Kilogram, 33.6 Pound to Kilograms, 33.6 Pound in Kilograms" ]
[ null, "https://lbs-to-kg.appspot.com/image/33.6.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.8043011,"math_prob":0.9782608,"size":1149,"snap":"2022-27-2022-33","text_gpt3_token_len":416,"char_repetition_ratio":0.279476,"word_repetition_ratio":0.019607844,"special_character_ratio":0.4273281,"punctuation_ratio":0.23125,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9578571,"pos_list":[0,1,2],"im_url_duplicate_count":[null,2,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-08-11T09:28:55Z\",\"WARC-Record-ID\":\"<urn:uuid:901cc734-a667-4d83-a82d-ddd597b1dfec>\",\"Content-Length\":\"28406\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:41e7fd00-e4e3-42ca-8f7e-e57cd0f3c2f1>\",\"WARC-Concurrent-To\":\"<urn:uuid:3646832c-562c-4491-a1ef-4efbe0d59aff>\",\"WARC-IP-Address\":\"142.250.81.212\",\"WARC-Target-URI\":\"https://lbs-to-kg.appspot.com/33.6-lbs-to-kg.html\",\"WARC-Payload-Digest\":\"sha1:2TI4NULH4L52H4EOTPP4A3IWLXOFPY2Q\",\"WARC-Block-Digest\":\"sha1:F3WSXWFO7D2C6QU4XVW2O2EWL6WJEPPQ\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-33/CC-MAIN-2022-33_segments_1659882571246.56_warc_CC-MAIN-20220811073058-20220811103058-00647.warc.gz\"}"}
http://allaboutasp.net/2012/11/write-a-program-for-selection-sort/
[ "Selection sort is a sorting algorithm, specifically an in-place comparison sort. It has O(n2) time complexity, making it inefficient on large lists, and generally performs worse than the similar insertion sort. Selection sort is noted for its simplicity, and it has performance advantages over more complicated algorithms in certain situations, particularly where auxiliary memory is limited.\n\nThe algorithm divides the input list into two parts: the sublist of items already sorted, which is built up from left to right at the front (left) of the list, and the sublist of items remaining to be sorted that occupy the rest of the list. Initially, the sorted sublist is empty and the unsorted sublist is the entire input list. The algorithm proceeds by finding the smallest (or largest, depending on sorting order) element in the unsorted sublist, exchanging it with the leftmost unsorted element (putting it in sorted order), and moving the sublist boundaries one element to the right\n\nCode\n\npublic static int[] SelectionSort(int[] input)\n{\nStreamWriter sw = new StreamWriter(@\"Sorting.txt\", true);\nsw.WriteLine(\"\\n\\t\\t Selecton Sorting \\n\");\nsw.WriteLine(System.DateTime.Now + \"\\t input Array \\t Total Element \\t\"\n+ input.Length); sw.WriteLine(string.Join(\",\", input)); int i, j; i = j = 0; int temp = 0; int iMin = 0; for (i = 0; i < input.Length; i++) { for (j = i + 1; j < input.Length; j++) { if (input[j] < input[iMin]) { iMin = j; } } if (iMin != i && iMin < input.Length) { temp = input[iMin]; input[iMin] = input[i]; input[i] = temp; } } sw.WriteLine(System.DateTime.Now + \"\\t Sorted Array \\n\"\n+ string.Join(\",\", input)); sw.Close(); return input; }\nTest Case\n\nprivate static void SelectionSortTest() {\nList<int> input = new List<int>();\nRandom rnd = new Random(1);\nint maxnumber = 1200;\n\ninput.Clear();\nfor (int i = 1; i <= maxnumber; i++)\n{\n}\nSorting.SelectionSort(input.ToArray());\n\ninput.Clear();\nmaxnumber = 100000;\nfor (int i = 1; i <= maxnumber; i++)\n{" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.6417455,"math_prob":0.9806119,"size":2295,"snap":"2019-43-2019-47","text_gpt3_token_len":567,"char_repetition_ratio":0.13574858,"word_repetition_ratio":0.10557185,"special_character_ratio":0.28845316,"punctuation_ratio":0.22052401,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9939898,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-10-16T02:16:12Z\",\"WARC-Record-ID\":\"<urn:uuid:5ef0ee90-d03e-4238-b11b-969ccb38d5e5>\",\"Content-Length\":\"30830\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:f26fb5ea-0758-49a8-ad67-d4161f784ce6>\",\"WARC-Concurrent-To\":\"<urn:uuid:6ed02837-ea4d-417d-ad4d-2edd01b7ae6b>\",\"WARC-IP-Address\":\"50.62.26.129\",\"WARC-Target-URI\":\"http://allaboutasp.net/2012/11/write-a-program-for-selection-sort/\",\"WARC-Payload-Digest\":\"sha1:XUC7G3YPH7UQIB5LVEGTXWAUBQUJREO4\",\"WARC-Block-Digest\":\"sha1:TRLPGQ72LOUO73ZN5YL32GYAITH2JAI3\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-43/CC-MAIN-2019-43_segments_1570986661296.12_warc_CC-MAIN-20191016014439-20191016041939-00427.warc.gz\"}"}
https://github.com/parrt/dtreeviz
[ "Skip to content\n{{ message }}\n\n# parrt / dtreeviz\n\nA python library for decision tree visualization and model interpretation.\n\nSwitch branches/tags\nCould not load branches\nNothing to show\n\n## Latest commit\n\n* Display just a range of tree levels\n\n* Edit docs for depth_range_to_display parameter\nd116cc4\n\n## Files\n\nFailed to load latest commit information.\nType\nName\nCommit time\nSep 1, 2020\nJan 10, 2019\nApr 5, 2021\nAug 13, 2018\nApr 5, 2021\nApr 5, 2021\n\n# dtreeviz : Decision Tree Visualization\n\n## Description\n\nA python library for decision tree visualization and model interpretation. Currently supports scikit-learn, XGBoost, Spark MLlib, and LightGBM trees. With 1.3, we now provide one- and two-dimensional feature space illustrations for classifiers (any model that can answer predict_probab()); see below.\n\nAuthors:\n\nSee How to visualize decision trees for deeper discussion of our decision tree visualization library and the visual design decisions we made.\n\n### Feedback\n\nWe welcome info from users on how they use dtreeviz, what features they'd like, etc... via email (to parrt) or via an issue.\n\n## Quick start\n\nJump right into the examples using this Colab notebook\n\nTake a look in notebooks! Here we have a specific notebook for all supported ML libraries and more.\n\n## Discussion\n\nDecision trees are the fundamental building block of gradient boosting machines and Random Forests(tm), probably the two most popular machine learning models for structured data. Visualizing decision trees is a tremendous aid when learning how these models work and when interpreting models. Unfortunately, current visualization packages are rudimentary and not immediately helpful to the novice. For example, we couldn't find a library that visualizes how decision nodes split up the feature space. It is also uncommon for libraries to support visualizing a specific feature vector as it weaves down through a tree's decision nodes; we could only find one image showing this.\n\nSo, we've created a general package for decision tree visualization and model interpretation, which we'll be using heavily in an upcoming machine learning book (written with Jeremy Howard).\n\nThe visualizations are inspired by an educational animation by R2D3; A visual introduction to machine learning. With dtreeviz, you can visualize how the feature space is split up at decision nodes, how the training samples get distributed in leaf nodes, how the tree makes predictions for a specific observation and more. These operations are critical to for understanding how classification or regression decision trees work. If you're not familiar with decision trees, check out fast.ai's Introduction to Machine Learning for Coders MOOC.\n\n## Install\n\nInstall anaconda3 on your system, if not already done.\n\nYou might verify that you do not have conda-installed graphviz-related packages installed because dtreeviz needs the pip versions; you can remove them from conda space by doing:\n\nconda uninstall python-graphviz\nconda uninstall graphviz\n\nTo install (Python >=3.6 only), do this (from Anaconda Prompt on Windows!):\n\npip install dtreeviz # install dtreeviz for sklearn\npip install dtreeviz[xgboost] # install XGBoost related dependency\npip install dtreeviz[pyspark] # install pyspark related dependency\npip install dtreeviz[lightgbm] # install LightGBM related dependency\n\nThis should also pull in the graphviz Python library (>=0.9), which we are using for platform specific stuff.\n\nLimitations. Only svg files can be generated at this time, which reduces dependencies and dramatically simplifies install process.\n\nPlease email Terence with any helpful notes on making dtreeviz work (better) on other platforms. Thanks!\n\nFor your specific platform, please see the following subsections.\n\n### Mac\n\nMake sure to have the latest XCode installed and command-line tools installed. You can run xcode-select --install from the command-line to install those if XCode is already installed. You also have to sign the XCode license agreement, which you can do with sudo xcodebuild -license from command-line. The brew install shown next needs to build graphviz, so you need XCode set up properly.\n\nYou need the graphviz binary for dot. Make sure you have latest version (verified on 10.13, 10.14):\n\nbrew reinstall graphviz\n\nJust to be sure, remove dot from any anaconda installation, for example:\n\nrm ~/anaconda3/bin/dot\n\nFrom command line, this command\n\ndot -Tsvg\n\nshould work, in the sense that it just stares at you without giving an error. You can hit control-C to escape back to the shell. Make sure that you are using the right dot as installed by brew:\n\n$which dot /usr/local/bin/dot$ ls -l $(which dot) lrwxr-xr-x 1 parrt wheel 33 May 26 11:04 /usr/local/bin/dot@ -> ../Cellar/graphviz/2.40.1/bin/dot$\n\nLimitations. Jupyter notebook has a bug where they do not show .svg files correctly, but Juypter Lab has no problem.\n\n### Linux (Ubuntu 18.04)\n\nTo get the dot binary do:\n\nsudo apt install graphviz\n\nLimitations. The view() method works to pop up a new window and images appear inline for jupyter notebook but not jupyter lab (It gets an error parsing the SVG XML.) The notebook images also have a font substitution from the Arial we use and so some text overlaps. Only .svg files can be generated on this platform.\n\n### Windows 10\n\n(Make sure to pip install graphviz, which is common to all platforms, and make sure to do this from Anaconda Prompt on Windows!)\n\nDownload graphviz-2.38.msi and update your Path environment variable. Add C:\\Program Files (x86)\\Graphviz2.38\\bin to User path and C:\\Program Files (x86)\\Graphviz2.38\\bin\\dot.exe to System Path. It's windows so you might need a reboot after updating that environment variable. You should see this from the Anaconda Prompt:\n\n(base) C:\\Users\\Terence Parr>where dot\nC:\\Program Files (x86)\\Graphviz2.38\\bin\\dot.exe\n\n\n(Do not use conda install -c conda-forge python-graphviz as you get an old version of graphviz python library.)\n\nVerify from the Anaconda Prompt that this works (capital -V not lowercase -v):\n\ndot -V\n\n\nIf it doesn't work, you have a Path problem. I found the following test programs useful. The first one sees if Python can find dot:\n\nimport os\nimport subprocess\nproc = subprocess.Popen(['dot','-V'])\nprint( os.getenv('Path') )\n\nThe following version does the same thing except uses graphviz Python libraries backend support utilities, which is what we use in dtreeviz:\n\nimport graphviz.backend as be\ncmd = [\"dot\", \"-V\"]\nstdout, stderr = be.run(cmd, capture_output=True, check=True, quiet=False)\nprint( stderr )\n\nIf you are having issues with run command you can try copying the following files from: https://github.com/xflr6/graphviz/tree/master/graphviz.\n\nPlace them in the AppData\\Local\\Continuum\\anaconda3\\Lib\\site-packages\\graphviz folder.\n\nClean out the pycache directory too.\n\nJupyter Lab and Jupyter notebook both show the inline .svg images well.\n\n### Verify graphviz installation\n\nTry making text file t.dot with content digraph T { A -> B } (paste that into a text editor, for example) and then running this from the command line:\n\ndot -Tsvg -o t.svg t.dot\n\n\nThat should give a simple t.svg file that opens properly. If you get errors from dot, it will not work from the dtreeviz python code. If it can't find dot then you didn't update your PATH environment variable or there is some other install issue with graphviz.\n\n### Limitations\n\nFinally, don't use IE to view .svg files. Use Edge as they look much better. I suspect that IE is displaying them as a rasterized not vector images. Only .svg files can be generated on this platform.\n\n## Usage\n\ndtree: Main function to create decision tree visualization. Given a decision tree regressor or classifier, creates and returns a tree visualization using the graphviz (DOT) language.\n\n### Required libraries\n\nBasic libraries and imports that will (might) be needed to generate the sample visualizations shown in examples below.\n\nfrom sklearn.datasets import *\nfrom sklearn import tree\nfrom dtreeviz.trees import *\n\n### Regression decision tree\n\nThe default orientation of tree is top down but you can change it to left to right using orientation=\"LR\". view() gives a pop up window with rendered graphviz object.\n\nregr = tree.DecisionTreeRegressor(max_depth=2)\nboston = load_boston()\nregr.fit(boston.data, boston.target)\n\nviz = dtreeviz(regr,\nboston.data,\nboston.target,\ntarget_name='price',\nfeature_names=boston.feature_names)\n\nviz.view()", null, "### Classification decision tree\n\nAn additional argument of class_names giving a mapping of class value with class name is required for classification trees.\n\nclassifier = tree.DecisionTreeClassifier(max_depth=2) # limit depth of tree\niris = load_iris()\nclassifier.fit(iris.data, iris.target)\n\nviz = dtreeviz(classifier,\niris.data,\niris.target,\ntarget_name='variety',\nfeature_names=iris.feature_names,\nclass_names=[\"setosa\", \"versicolor\", \"virginica\"] # need class_names for classifier\n)\n\nviz.view()", null, "### Prediction path\n\nHighlights the decision nodes in which the feature value of single observation passed in argument X falls. Gives feature values of the observation and highlights features which are used by tree to traverse path.\n\nregr = tree.DecisionTreeRegressor(max_depth=2) # limit depth of tree\ndiabetes = load_diabetes()\nregr.fit(diabetes.data, diabetes.target)\nX = diabetes.data[np.random.randint(0, len(diabetes.data)),:] # random sample from training\n\nviz = dtreeviz(regr,\ndiabetes.data,\ndiabetes.target,\ntarget_name='value',\norientation ='LR', # left-right orientation\nfeature_names=diabetes.feature_names,\nX=X) # need to give single observation for prediction\n\nviz.view()", null, "If you want to visualize just the prediction path, you need to set parameter show_just_path=True\n\ndtreeviz(regr,\ndiabetes.data,\ndiabetes.target,\ntarget_name='value',\norientation ='TD', # top-down orientation\nfeature_names=diabetes.feature_names,\nX=X, # need to give single observation for prediction\nshow_just_path=True\n)", null, "#### Explain prediction path\n\nThese visualizations are useful to explain to somebody, without machine learning skills, why your model made that specific prediction.\nIn case of explanation_type=plain_english, it searches in prediction path and find feature value ranges.\n\nX = dataset[features].iloc\nprint(X)\nPclass 3.0\nAge 4.0\nFare 16.7\nSex_label 0.0\nCabin_label 145.0\nEmbarked_label 2.0\n\nprint(explain_prediction_path(tree_classifier, X, feature_names=features, explanation_type=\"plain_english\"))\n2.5 <= Pclass\nAge < 36.5\nFare < 23.35\nSex_label < 0.5\n\n\nIn case of explanation_type=sklearn_default (available only for scikit-learn), we can visualize the features' importance involved in prediction path only. Features' importance is calculated based on mean decrease in impurity.\nCheck Beware Default Random Forest Importances article for a comparison between features' importance based on mean decrease in impurity vs permutation importance.\n\nexplain_prediction_path(tree_classifier, X, feature_names=features, explanation_type=\"sklearn_default\")", null, "### Decision tree without scatterplot or histograms for decision nodes\n\nSimple tree without histograms or scatterplots for decision nodes. Use argument fancy=False\n\nclassifier = tree.DecisionTreeClassifier(max_depth=4) # limit depth of tree\ncancer = load_breast_cancer()\nclassifier.fit(cancer.data, cancer.target)\n\nviz = dtreeviz(classifier,\ncancer.data,\ncancer.target,\ntarget_name='cancer',\nfeature_names=cancer.feature_names,\nclass_names=[\"malignant\", \"benign\"],\nfancy=False ) # fance=False to remove histograms/scatterplots from decision nodes\n\nviz.view()", null, "For more examples and different implementations, please see the jupyter notebook full of examples.\n\n### Regression univariate feature-target space", null, "import pandas as pd\nimport matplotlib.pyplot as plt\nfrom sklearn.tree import DecisionTreeRegressor\nfrom dtreeviz.trees import *\n\ndf_cars = pd.read_csv(\"cars.csv\")\nX, y = df_cars[['WGT']], df_cars['MPG']\n\ndt = DecisionTreeRegressor(max_depth=3, criterion=\"mae\")\ndt.fit(X, y)\n\nfig = plt.figure()\nax = fig.gca()\nrtreeviz_univar(dt, X, y, 'WGT', 'MPG', ax=ax)\nplt.show()\n\n### Regression bivariate feature-target space", null, "from mpl_toolkits.mplot3d import Axes3D\nfrom sklearn.tree import DecisionTreeRegressor\nfrom dtreeviz.trees import *\n\ndf_cars = pd.read_csv(\"cars.csv\")\nX = df_cars[['WGT','ENG']]\ny = df_cars['MPG']\n\ndt = DecisionTreeRegressor(max_depth=3, criterion=\"mae\")\ndt.fit(X, y)\n\nfigsize = (6,5)\nfig = plt.figure(figsize=figsize)\nax = fig.add_subplot(111, projection='3d')\n\nt = rtreeviz_bivar_3D(dt,\nX, y,\nfeature_names=['Vehicle Weight', 'Horse Power'],\ntarget_name='MPG',\nfontsize=14,\nelev=20,\nazim=25,\ndist=8.2,\nshow={'splits','title'},\nax=ax)\nplt.show()\n\n### Regression bivariate feature-target space heatmap", null, "from sklearn.tree import DecisionTreeRegressor\nfrom dtreeviz.trees import *\n\ndf_cars = pd.read_csv(\"cars.csv\")\nX = df_cars[['WGT','ENG']]\ny = df_cars['MPG']\n\ndt = DecisionTreeRegressor(max_depth=3, criterion=\"mae\")\ndt.fit(X, y)\n\nt = rtreeviz_bivar_heatmap(dt,\nX, y,\nfeature_names=['Vehicle Weight', 'Horse Power'],\nfontsize=14)\n\nplt.show()\n\n### Classification univariate feature-target space", null, "from sklearn.tree import DecisionTreeClassifier\nfrom dtreeviz.trees import *\n\nknow = pd.read_csv(\"knowledge.csv\")\nclass_names = ['very_low', 'Low', 'Middle', 'High']\nknow['UNS'] = know['UNS'].map({n: i for i, n in enumerate(class_names)})\n\nX = know[['PEG']]\ny = know['UNS']\n\ndt = DecisionTreeClassifier(max_depth=3)\ndt.fit(X, y)\n\nct = ctreeviz_univar(dt, X, y,\nfeature_names = ['PEG'],\nclass_names=class_names,\ntarget_name='Knowledge',\nnbins=40, gtype='strip',\nshow={'splits','title'})\nplt.tight_layout()\nplt.show()\n\n### Classification bivariate feature-target space", null, "from sklearn.tree import DecisionTreeClassifier\nfrom dtreeviz.trees import *\n\nknow = pd.read_csv(\"knowledge.csv\")\nprint(know)\nclass_names = ['very_low', 'Low', 'Middle', 'High']\nknow['UNS'] = know['UNS'].map({n: i for i, n in enumerate(class_names)})\n\nX = know[['PEG','LPR']]\ny = know['UNS']\n\ndt = DecisionTreeClassifier(max_depth=3)\ndt.fit(X, y)\n\nct = ctreeviz_bivar(dt, X, y,\nfeature_names = ['PEG','LPR'],\nclass_names=class_names,\ntarget_name='Knowledge')\nplt.tight_layout()\nplt.show()\n\n### Leaf node purity\n\nLeaf purity affects prediction confidence.\nFor classification leaf purity is calculated based on majority target class (gini, entropy) and for regression is calculated based on target variance values.\nLeaves with low variance among the target values (regression) or an overwhelming majority target class (classification) are much more reliable predictors. When we have a decision tree with a high depth, it can be difficult to get an overview about all leaves purities. That's why we created a specialized visualization only for leaves purities.\n\ndisplay_type can take values 'plot' (default), 'hist' or 'text'\n\nviz_leaf_criterion(tree_classifier, display_type = \"plot\")", null, "### Leaf node samples\n\nIt's also important to take a look at the number of samples from leaves. For example, we can have a leaf with a good purity but very few samples, which is a sign of overfitting. The ideal scenario would be to have a leaf with good purity which is based on a significant number of samples.\n\ndisplay_type can take values 'plot' (default), 'hist' or 'text'\n\nviz_leaf_samples(tree_classifier, dataset[features], display_type='plot')", null, "#### Leaf node samples for classification\n\nThis is a specialized visualization for classification. It helps also to see the distribution of target class values from leaf samples.\n\nctreeviz_leaf_samples(tree_classifier, dataset[features], dataset[target])", null, "### Leaf plots\n\nVisualize leaf target distribution for regression decision trees.\n\nviz_leaf_target(tree_regressor, dataset[features_reg], dataset[target_reg], features_reg, target_reg)", null, "## Classification boundaries in feature space\n\nWith 1.3, we have introduced method clfviz() that illustrates one and two-dimensional feature space for classifiers, including colors the represent probabilities, decision boundaries, and misclassified entities. This method works with any model that answers method predict_proba() (and we also support Keras), so any model from scikit-learn should work. If you let us know about incompatibilities, we can support more models. There are lots of options would you can check out in the api documentation. See classifier-decision-boundaries.ipynb and classifier-boundary-animations.ipynb.\n\nclfviz(rf, X, y, feature_names=['x1', 'x2'], markers=['o','X','s','D'], target_name='smiley')", null, "clfviz(rf,x,y,feature_names=['f27'],target_name='cancer')", null, "clfviz(rf,x,y,\nfeature_names=['x2'],\ntarget_name = 'smiley',\ncolors={'scatter_marker_alpha':.2})", null, "Sometimes it's helpful to see animations that change some of the hyper parameters. If you look in notebook classifier-boundary-animations.ipynb, you will see code that generates animations such as the following (animated png files):\n\n## Visualization methods setup\n\nStarting with dtreeviz 1.0 version, we refactored the concept of ShadowDecTree. If we want to add a new ML library in dtreeviz, we just need to add a new implementation of ShadowDecTree API, like ShadowSKDTree, ShadowXGBDTree or ShadowSparkTree.\n\nInitializing a ShadowSKDTree object:\n\nsk_dtree = ShadowSKDTree(tree_classifier, dataset[features], dataset[target], features, target, [0, 1])\n\n\nOnce we have the object initialized, we can used it to create all the visualizations, like :\n\ndtreeviz(sk_dtree)\n\nviz_leaf_samples(sk_dtree)\n\nviz_leaf_criterion(sk_dtree)\n\n\nIn this way, we reduced substantially the list of parameters required for each visualization and it's also more efficient in terms of computing power.\n\nYou can check the notebooks section for more examples of using ShadowSKDTree, ShadowXGBDTree or ShadowSparkTree.\n\n## Install dtreeviz locally\n\nMake sure to follow the install guidelines above.\n\nTo push the dtreeviz library to your local egg cache (force updates) during development, do this (from anaconda prompt on Windows):\n\npython setup.py install -f\n\nE.g., on Terence's box, it add /Users/parrt/anaconda3/lib/python3.6/site-packages/dtreeviz-0.3-py3.6.egg.\n\n## Customize colors\n\nEach function has an optional parameter colors which allows passing a dictionary of colors which is used in the plot. For an example of each parameter have a look at this notebook.\n\n### Example\n\ndtreeviz.trees.dtreeviz(regr,\nboston.data,\nboston.target,\ntarget_name='price',\nfeature_names=boston.feature_names,\ncolors={'scatter_marker': '#00ff00'})\n\nwould paint the scatter (dots) in red.", null, "### Parameters\n\nThe colors are defined in colors.py, all options and default parameters are shown below.\n\n COLORS = {'scatter_edge': GREY,\n'scatter_marker': BLUE,\n'split_line': GREY,\n'mean_line': '#f46d43',\n'axis_label': GREY,\n'title': GREY,\n'legend_title': GREY,\n'legend_edge': GREY,\n'edge': GREY,\n'color_map_min': '#c7e9b4',\n'color_map_max': '#081d58',\n'classes': color_blind_friendly_colors,\n'rect_edge': GREY,\n'text': GREY,\n'highlight': HIGHLIGHT_COLOR,\n'wedge': WEDGE_COLOR,\n'text_wedge': WEDGE_COLOR,\n'arrow': GREY,\n'node_label': GREY,\n'tick_label': GREY,\n'leaf_label': GREY,\n'pie': GREY,\n}\n\nThe color needs be in a format matplotlib can interpret, e.g. a html hex like '#eeefff' .\n\nclasses needs to be a list of lists of colors with a minimum length of your number of colors. The index is the number of classes and the list with this index needs to have the same amount of colors.\n\n## Authors\n\nSee also the list of contributors who participated in this project.\n\n## License\n\nThis project is licensed under the terms of the MIT license, see LICENSE.\n\n## Deploy\n\n\\$ python setup.py sdist upload\n\n\n## About\n\nA python library for decision tree visualization and model interpretation.\n\n## Packages 0\n\nNo packages published" ]
[ null, "https://github.com/parrt/dtreeviz/raw/master/testing/samples/boston-TD-2.svg", null, "https://github.com/parrt/dtreeviz/raw/master/testing/samples/iris-TD-2.svg", null, "https://github.com/parrt/dtreeviz/raw/master/testing/samples/diabetes-LR-2-X.svg", null, "https://user-images.githubusercontent.com/12815158/94368231-b17ce900-00eb-11eb-8e2d-89a0e927e494.png", null, "https://user-images.githubusercontent.com/12815158/94448483-9d042380-01b3-11eb-95f6-a973f1b7092a.png", null, "https://github.com/parrt/dtreeviz/raw/master/testing/samples/breast_cancer-TD-4-simple.svg", null, "https://user-images.githubusercontent.com/178777/49105092-9b264d80-f234-11e8-9d67-cc58c47016ca.png", null, "https://user-images.githubusercontent.com/178777/49104999-4edb0d80-f234-11e8-9010-73b7c0ba5fb9.png", null, "https://user-images.githubusercontent.com/178777/49107627-08d57800-f23b-11e8-85a2-ab5894055092.png", null, "https://user-images.githubusercontent.com/178777/49105084-9497d600-f234-11e8-9097-56835558c1a6.png", null, "https://user-images.githubusercontent.com/178777/49105085-9792c680-f234-11e8-8af5-bc2fde950ab1.png", null, "https://user-images.githubusercontent.com/12815158/94367215-f271ff00-00e5-11eb-802c-d5f486c45ab4.png", null, "https://user-images.githubusercontent.com/12815158/94367931-264f2380-00ea-11eb-9588-525c58528c1e.png", null, "https://user-images.githubusercontent.com/12815158/94368065-eccae800-00ea-11eb-8fd6-250192ad6471.png", null, "https://user-images.githubusercontent.com/12815158/94445430-19950300-01b0-11eb-9a5a-8f1672f11d94.png", null, "https://user-images.githubusercontent.com/178777/113516349-a12c4780-952e-11eb-86f3-0ae457eb500f.png", null, "https://user-images.githubusercontent.com/178777/113516364-b608db00-952e-11eb-91cf-efe2386622f1.png", null, "https://user-images.githubusercontent.com/178777/113516379-d5076d00-952e-11eb-955e-1dd7c09f2f29.png", null, "https://github.com/parrt/dtreeviz/raw/master/testing/samples/colors_scatter_marker.svg", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.7064678,"math_prob":0.65315,"size":19654,"snap":"2021-21-2021-25","text_gpt3_token_len":4667,"char_repetition_ratio":0.13048346,"word_repetition_ratio":0.06054836,"special_character_ratio":0.22433093,"punctuation_ratio":0.15941194,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.95013297,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32,33,34,35,36,37,38],"im_url_duplicate_count":[null,2,null,2,null,2,null,1,null,1,null,2,null,2,null,2,null,2,null,2,null,2,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,2,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-06-18T08:52:14Z\",\"WARC-Record-ID\":\"<urn:uuid:6f6420ec-1f2e-443f-ae6c-58c73bcaeb8e>\",\"Content-Length\":\"277502\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:0eb0f313-a53c-497b-b816-6c09db02263c>\",\"WARC-Concurrent-To\":\"<urn:uuid:d1235bb7-0a81-42bd-b353-b41d3a82ea45>\",\"WARC-IP-Address\":\"140.82.113.4\",\"WARC-Target-URI\":\"https://github.com/parrt/dtreeviz\",\"WARC-Payload-Digest\":\"sha1:EXL362OKQJODUO42FOFBH5XWXZN4JD3N\",\"WARC-Block-Digest\":\"sha1:SZ4BTQMEJFBFG5J54G6VMKR2HYZH4QOM\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-25/CC-MAIN-2021-25_segments_1623487635920.39_warc_CC-MAIN-20210618073932-20210618103932-00314.warc.gz\"}"}
https://exceptionshub.com/php-how-can-i-make-timediff-function-to-convert-negative-time-to-positive.html
[ "Home » Php » php – How can I make timediff function to convert negative time to positive?\n\n# php – How can I make timediff function to convert negative time to positive?\n\nQuestions:\n\nI have query where I have to find the difference between two times , it works well when the first time is greater than the second time .\n\nBut when the first one is smaller than the second one it returns a negative time; Just wondering is there any way to make it positive?\n\nBelow is the query that returns negative time.\n\n``````SELECT TIMEDIFF(\"13:10:11\", \"13:20:10\");\n``````\n\noutput\n\n``````-00:09:59\n``````\n\nexpected output\n\n``````00:09:59\n``````\n\nIf what you want is to get the absolute time difference between two times, you could use a `CASE` expression to swap the times so that the first was always greater than the second e.g.\n\n``````SELECT CASE WHEN time1 < time2 THEN TIMEDIFF(time2, time1)\nELSE TIMEDIFF(time1, time2)\nEND AS delta\n``````\n\n`````` SELECT DATEDIFF(MINUTE, '11:10:10' , '11:20:00') AS MinuteDiff" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.8890762,"math_prob":0.9799107,"size":792,"snap":"2021-43-2021-49","text_gpt3_token_len":208,"char_repetition_ratio":0.1180203,"word_repetition_ratio":0.0,"special_character_ratio":0.2777778,"punctuation_ratio":0.15606937,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9709467,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-10-21T02:35:08Z\",\"WARC-Record-ID\":\"<urn:uuid:83d4a27d-bb53-4f6b-a99b-46cc8c3b5671>\",\"Content-Length\":\"53286\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:132e4809-0b09-4df7-a7fd-9ad83adf72b3>\",\"WARC-Concurrent-To\":\"<urn:uuid:294cdae9-57b7-474f-bcf8-8f1e99293377>\",\"WARC-IP-Address\":\"104.21.18.148\",\"WARC-Target-URI\":\"https://exceptionshub.com/php-how-can-i-make-timediff-function-to-convert-negative-time-to-positive.html\",\"WARC-Payload-Digest\":\"sha1:MESJ4AZNE6KEMDPDMPD3CS76OMAEYDTO\",\"WARC-Block-Digest\":\"sha1:STP4TQI2D264HM5KRGGNZCEGH6S46VIZ\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-43/CC-MAIN-2021-43_segments_1634323585380.70_warc_CC-MAIN-20211021005314-20211021035314-00055.warc.gz\"}"}
https://www.esaim-cocv.org/articles/cocv/ref/2021/01/cocv200005/cocv200005.html
[ "Subscriber Authentication Point\nFree Access\n Issue ESAIM: COCV Volume 27, 2021 Regular articles published in advance of the transition of the journal to Subscribe to Open (S2O). Free supplement sponsored by the Fonds National pour la Science Ouverte S3 29 https://doi.org/10.1051/cocv/2020054 01 March 2021\n1. E. Abreu and L.G. Fernandes, On existence and nonexistence of isoperimetric inequalities with different monomial weights. Preprint arXiv:1904.01441v2 (2019). [Google Scholar]\n2. A. Alvino, F. Brock, F. Chiacchio, A. Mercaldo and M.R. Posteraro, Some isoperimetric inequalities on ℝN with respect to weights |x|α. J. Math. Anal. Appl. 451 (2017) 280–318. [Google Scholar]\n3. A. Alvino, F. Brock, F. Chiacchio, A. Mercaldo and M.R. Posteraro, On weighted isoperimetric inequalities with non-radial densities. Appl. Anal. 98 (2019) 1935–1945. [Google Scholar]\n4. A. Alvino, F. Brock, F. Chiacchio, A. Mercaldo and M.R. Posteraro, The isoperimetric problem for a class of non-radial weights and applications. J. Differ. Equ. 267 (2019) 6831–6871. [Google Scholar]\n5. V. Bayle, A. Cañete, F. Morgan and C. Rosales, On the isoperimetric problem in Euclidean space with density. Calc. Var. PDE 31 (2008) 27–46. [Google Scholar]\n6. M.F. Betta, F. Brock, A. Mercaldo and M.R. Posteraro, A weighted isoperimetric inequality and applications to symmetrization. J. Inequal. Appl. 4 (1999) 215–240. [Google Scholar]\n7. M.F. Betta, F. Brock, A. Mercaldo and M.R. Posteraro, Weighted isoperimetric inequalities on ℝN and applications to rearrangements. Math. Nachr. 281 (2008) 466–498. [Google Scholar]\n8. W. Boyer, B. Brown, G. Chambers, A. Loving and S. Tammen, Isoperimetric regions in ℝn with density rp. Anal. Geom. Metr. Spaces 4 (2016) 236–265. [Google Scholar]\n9. B. Brandolini, F. Della Pietra, C. Nitsch and C. Trombetti, Symmetry breaking in a constrained Cheeger type isoperimetric inequality. ESAIM: COCV 21 (2015) 359–371. [CrossRef] [EDP Sciences] [Google Scholar]\n10. H. Brezis, Functional Analysis, Sobolev Spaces and Partial Differential Equations. Springer (2010). [Google Scholar]\n11. F. Brock, F. Chiacchio and A. Mercaldo, A weighted isoperimetric inequality in an orthant. Potential Anal. 41 (2012) 171–186. [Google Scholar]\n12. F. Brock, A. Mercaldo and M.R. Posteraro, On isoperimetric inequalities with respect to infinite measures. Rev. Mat. Iberoamericana 29 (2013) 665–690. [Google Scholar]\n13. D. Bucurand I. Fragalà, Proof of the honeycomb asymptotics for optimal Cheeger clusters. Adv. Math. 350 (2019) 97–129. [Google Scholar]\n14. D. Bucurand I. Fragalà, A Faber-Krahn inequality for the Cheeger constant of N-gons. J. Geom. Anal. 26 (2016) 88–117. [Google Scholar]\n15. X. Cabre and X. Ros-Oton, Sobolev and isoperimetric inequalities with monomial weights. J. Differ. Equ. 255 (2013) 4312–4336. [Google Scholar]\n16. X. Cabre, X. Ros-Oton and J. Serra, Euclidean balls solve some isoperimetric problems with nonradial weights. C. R. Math. Acad. Sci. Paris 350 (2012) 945–947. [Google Scholar]\n17. A. Cañete, M. Miranda Jr. and D. Vittone, Some isoperimetric problems in planes with density. J. Geom. Anal. 20 (2010) 243–290. [Google Scholar]\n18. T. Carroll, A. Jacob, C. Quinn and R. Walters, The isoperimetric problem on planes with density. Bull. Aust. Math. Soc. 78 (2008) 177–197. [Google Scholar]\n19. V. Caselles, M. Miranda jr and M. Novaga, Total variation and Cheeger sets in Gauss space. J. Funct. Anal. 259 (2010) 1491–1516. [Google Scholar]\n20. H. Castro. Hardy-Sobolev inequalities with monomial weights. Ann. Mat. Pura Appl. 196 (2017) 579–598. [Google Scholar]\n21. G.R. Chambers, Proof of the Log-Convex Density Conjecture. J. Eur. Math. Soc. 21 (2019) 2301–2332. [Google Scholar]\n22. J. Cheeger, A lower bound for the smallest eigenvalue of the Laplacian. Problems in analysis: A symposium in honor of Salomon Bochner (1970) 195–199. [Google Scholar]\n23. G. Csató, An isoperimetric problem with density and the Hardy Sobolev inequality in ℝ2. Differ. Int. Equ. 28 (2015) 971–988. [Google Scholar]\n24. J. Dahlberg, A. Dubbs, E. Newkirk and H. Tran, Isoperimetric regions in the plane with density rp . New York J. Math. 16 (2010) 31–51. [Google Scholar]\n25. G. De Philippis, G. Franzina and A. Pratelli, Existence of isoperimetric sets with densities “converging from below” on ℝN. J. Geom. Anal. 27 (2017) 1086–1105. [Google Scholar]\n26. L. Di Giosia, J. Habib, L. Kenigsberg, D. Pittman and W. Zhu, Balls Isoperimetric in ℝn with Volume and Perimeter Densities rm and rk . Preprint arXiv:1610.05830v2 (2019). [Google Scholar]\n27. A. Diaz, N. Harman, S. Howe and D. Thompson, Isoperimetric problems in sectors with density. Adv. Geom. 12 (2012) 589–619. [Google Scholar]\n28. V. Franceschi, A minimal partition problem with trace constraint in the Grushin plane. Calc. Var. Partial Differ. Equ. 56 (2017) 104. [Google Scholar]\n29. V. Franceschi and R. Monti, Isoperimetric problem in H-type groups and Grushin spaces. Rev. Mat. Iberoam. 32 (2016) 1227–1258. [Google Scholar]\n30. V. Franceschi and G. Stefani, Symmetric double bubbles in the Grushin plane. ESAIM: COCV 25 (2019) 37. [EDP Sciences] [Google Scholar]\n31. P. Gurka and B. Opic, Continuous and compact imbeddings of weighted Sobolev spaces II. Czechoslovak Math. J. 39 (1989) 78–94. [Google Scholar]\n32. N. Harman, S. Howe and F. Morgan, Steiner and Schwarz symmetrization in warped products and fiber bundles with density. Rev. Mat. Iberoamericana 27 (2011) 909–918. [Google Scholar]\n33. S. Howe, The Log-Convex Density Conjecture and vertical surface area in warped products. Adv. Geom. 15 (2015) 455–468. [Google Scholar]\n34. I.R. Ionescu and T. Lachand-Robert, Generalized Cheeger sets related to landslides. Calc. Var. Partial Differ. Equ. 23 (2005) 227–249. [Google Scholar]\n35. B. Kawohl and V. Fridman, Isoperimetric estimates for the first eigenvalue of the p-Laplace operator and the Cheeger constant. Comment. Math. Univ. Carolin. 44 (2003) 659–667. [Google Scholar]\n36. A.V. Kolesnikov and R.I. Zhdanov, On isoperimetric sets of radially symmetric measures. Concentration, functional inequalities and isoperimetry In Vol. 545 of Contemp. Math. Amer. Math. Soc., Providence, RI (2011) 123–154. [Google Scholar]\n37. C. Maderna and S. Salsa. Sharp estimates for solutions to a certain type of singular elliptic boundary value problems in two dimensions. Applicable Analysis 12 (1981) 307–321. [Google Scholar]\n38. V. Maz’ja, Lectures on isoperimetric and isocapacitary inequalities in the theory of Sobolev spaces. Heat kernels and analysis on manifolds, graphs, and metric spaces (Paris, 2002). In Vol. 338 of Contemp. Math. Amer. Math. Soc., Providence, RI (2003) 307–340. [Google Scholar]\n39. V. Maz’ja and T. Shaposhnikova, A collection of sharp dilation invariant integral inequalities for differentiable functions. Sobolev spaces in mathematics I. In Vol. 8 of Int. Math. Ser. (N.Y.). Springer (2009) 223–247. [Google Scholar]\n40. R. Monti and D. Morbidelli, Isoperimetric inequality in the Grushin plane. J. Geom. Anal. 14 (2004) 355–368. [Google Scholar]\n41. F. Morgan, Manifolds with density. Notices Amer. Math. Soc. 52 (2005) 853–858. [Google Scholar]\n42. F. Morgan, The Log-Convex Density Conjecture. Contemp. Math. 545 (2011) 209–211. [Google Scholar]\n43. F. Morgan and A. Pratelli, Existence of isoperimetric regions in ℝN with density. Ann. Global Anal. Geom. 43 (2013) 331–365. [Google Scholar]\n44. E. Parini, An introduction to the Cheeger problem. Surv. Math. Appl. 6 (2011) 9–21. [Google Scholar]\n45. A. Pratelli and G. Saracco, On the isoperimetric problem with double density. Nonlinear Anal. 177 (2018) 733–752. [Google Scholar]\n46. A. Pratelli and G. Saracco, The εεβ property in the isoperimetric problem with double density, and the regularity of isoperimetric sets. Adv. Nonlinear Stud. 20 (2020) 539–555. [Google Scholar]\n47. G. Saracco, Weighted Cheeger sets are domains of isoperimetry. Manuscripta Math. 156 (2018) 371–381. [Google Scholar]\n\nCurrent usage metrics show cumulative count of Article Views (full-text article views including HTML views, PDF and ePub downloads, according to the available data) and Abstracts Views on Vision4Press platform.\n\nData correspond to usage on the plateform after 2015. The current usage metrics is available 48-96 hours after online publication and is updated daily on week days." ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.67833185,"math_prob":0.7871465,"size":8358,"snap":"2021-31-2021-39","text_gpt3_token_len":2629,"char_repetition_ratio":0.20912138,"word_repetition_ratio":0.0747443,"special_character_ratio":0.3194544,"punctuation_ratio":0.2600339,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9500911,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-08-05T08:20:06Z\",\"WARC-Record-ID\":\"<urn:uuid:37756b11-060d-4f01-920d-3e74a2257e14>\",\"Content-Length\":\"96498\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:f626f5ef-10ca-4fda-8868-c4e53bff069f>\",\"WARC-Concurrent-To\":\"<urn:uuid:5139c96b-77bf-463a-bcdf-5ca94f9126ca>\",\"WARC-IP-Address\":\"167.114.155.65\",\"WARC-Target-URI\":\"https://www.esaim-cocv.org/articles/cocv/ref/2021/01/cocv200005/cocv200005.html\",\"WARC-Payload-Digest\":\"sha1:RSTSYLKYVHAFT3REE4LDZ2HKRCHRTIBD\",\"WARC-Block-Digest\":\"sha1:RZ4H65RUUB7J2I27JBBEXDT2MKWB3XV7\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-31/CC-MAIN-2021-31_segments_1627046155458.35_warc_CC-MAIN-20210805063730-20210805093730-00397.warc.gz\"}"}
http://pomucoco.com/Info/single-101.shtml.htm
[ "", null, "负责办理传统民事法律事务,以稳中求精为原则,根据当事人的委托,处理非诉讼法律事务,代理委托人参加各类诉讼和仲裁活动,并在诉讼和仲裁相关的调解、调查等方面提供法律服务。\n\n提供:人身损害诉讼、医疗纠纷诉讼、交通事故诉讼、婚姻家庭诉讼、产品质量法律服务等。\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`\n\n```\n\n```\n`\t`" ]
[ null, "http://pomucoco.com/images/banner/banner_01a.jpg", null ]
{"ft_lang_label":"__label__zh","ft_lang_prob":0.82192975,"math_prob":0.9892617,"size":289,"snap":"2019-26-2019-30","text_gpt3_token_len":292,"char_repetition_ratio":0.10877193,"word_repetition_ratio":0.0,"special_character_ratio":0.31487888,"punctuation_ratio":0.0,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.98524374,"pos_list":[0,1,2],"im_url_duplicate_count":[null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-07-23T16:16:30Z\",\"WARC-Record-ID\":\"<urn:uuid:f2eb48a2-452b-4b8b-8bb4-9600e075a7d2>\",\"Content-Length\":\"89969\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:cbcf6843-8373-44b7-8610-76e0500a0268>\",\"WARC-Concurrent-To\":\"<urn:uuid:709cd58a-30ab-46aa-ba5c-445acd984f49>\",\"WARC-IP-Address\":\"156.235.245.70\",\"WARC-Target-URI\":\"http://pomucoco.com/Info/single-101.shtml.htm\",\"WARC-Payload-Digest\":\"sha1:QS2KLZ7NILCGUIN77JZUJPUILTTKIPCP\",\"WARC-Block-Digest\":\"sha1:JUFVXHQFXLQ57BZTIAJUVJRRP6BCJW22\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-30/CC-MAIN-2019-30_segments_1563195529480.89_warc_CC-MAIN-20190723151547-20190723173547-00037.warc.gz\"}"}
http://www.sport-tx.com/datasheet/MC1413/Z2xqbG2WZw==.html
[ "< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\"> < id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\"> < id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">< id=\"6e2kg\">", null, "型号: MC1413 厂商:", null, "ON Semiconductor 分类: 半导体 描述: peripheral driver arrays PDF: 预览 报错 收藏 赞\n\nDatasheet下载地址\n\nMC1413的详细信息\n\n•", null, "• 亲,您要的详细信息都在下载文档里了!\n\nOrder this document by MC1413/D\nThe seven NPN Darlington connected transistors in these arrays are well\nsuited for driving lamps, relays, or printer hammers in a variety of industrial\nand consumer applications. Their high breakdown voltage and internal\nsuppression diodes insure freedom from problems associated with inductive\nloads. Peak inrush currents to 500 mA permit them to drive incandescent\nlamps.\nPERIPHERAL\nDRIVER ARRAYS\nSEMICONDUCTOR\nTECHNICAL DATA\nThe MC1413, B with a 2.7 k? series input resistor is well suited for\nsystems utilizing a 5.0 V TTL or CMOS Logic. The MC1416, B uses a series\n10.5 k? resistor and is useful in 8.0 to 18 V MOS systems.\n16\n1\nP SUFFIX\nPLASTIC PACKAGE\nCASE 648\nORDERING INFORMATION\nOperating\nTemperature Range\nPlastic DIP\nSOIC\nMC1413P (ULN2003A)\nMC1416P (ULN2004A)\nMC1413D\nMC1416D\nT\n= –20° to +85°C\n= –40° to +85°C\nA\n16\n1\nMC1413BP\nMC1416BP\nMC1413BD\nMC1416BD\nD SUFFIX\nPLASTIC PACKAGE\nCASE 751B\nT\nA\n(SO–16)\nPIN CONNECTIONS\nRepresentative Schematic Diagrams\n1\n2\n3\n4\n5\n6\n16\n15\n14\n13\n12\n11\n10\n9\n1/7 MC1413, B\n2.7 k\n5.0 k\nPin 9\n3.0 k\n1/7 MC1416, B\n10.5 k\n5.0 k\nPin 9\n7\n8\n3.0 k\n(Top View)\n?\nMotorola, Inc. 1996\nRev 0", null, "", null, "" ]
[ null, "http://p.datasheet.21ic.com/source3/img/partimg/2014101904/35/6be9a99d-f27b-4b38-9f35-4ad14666ab56.jpeg", null, "http://www.sport-tx.com/logo/112ONSEMI.GIF", null, "http://www.sport-tx.com/images/pdf_icon.jpg", null, "http://www.sport-tx.com/datasheet/qrcode.html", null, "http://misc.21ic.com/homepage2016/images/qrcode_embed.jpg", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.5081929,"math_prob":0.6322921,"size":1583,"snap":"2019-35-2019-39","text_gpt3_token_len":727,"char_repetition_ratio":0.078530714,"word_repetition_ratio":0.007905139,"special_character_ratio":0.35691723,"punctuation_ratio":0.087248325,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.98933554,"pos_list":[0,1,2,3,4,5,6,7,8,9,10],"im_url_duplicate_count":[null,4,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-09-20T03:47:31Z\",\"WARC-Record-ID\":\"<urn:uuid:c532e79b-c34a-450b-8282-ca651ccbf6c8>\",\"Content-Length\":\"44521\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:1e720459-5a22-4eae-8c1b-ae8f8fd498eb>\",\"WARC-Concurrent-To\":\"<urn:uuid:5d7a49d0-f5cd-4625-85d7-0960461dbe20>\",\"WARC-IP-Address\":\"175.29.149.17\",\"WARC-Target-URI\":\"http://www.sport-tx.com/datasheet/MC1413/Z2xqbG2WZw==.html\",\"WARC-Payload-Digest\":\"sha1:EJARTFKYZM4LQYL44Y4QLPER3BN5O73U\",\"WARC-Block-Digest\":\"sha1:K57MHG6UVYGDRCCGWYOHVDVF4SXQQFXI\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-39/CC-MAIN-2019-39_segments_1568514573827.2_warc_CC-MAIN-20190920030357-20190920052357-00494.warc.gz\"}"}
https://pyquil-docs.rigetti.com/en/v2.19.0/migration2-qc.html
[ "# New in Forest 2 - QuantumComputer¶\n\nPyQuil is for constructing and running quantum programs on real quantum computers. With the release of pyQuil 2, we have changed parts of the API to better reflect that focus. Instead of swapping between a QVMConnection and a QPUConnection, you will primarily deal with a QuantumComputer with consistent API and behavior regardless of\n\n• QVM / QPU\n• Presence of noise model\n• Device topology\n\n## Running a program¶\n\nLet’s show how you can run a simple program on a QuantumComputer first we start with the relevant imports.\n\n:\n\nfrom pyquil import Program\nfrom pyquil.gates import *\n\n\nWe’ll write a function that takes a list of qubits and returns a pyQuil Program that constructs an entangled “GHZ” state. This is a generalization of the two-qubit Bell state.\n\n:\n\ndef ghz_state(qubits):\n\"\"\"Create a GHZ state on the given list of qubits by applying\na Hadamard gate to the first qubit followed by a chain of CNOTs\n\"\"\"\nprogram = Program()\nprogram += H(qubits)\nfor q1, q2 in zip(qubits, qubits[1:]):\nprogram += CNOT(q1, q2)\nreturn program\n\n\nFor example, creating a GHZ state on qubits 1, 2, and 3 would look like:\n\n:\n\nprogram = ghz_state(qubits=[0, 1, 2])\nprint(program)\n\nH 0\nCNOT 0 1\nCNOT 1 2\n\n\n\n## Debugging with WavefunctionSimulator¶\n\nWe can check that this program gives us the desired wavefunction by using WavefunctionSimulator.wavefunction()\n\n:\n\nfrom pyquil.api import WavefunctionSimulator\nwfn = WavefunctionSimulator().wavefunction(program)\nprint(wfn)\n\n(0.7071067812+0j)|000> + (0.7071067812+0j)|111>\n\n\nWe can’t get the wavefunction from a real quantum computer though, so instead we’ll sample bitstrings. We expect to always measure the bitstring 000 or the bitstring 111 based on the definition of a GHZ state and confirmed by our wavefunction simulation.\n\n## get_qc¶\n\nWe’ll construct a QuantumComputer via the helper method get_qc. You may be tempted to use the QuantumComputer constructor directly. Please refer to the advanced documentation to see how to do that. Our program uses 3 qubits, so we’ll ask for a 3-qubit QVM.\n\n:\n\nfrom pyquil import get_qc\nqc = get_qc('3q-qvm')\nqc\n\n:\n\nQuantumComputer[name=\"3q-qvm\"]\n\n\nWe can do a quick check to make sure it has 3 qubits\n\n:\n\nqc.qubits()\n\n:\n\n[0, 1, 2]\n\n\n## Sampling with run_and_measure¶\n\nQuantumComputer.run_and_measure will run a given program (that does not have explicit MEASURE instructions) and then measure all qubits present in the quantum computer.\n\n:\n\nbitstrings = qc.run_and_measure(program, trials=10)\nbitstrings\n\n:\n\n{0: array([1, 0, 0, 1, 1, 1, 1, 0, 1, 0]),\n1: array([1, 0, 0, 1, 1, 1, 1, 0, 1, 0]),\n2: array([1, 0, 0, 1, 1, 1, 1, 0, 1, 0])}\n\n\nLet’s programatically verify that we always measure 000 or 111 by “summing” each bitstring and checking if it’s eather 0 (for 000) or 3 (for 111)\n\n:\n\nimport numpy as np\nbitstring_array = np.vstack([bitstrings[q] for q in qc.qubits()]).T\nsums = np.sum(bitstring_array, axis=1)\nsums\n\n:\n\narray([3, 0, 0, 3, 3, 3, 3, 0, 3, 0])\n\n:\n\nsample_is_ghz = np.logical_or(sums == 0, sums == 3)\nsample_is_ghz\n\n:\n\narray([ True, True, True, True, True, True, True, True, True,\nTrue])\n\n:\n\nnp.all(sample_is_ghz)\n\n:\n\nTrue\n\n\n## Change alert: run_and_measure will return a dictionary of 1d bitstrings.¶\n\nNot a 2d array. To demonstrate why, consider a lattice whose qubits are not contiguously indexed from 0.\n\n:\n\n# TODO: we need a lattice that is not zero-indexed\n# qc = get_qc('Aspen-0-3Q-B')\n# qc.run_and_measure(ghz_state(qubits=[1,2,3]))\n\n\n## Change alert: All qubits are measured¶\n\nPyQuil 1.x’s run_and_measure would only measure qubits used in the given program. Now all qubits (per qc.qubits()) are measured. This is easier to reason about and reflects the reality of running on a QPU. When accounting for noise or when running QCVV tasks, you may be interested in the measurement results of qubits that weren’t even used in your program!\n\n:\n\nqc = get_qc('4q-qvm')\nbitstrings = qc.run_and_measure(Program(X(0), X(1), X(2)), trials=10)\nbitstrings\n\n:\n\n{0: array([1, 1, 1, 1, 1, 1, 1, 1, 1, 1]),\n1: array([1, 1, 1, 1, 1, 1, 1, 1, 1, 1]),\n2: array([1, 1, 1, 1, 1, 1, 1, 1, 1, 1]),\n3: array([0, 0, 0, 0, 0, 0, 0, 0, 0, 0])}\n\n\nYou can drop qubits you’re not interested in by indexing into the returned dictionary\n\n:\n\n# Stacking everything\nnp.vstack([bitstrings[q] for q in qc.qubits()]).T\n\n:\n\narray([[1, 1, 1, 0],\n[1, 1, 1, 0],\n[1, 1, 1, 0],\n[1, 1, 1, 0],\n[1, 1, 1, 0],\n[1, 1, 1, 0],\n[1, 1, 1, 0],\n[1, 1, 1, 0],\n[1, 1, 1, 0],\n[1, 1, 1, 0]])\n\n:\n\n# Stacking what you want (contrast with above)\nqubits = [0, 1, 2]\nnp.vstack([bitstrings[q] for q in qubits]).T\n\n:\n\narray([[1, 1, 1],\n[1, 1, 1],\n[1, 1, 1],\n[1, 1, 1],\n[1, 1, 1],\n[1, 1, 1],\n[1, 1, 1],\n[1, 1, 1],\n[1, 1, 1],\n[1, 1, 1]])\n\n\n## Change alert: run_and_measure works with noise models now.¶\n\nIn pyQuil 1.x, run_and_measure would not work with noise models. Now noise models are supported. Pre-configured noise models can be used via get_qc('xxxx-noisy-qvm').\n\nAs a consequence, run_and_measure for large numbers of trials will be slower in Pyquil 2.\n\n:\n\nqc = get_qc('3q-noisy-qvm')\nbitstrings = qc.run_and_measure(program, trials=10)\nbitstrings\n\n:\n\n{0: array([0, 1, 1, 0, 0, 1, 1, 0, 1, 1]),\n1: array([0, 1, 1, 0, 0, 1, 1, 0, 1, 1]),\n2: array([0, 1, 1, 0, 0, 1, 1, 0, 1, 1])}\n\n:\n\nbitstring_array = np.vstack([bitstrings[q] for q in qc.qubits()]).T\nsums = np.sum(bitstring_array, axis=1)\nsums\n\n:\n\narray([0, 3, 3, 0, 0, 3, 3, 0, 3, 3])\n\n:\n\n# Noise means now we measure things other than 000 or 111\nnp.all(np.logical_or(sums == 0, sums == 3))\n\n:\n\nTrue\n\n\n## list_quantum_computers¶\n\nYou can find all possible arguments to get_qc with list_quantum_computers\n\n:\n\nfrom pyquil import list_quantum_computers\n# TODO: unauthenticated endpoint\n# list_quantum_computers()\n\n\n## QuantumComputers have a topology¶\n\nAn important restriction when running on a real quantum computer is the mapping of qubits to the supported two-qubit gates. The QVM is designed to provide increasing levels of “realism” to guarantee that if your program executes successfully on get_qc(\"Aspen-xxx-noisy-qvm\") then it will execute successfully on get_qc(\"Aspen-xxx\")*\n\n* guarantee not currently guaranteed. This is a work in progress.\n\n## Inspecting the topology¶\n\nYou can access a topology by qc.qubit_topology(), which will return a NetworkX representation of qubit connectivity. You can access the full set of supported instructions by qc.get_isa(). For example, we include a generic QVM named \"9q-square-qvm\" that has a square topology.\n\n:\n\nqc = get_qc('9q-square-qvm')\n%matplotlib inline\nimport networkx as nx\nnx.draw(qc.qubit_topology())\nfrom matplotlib import pyplot as plt\n_ = plt.title('9q-square-qvm', fontsize=18)", null, "## What If I don’t want a topology?¶\n\nWavefunctionSimulator still has no notion of qubit connectivity, so feel free to use that for simulating quantum algorithms that you aren’t concerned about running on an actual QPU.\n\nAbove we used get_qc(\"3q-qvm\"), \"4q-qvm\", and indeed you can do any \"{n}q-qvm\" (subject to computational resource constraints). These QVM’s are constructed with a topology! It just happens to be fully connected\n\n:\n\nnx.draw(get_qc('5q-qvm').qubit_topology())\n_ = plt.title('5q-qvm is fully connected', fontsize=16)", null, "## Heirarchy of realism¶\n\n• WavefunctionSimulator to debug algorithm\n• get_qc(\"5q-qvm\") to debug sampling\n• get_qc(\"9q-square-qvm\") to debug mapping to a lattice\n• get_qc(\"9q-square-noisy-qvm\") to debug generic noise characteristics\n• get_qc(\"Aspen-0-16Q-A-qvm\") to debug mapping to a real lattice\n• get_qc(\"Aspen-0-16Q-A-noisy-qvm\") to debug noise characteristics of a real device\n• get_qc(\"Aspen-0-16Q-A\") to run on a real device\n\n## “What is a QuantumComputer?” Advanced Edition¶\n\nA QuantumComputer is a wrapper around three constituent parts, each of which has a programatic interface that must be respected by all classes that implement the interface. By having clear interfaces we can write backend-agnostic methods on QuantumComputer and mix-and-match backing objects.\n\nThe following diagram shows the three objects that must be provided when constructing a QuantumComputer “by hand”. The abstract classes are backed in grey with example implementing classes listed below. Please consult the api reference for details on each interface.", null, "As an example, let’s construct a 5-qubit QVM with one central node and only even numbered qubits.\n\n:\n\ntopology = nx.from_edgelist([\n(10, 2),\n(10, 4),\n(10, 6),\n(10, 8),\n])\nfrom pyquil.device import NxDevice\ndevice = NxDevice(topology)\n\nfrom pyquil.api._qac import AbstractCompiler\nclass MyLazyCompiler(AbstractCompiler):\ndef quil_to_native_quil(self, program, *, protoquil=None):\nreturn program\n\ndef native_quil_to_executable(self, nq_program):\nreturn nq_program\n\nfrom pyquil.api import QuantumComputer, QVM, ForestConnection\nmy_qc = QuantumComputer(\nname='my-qvm',\nqam=QVM(connection=ForestConnection()),\ndevice=device,\ncompiler=MyLazyCompiler(),\n)\n\nnx.draw(my_qc.qubit_topology())", null, ":\n\nmy_qc.run_and_measure(Program(X(10)), trials=5)\n\n:\n\n{2: array([0, 0, 0, 0, 0]),\n4: array([0, 0, 0, 0, 0]),\n6: array([0, 0, 0, 0, 0]),\n8: array([0, 0, 0, 0, 0]),\n10: array([1, 1, 1, 1, 1])}" ]
[ null, "https://pyquil-docs.rigetti.com/en/v2.19.0/_images/migration2-qc_34_0.png", null, "https://pyquil-docs.rigetti.com/en/v2.19.0/_images/migration2-qc_36_0.png", null, "https://pyquil-docs.rigetti.com/en/v2.19.0/_images/pyquil-objects.png", null, "https://pyquil-docs.rigetti.com/en/v2.19.0/_images/migration2-qc_39_0.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.68891674,"math_prob":0.9919639,"size":9079,"snap":"2021-31-2021-39","text_gpt3_token_len":2941,"char_repetition_ratio":0.15966941,"word_repetition_ratio":0.10427227,"special_character_ratio":0.3245952,"punctuation_ratio":0.21580547,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9710588,"pos_list":[0,1,2,3,4,5,6,7,8],"im_url_duplicate_count":[null,1,null,1,null,1,null,1,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-09-16T19:29:31Z\",\"WARC-Record-ID\":\"<urn:uuid:ce42bdda-1f6e-465a-8c61-acc819a625cb>\",\"Content-Length\":\"60996\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:14919f9a-3447-4949-a4b2-0b3c2eb6416c>\",\"WARC-Concurrent-To\":\"<urn:uuid:2d5d1aae-e440-45b8-b232-dd9b3628e569>\",\"WARC-IP-Address\":\"104.17.33.82\",\"WARC-Target-URI\":\"https://pyquil-docs.rigetti.com/en/v2.19.0/migration2-qc.html\",\"WARC-Payload-Digest\":\"sha1:O3MQW7PYUMCY7MDAOBBA4PBMMW643WID\",\"WARC-Block-Digest\":\"sha1:63L5STVKGZHQI2RSZJMD7ESQQEMHME63\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-39/CC-MAIN-2021-39_segments_1631780053717.37_warc_CC-MAIN-20210916174455-20210916204455-00105.warc.gz\"}"}
https://kmusi.pugliasrl.it/rate-of-change-of-acceleration-unit.html
[ "### Go math grade 7 practice and skills fluency workbook answer key\n\nStart studying Motion, Velocity, Speed, Acceleration. Learn vocabulary, terms, and more with flashcards, games, and other study tools. Dec 11, 2013 · If we look at the rate of change of velocity, the second derivative (by time) of the object’s displacement (i.e. the rate of change of the rate of change of its displacement), then we have calculated the object’s acceleration. If we now look at the rate of change of acceleration, the third derivative of the object’s displacement (i.e. the ...\n\n### How to lock honeywell 6000 thermostat\n\nderiving the above equation w.r.t time will give you the rate of change of acceleration. That will be dependent on two things, da/dt = (1/m)dF/dt - F.(1/m^2)dm/dt As rate of change of mass can be assumed 0, the equation reduces to da/dt= (1/m)dF/dt\nThis precalculus video tutorial explains how to calculate the average rate of change of a function over an interval. This video contains plenty of examples ... 14 Slope and Rate of Change Rate of Change Quiz 3 Practice Test Practice Test How are you doing? Get this page from your teacher Math Journal Math Journal Journal entry based on criteria on handout and question jointly chosen. Self-Assessment Self-Assessment On the next page, complete the self-assessment assignment. Unit Test Unit Test\n\n### Where is my phone icon on my samsung tablet\n\nAcceleration: It is the rate of change of velocity of the object in respect to the time frame. It's SI unit is meter per second squared (m/s 2), as the velocity in meters per second changes by the acceleration value, every second. It is a vector quantity as it contains both magnitude and direction.\nDec 19, 2016 · Velocity , Both , Or Acceleration?? 1. A rate of change 2. Unit m/s 3. Unit m/s^2 4. Can be positive or negative 5. Change in velocity over change in time 6. Change in displacement over change in time Sep 30, 2016 · The rate of change of acceleration is called jolt or jerk. Jerk is a vector quantity as it has both direction and magnitude. Jerk is expressed in meters per second cube. (m/sec^3) Jerk is the time derivative of acceleration.\n\n### Webassign answers pdf statistics\n\nCHA-3.A.2 The derivative can be used to express information about rates of change in applied contexts. CHA-3.A.3 The unit for f' (x) is the unit for f divided by the unit for x. CHA-3.B.1 The derivative can be used to solve rectilinear motion problems involving position, speed, velocity, and acceleration.\nIts SI unit is m/s 2. Acceleration due to gravity is a vector, which means it has both a magnitude and a direction. The acceleration due to gravity at the surface of Earth is represented by the letter g. It has a standard value defined as 9.80665 m/s 2 (32.1740 ft/s 2). However, the actual acceleration of a body in free fall varies with location. Tangential Acceleration The tangential accelerationis the rate of change of the magnitude of the velocity Angular acceleration: rate of change of angular velocity with time 2 00 2 t lim lim tt vdd aR RRR t t dt dt ωω θ α Δ→ Δ→ ΔΔ == == = ΔΔ α= dω dt = d2θ dt2 (units: rad⋅s-2)\n\n### Magpul pmag 10 pack dark earth\n\nThough the St. Lucie Unit 1 and Unit 2 TS states that the power rate-of-change trip may be bypassed below 10-4% and above 15% of RATED THERMAL POWER, the power rate-of-change trip is automatically bypassed below 1 o-4% and above 15% power and is automatically restored upon re-entering this power range.\nRate means per unit of time. 5 miles per hour is a rate because it is expressed as distance per unit of time. Acceleration is a simple rate of change -- the rate changes. Hmm, maybe I look too deeply. Acceleration (a) is defined as the rate of change of velocity of an object with time. Here velocity is the rate with an object moves from one place to another. Velocity is a vector quantity, which means it has both a magnitude, called speed, and a direction. This makes acceleration also a vector quantity.\n\n### Juniper syslog examples\n\nRate of Change Definition Basically, the ratio of the change in the output value and change in the input value of a function is called as rate of change. Rate of change is the ratio that shows the relationship between the two variables in equation.\nTIPS4RM: MCV4U: Unit 1 – Rates of Change 2008 12 1.1.4: Frayer Model Solutions (Teacher) Definition Instantaneous Rate of Change is the measure of the rate of change for a continuous function at point on the function. Characteristics • The rate can be represented as the slope of the tangent line to a curve at a particular point Mar 07, 2001 · The paradigm shift rate (i.e., the overall rate of technical progress) is currently doubling (approximately) every decade; that is, paradigm shift times are halving every decade (and the rate of acceleration is itself growing exponentially).\n\n### Mikhaila peterson eggs\n\nAcceleration and Speed are both kinds of rates. and for a quantity to be a rate, such as speed, the change in something is inseparable from the change in something else. You cannot define a rate without expressing the change in two related quantities.\nDec 17, 1991 · According to the invention, an acceleration rate-of-change limitation is provided to ensure that the driving system does not experience any sudden changes as a result of the acceleration changes a 1. Such an acceleration rate-of-change limitation can be achieved for example by filtering the acceleration values to round off the edges of a particular acceleration pulse so that the respective new acceleration value is reached gradually. Acceleration is the rate of change of velocity, hence the units. If you were to plot a graph of velocity against time the gradient would be the So even if something is travelling with a constant speed, if its direction changes then it is accelerating. This effect is illustrated in circular motion, but an explaintion...\n\n### Vuetify container fixed width\n\nChecklist for Unit 1a: 1.1 Slope and Rate of Change 1.2 Grade, Angle of Elevation 1.3 Rate of Change\nDefine acceleration. acceleration synonyms, acceleration pronunciation, acceleration translation, English dictionary definition of acceleration. n. 1. a. The act 2. Abbr. a Physics The rate of change of velocity with respect to time. American Heritage® Dictionary of the English Language, Fifth Edition.\n\n### Oracion de la salud de mi familia\n\n• Nonprofit board of directors voting rights\n• #### Winaero tweaker reddit\n\n• Physical science chapter 13 forces in fluids test answers\n\n• #### Balsa electric rc plane kits\n\n• Kubota la450s specs\n• #### Davinci resolve generate optimized media error\n\n• Lobo how can i tell her about you lyrics chords\n• #### Machines a sous gratuites 3d tropezia palace\n\n• Virtual learning expectations\n\n• #### Hot rod cars\n\nDeposit check with paypal\n\n### Moze deathless bloodletter build\n\nacceleration unit — noun a unit for measuring acceleration • Hypernyms: ↑unit of measurement, ↑unit • Hyponyms: ↑gal … Useful english dictionary. measurement — I (New American Roget s College Thesaurus) Determination of size Nouns 1. measurement, measure, admeasurement, mensuration...\n14 Slope and Rate of Change Rate of Change Quiz 3 Practice Test Practice Test How are you doing? Get this page from your teacher Math Journal Math Journal Journal entry based on criteria on handout and question jointly chosen. Self-Assessment Self-Assessment On the next page, complete the self-assessment assignment. Unit Test Unit Test" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.88737184,"math_prob":0.9015865,"size":10925,"snap":"2021-04-2021-17","text_gpt3_token_len":2568,"char_repetition_ratio":0.19183224,"word_repetition_ratio":0.23159592,"special_character_ratio":0.22517163,"punctuation_ratio":0.107893504,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99442685,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-04-18T14:11:31Z\",\"WARC-Record-ID\":\"<urn:uuid:d9021241-6a57-4ffc-9be0-d22533252191>\",\"Content-Length\":\"37444\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:6ca765fc-31d0-41bb-a50e-4711377e6af2>\",\"WARC-Concurrent-To\":\"<urn:uuid:869188f3-6236-466c-bf13-6439593e276b>\",\"WARC-IP-Address\":\"104.21.14.73\",\"WARC-Target-URI\":\"https://kmusi.pugliasrl.it/rate-of-change-of-acceleration-unit.html\",\"WARC-Payload-Digest\":\"sha1:QPAJUSVTQXZZ2MPYI4A3MJU4NVWL6J4X\",\"WARC-Block-Digest\":\"sha1:LZZHCGTHOAJQYHOZCLUYTLROFHWIQ63I\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-17/CC-MAIN-2021-17_segments_1618038492417.61_warc_CC-MAIN-20210418133614-20210418163614-00438.warc.gz\"}"}
http://www.ferinheighttocelsius.com/fahrenheit-to-celsius-formula/
[ "# Fahrenheit to Celsius formula\n\n## Conversion between temperature scales\n\nUse the following equations to calculate temperature in degrees Celsius (t[C]) from degrees Fahrenheit (t[F]) and vice versa. More generally, the National Institute of Standards and Technology (NIST) website is one of the most reliable resources for information about systems of units and unit conversion.\n\n### Fahrenheit to Celsius\n\n``````t[C] = (5/9)*(t[F] - 32)\n``````\n\n### Celsius to Fahrenheit\n\n``````t[F] = (9/5)*t[C] + 32\n``````" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.78386915,"math_prob":0.9652864,"size":583,"snap":"2019-43-2019-47","text_gpt3_token_len":131,"char_repetition_ratio":0.12435233,"word_repetition_ratio":0.0,"special_character_ratio":0.22298457,"punctuation_ratio":0.05154639,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9943369,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-11-16T21:17:54Z\",\"WARC-Record-ID\":\"<urn:uuid:e8fc46de-64a3-499c-a3d3-437e2e18b9c2>\",\"Content-Length\":\"10943\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:bb43f23d-87eb-491f-9722-ec083066bb01>\",\"WARC-Concurrent-To\":\"<urn:uuid:9380b8fe-0fe5-4a0c-85fb-b762e676f411>\",\"WARC-IP-Address\":\"104.28.20.191\",\"WARC-Target-URI\":\"http://www.ferinheighttocelsius.com/fahrenheit-to-celsius-formula/\",\"WARC-Payload-Digest\":\"sha1:TWY65ICZBZNQTKKFS5XRYOYVYACDRGGT\",\"WARC-Block-Digest\":\"sha1:SBHFYBY7BI5N5FZRROB2QX52I6ZFJVEU\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-47/CC-MAIN-2019-47_segments_1573496668765.35_warc_CC-MAIN-20191116204950-20191116232950-00339.warc.gz\"}"}
https://pijaeducation.com/arduino/how-to-take-output-from-arduino-uno/blink-leds-in-stack-form-using-for-loop/
[ "# Blink LEDs in Stack Form Using for loop\n\nTo blink LEDs in stack form using for loop we first know about “Stack  (click) and basic program of LEDs stack pattern (previous topic)“.\n\n## Required hardware or components for Lighting up LED in Stack form using Arduino\n\nS.N.ComponentQuantity\n1.Arduino Uno1\n3.LED4\n4.Resistor 220 or 280 ohm4\n\n## CIRCUIT DIAGRAM : BLINK LEDS IN STACK FORM USING FOR LOOP\n\n### CONNECTION TABLE\n\nS.N.ArduinoLED\n1.GNDCathode (-)\n2.2LED 1 - Anode (+)\n3.3LED 2 - Anode (+)\n4.4LED 3 - Anode (+)\n5.5LED 4 - Anode (+)\n\n## ARDUINO PROGRAMMING CODE : BLINK LEDS IN STACK FORM USING FOR LOOP\n\n```int i;\nvoid setup() {\nfor (i = 2 ; i <= 5; i++) {\npinMode(i, OUTPUT);\n}\n}\n\nvoid loop() {\nfor (i = 2; i <= 5 ; i++) {\ndigitalWrite(i, HIGH);\ndelay(500);\n}\nfor (i = 5; i >= 2 ; i--) {\ndigitalWrite(i, LOW);\ndelay(500);\n}\n}\n```\n\n## CODE EXPLANATION\n\nStep-1: We define an integer variable i.\n\n`int i;`\n\nStep-2: In this block we use a for-loop because we want to do the same work again and again i.e. We want to set the mode of the pin number as output in an order from number 2 to 5. Loop will run 4 times as the loop runs in the first cycle it assigns pin 2 as an output then in the second cycle it assigns pin 3 as an output and same in third cycle pin 4 and in forth cycle pin 5.\n\n```void setup() {\nfor (i = 2 ; i <= 5; i++) {\npinMode(i, OUTPUT);\n}\n}```\n\nStep-3:\n\nIn first for-loop we want to set the state of pin number 2, 3, 4 & 5 as HIGH after a delay of 0.5 second next to each other to turn ON led connected on pin number 2, 3, 4 & 5.\n\nIn the second for-loop we want to set the state of pin number 5, 4, 3, & 2 as LOW after a delay of 0.5 second next to each other to turn OFF led connected on pin number 5, 4, 3 & 2.\n\n```void loop() {\nfor (i = 2; i <= 5 ; i++) {\ndigitalWrite(i, HIGH);\ndelay(500);\n}\nfor (i = 5; i >= 2 ; i--) {\ndigitalWrite(i, LOW);\ndelay(500);\n}\n}```\n\nAnd the void loop() gets executed continuously and follows the same pattern.\n\nNow let’s try a new pattern\n\nSubscribe\nNotify of", null, "" ]
[ null, "https://secure.gravatar.com/avatar/", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.68433464,"math_prob":0.9639393,"size":2010,"snap":"2023-40-2023-50","text_gpt3_token_len":669,"char_repetition_ratio":0.09770688,"word_repetition_ratio":0.29787233,"special_character_ratio":0.36666667,"punctuation_ratio":0.1487069,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9808456,"pos_list":[0,1,2],"im_url_duplicate_count":[null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-09-24T14:41:06Z\",\"WARC-Record-ID\":\"<urn:uuid:9e90de8d-3d8c-4cda-aa41-be345ef6ca1c>\",\"Content-Length\":\"268223\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:059e9fd9-b37f-405e-a172-54b4d823d0b1>\",\"WARC-Concurrent-To\":\"<urn:uuid:dc1140ed-3b58-4b9f-8890-fbdb842f1f82>\",\"WARC-IP-Address\":\"134.119.218.58\",\"WARC-Target-URI\":\"https://pijaeducation.com/arduino/how-to-take-output-from-arduino-uno/blink-leds-in-stack-form-using-for-loop/\",\"WARC-Payload-Digest\":\"sha1:XFXTF654SDRSQIF4RS5UYS2ZEFCMPEBA\",\"WARC-Block-Digest\":\"sha1:M6HFRYE4FALORSVKW2XD7HL2TOKYXPRT\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-40/CC-MAIN-2023-40_segments_1695233506646.94_warc_CC-MAIN-20230924123403-20230924153403-00527.warc.gz\"}"}
https://kr.mathworks.com/matlabcentral/cody/problems/10-determine-whether-a-vector-is-monotonically-increasing/solutions/1544827
[ "Cody\n\n# Problem 10. Determine whether a vector is monotonically increasing\n\nSolution 1544827\n\nSubmitted on 31 May 2018 by Danuanping\nThis solution is locked. To view this solution, you need to provide a solution of the same size or smaller.\n\n### Test Suite\n\nTest Status Code Input and Output\n1   Pass\nx = [0 1 2 3 4]; assert(isequal(mono_increase(x),true));\n\nans = logical 1\n\n2   Pass\nx = ; assert(isequal(mono_increase(x),true));\n\nans = logical 1\n\n3   Pass\nx = [0 0 0 0 0]; assert(isequal(mono_increase(x),false));\n\nans = logical 0\n\n4   Pass\nx = [0 1 2 3 -4]; assert(isequal(mono_increase(x),false));\n\nans = logical 0\n\n5   Pass\nx = [-3 -4 2 3 4]; assert(isequal(mono_increase(x),false));\n\nans = logical 0\n\n6   Pass\nx = 1:.1:10; assert(isequal(mono_increase(x),true));\n\nans = logical 1\n\n7   Pass\nx = cumsum(rand(1,100)); x(5) = -1; assert(isequal(mono_increase(x),false));\n\nans = logical 0\n\n8   Pass\nx = cumsum(rand(1,50)); assert(isequal(mono_increase(x),true));\n\nans = logical 1\n\n### Community Treasure Hunt\n\nFind the treasures in MATLAB Central and discover how the community can help you!\n\nStart Hunting!" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.5579031,"math_prob":0.9991184,"size":1083,"snap":"2020-45-2020-50","text_gpt3_token_len":362,"char_repetition_ratio":0.17145506,"word_repetition_ratio":0.13017751,"special_character_ratio":0.37026778,"punctuation_ratio":0.15625,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99763966,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-11-27T21:43:13Z\",\"WARC-Record-ID\":\"<urn:uuid:679811d4-00e2-47a4-b0fb-6dc22a3bc90d>\",\"Content-Length\":\"83588\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:c764e697-1a77-4e2d-aef7-984dcf24bab3>\",\"WARC-Concurrent-To\":\"<urn:uuid:2b584141-26d5-46dc-8a2c-0915d24fa4d6>\",\"WARC-IP-Address\":\"23.56.12.57\",\"WARC-Target-URI\":\"https://kr.mathworks.com/matlabcentral/cody/problems/10-determine-whether-a-vector-is-monotonically-increasing/solutions/1544827\",\"WARC-Payload-Digest\":\"sha1:C37GC7AFD6CB6CN5QSXT2D3R3USE3S7O\",\"WARC-Block-Digest\":\"sha1:6IWJUQNG6MHMW6UWJ6M52PGMRUHXQE6Y\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-50/CC-MAIN-2020-50_segments_1606141194171.48_warc_CC-MAIN-20201127191451-20201127221451-00695.warc.gz\"}"}
https://blog.vedicmathsindia.org/complex-mergers/
[ "SHARE\n\nThis post is, once again, a summary of a longer post authored by me on my own blog. My blog covers a lot of areas, including Vedic Mathematics. If you are interested in reading my thoughts on other topics, please feel free to visit my blog and post comments on the other articles you find there also! Thank you!\n\nIn the previous lesson, we saw how it is sometimes possible to apply the merger methodology to equations that have more than 3 terms originally, bringing them to a form that ultimately makes it possible to solve them using the merger formulae we derived earlier. In this lesson, we will look at a different type of equation whose terms can be merged down to a form where we can apply simple formulae to solve the equation.\n\nConsider the equation below:\n\n4/(x + 3) – 16/(4x + 13) = 1/(2x + 5) – 1/(2x + 9)\n\nThis does not seem to be a prime candidate for a merger of any sort. Now, look at the series of manipulations we can perform on the above equation:\n\n4/(x + 3) – 16/(4x + 13) = 1/(2x + 5) – 1/(2x + 9) becomes\n[4*(4x + 13) – 16*(x + 3)]/[(x + 3)*(4x + 13)] = [(2x + 9) – (2x + 5)]/[(2x + 5)*(2x + 9)] becomes\n4/[(x + 3)*(4x + 13)] = 4/[(2x + 5)*(2x + 9)]\n\nNow, we see that the numerator is the same on both sides of the equation. We can then cancel out the common numerator, and invert the two terms to get a simple equation as below:\n\n(x + 3)*(4x + 13) = (2x + 5)*(2x + 9)\n\nWe now recognize this to be a generalized form of the third type of equation we derived a formula for in the lesson on solving equations using the Paravartya Yojayet sutra. Applying the formula we derived then to the equation above, we can easily find the solution for the equation to be x = -2.\n\nThe operation we performed on the given equation to reduce it to a form that is easily amenable to solution using the formula we derived earlier is called a complex merger.\n\nHow do we identify when an equation is capable of being solved using complex merger? There are three tests that will tell us when the conditions are correct for the application of a complex merger operation on a given equation. Consider a general equation as below:\n\na/(bx + c) – d/(ex + f) = g/(hx + j) – k/(mx + n)\n\nThe first condition the equation has to satisfy is as below:\n\na/b = d/e and g/h = k/m\n\nThus, we have to make sure that the ratio of the numerator to the coefficient of the unknown is the same in both terms on the left hand side of the equation as well as in both terms on the right hand side of the equation. The ratios on the left and right hand side don’t have to be the same, just the ratios of the two terms on either side should be the same.\n\nWhat does this first condition ensure? Consider the equality a/b = d/e. It can be rewritten as ae = bd. On the left hand side of the given equation, when we take the LCM of (bx + c) and (ex + f), and then cross-multiply to combine the two terms into one, the coefficients of the unknown in the numerator will be ae and -bd. If ae = bd, then these coefficients will cancel out, leaving the numerator on the left hand side free of unknown terms. The condition g/h = k/m similarly ensures that the numerator on the right hand side contains no unknown terms either.\n\nThe second condition is that af – dc = gn – kj. The astute reader will have already surmised that the actual numerator on the left hand side of the equation (when we take the LCM of the two denominators and cross-multiply) is af – dc after the cancellation of the coefficients of the unknown term (according to the first condition). Similarly, gn – kj is the final numerator on the right hand side of the equation when that side is expanded out by cross-multiplication, after cancellation of the coefficients of the unknown terms.\n\nWhen this second condition is satisfied, it enables us to cancel out the numerators on either side of the equation and invert the equation into the form below:\n\n(bx + c)*(ex + f) = (hx + j)*(mx + n)\n\nThe third condition comes into play at this point. To ensure that this equation can be solved using the formula derived earlier, the third condition stipulates that be = hm. When this condition is satisfied, the two quadratic terms on either side of the equation cancel out, leaving us a linear equation that can be solved using the formula derived using the Paravartya Yojayet sutra. The final solution is then derived as x = (jn – cf)/(bf + ce – hn – mj)\n\nIf this third condition is not satisfied, all is not lost though. Because the first two conditions are satisfied, we have still managed to reduce a potentially cubic equation to just a quadratic equation which is easy to solve using the quadratic formula. Thus, if the first two conditions are satisfied, we should go ahead and take advantage of the complex merger to reduce the equation to a quadratic even if we are not able to reduce it to a linear form.\n\nWhat happens if the second condition is not satisfied either? We are then left with an equation as below:\n\n(af – dc)/[(bx + c)*(ex + f)] = (gn – kj)/[(hx + j)*(mx + n)]\n\nWhen we cross-multiply, we get:\n\n(af – dc)*(hx + j)*(mx + n) = (gn – kj)*(bx + c)*(ex + f)\n\nIf, at this point, we find that (af – dc)*hm = (gn – kj)*be, then the quadratic terms on the two sides of the equation will cancel out, and we will be left with a linear equation that can be solved by transposing and adjusting appropriately." ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.927439,"math_prob":0.99977404,"size":5876,"snap":"2020-34-2020-40","text_gpt3_token_len":1436,"char_repetition_ratio":0.15888965,"word_repetition_ratio":0.07520143,"special_character_ratio":0.2593601,"punctuation_ratio":0.070940174,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99983954,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-09-23T00:07:53Z\",\"WARC-Record-ID\":\"<urn:uuid:797d8665-7d92-45ae-a68d-74c4ca84a853>\",\"Content-Length\":\"128728\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:86e04599-cd6e-44a1-a9fc-7e62f16d0038>\",\"WARC-Concurrent-To\":\"<urn:uuid:8d040e3e-aaa6-4494-882f-21f63b6b5dbd>\",\"WARC-IP-Address\":\"157.245.110.226\",\"WARC-Target-URI\":\"https://blog.vedicmathsindia.org/complex-mergers/\",\"WARC-Payload-Digest\":\"sha1:KIAY64P7TQSXXVLKO4NIBCQGSK3PT5UO\",\"WARC-Block-Digest\":\"sha1:DZKUW4PBZH6GA5PCGU5WM4DE6COLCHKB\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-40/CC-MAIN-2020-40_segments_1600400208095.31_warc_CC-MAIN-20200922224013-20200923014013-00461.warc.gz\"}"}
https://openstax.org/books/university-physics-volume-1/pages/16-2-mathematics-of-waves
[ "University Physics Volume 1\n\n# 16.2Mathematics of Waves\n\nUniversity Physics Volume 116.2 Mathematics of Waves\n\n### Learning Objectives\n\nBy the end of this section, you will be able to:\n\n• Model a wave, moving with a constant wave velocity, with a mathematical expression\n• Calculate the velocity and acceleration of the medium\n• Show how the velocity of the medium differs from the wave velocity (propagation velocity)\n\nIn the previous section, we described periodic waves by their characteristics of wavelength, period, amplitude, and wave speed of the wave. Waves can also be described by the motion of the particles of the medium through which the waves move. The position of particles of the medium can be mathematically modeled as wave functions, which can be used to find the position, velocity, and acceleration of the particles of the medium of the wave at any time.\n\n### Pulses\n\nA pulse can be described as wave consisting of a single disturbance that moves through the medium with a constant amplitude. The pulse moves as a pattern that maintains its shape as it propagates with a constant wave speed. Because the wave speed is constant, the distance the pulse moves in a time $ΔtΔt$ is equal to $Δx=vΔtΔx=vΔt$ (Figure 16.8).\n\nFigure 16.8 The pulse at time $t=0t=0$ is centered on $x=0x=0$ with amplitude A. The pulse moves as a pattern with a constant shape, with a constant maximum value A. The velocity is constant and the pulse moves a distance $Δx=vΔtΔx=vΔt$ in a time $Δt.Δt.$ The distance traveled is measured with any convenient point on the pulse. In this figure, the crest is used.\n\n### Modeling a One-Dimensional Sinusoidal Wave using a Wave Function\n\nConsider a string kept at a constant tension $FTFT$ where one end is fixed and the free end is oscillated between $y=+Ay=+A$ and $y=−Ay=−A$ by a mechanical device at a constant frequency. Figure 16.9 shows snapshots of the wave at an interval of an eighth of a period, beginning after one period $(t=T).(t=T).$\n\nFigure 16.9 Snapshots of a transverse wave moving through a string under tension, beginning at time $t=Tt=T$ and taken at intervals of $18T.18T.$ Colored dots are used to highlight points on the string. Points that are a wavelength apart in the x-direction are highlighted with the same color dots.\n\nNotice that each select point on the string (marked by colored dots) oscillates up and down in simple harmonic motion, between $y=+Ay=+A$ and $y=−A,y=−A,$ with a period T. The wave on the string is sinusoidal and is translating in the positive x-direction as time progresses.\n\nAt this point, it is useful to recall from your study of algebra that if f(x) is some function, then $f(x−d)f(x−d)$ is the same function translated in the positive x-direction by a distance d. The function $f(x+d)f(x+d)$ is the same function translated in the negative x-direction by a distance d. We want to define a wave function that will give the y-position of each segment of the string for every position x along the string for every time t.\n\nLooking at the first snapshot in Figure 16.9, the y-position of the string between $x=0x=0$ and $x=λx=λ$ can be modeled as a sine function. This wave propagates down the string one wavelength in one period, as seen in the last snapshot. The wave therefore moves with a constant wave speed of $v=λ/T.v=λ/T.$\n\nRecall that a sine function is a function of the angle $θθ$, oscillating between $+1+1$ and $−1−1$, and repeating every $2π2π$ radians (Figure 16.10). However, the y-position of the medium, or the wave function, oscillates between $+A+A$ and $−A−A$, and repeats every wavelength $λλ$.\n\nFigure 16.10 A sine function oscillates between $+1+1$ and $−1−1$ every $2π2π$ radians.\n\nTo construct our model of the wave using a periodic function, consider the ratio of the angle and the position,\n\n$θx=2πλ,θ=2πλx.θx=2πλ,θ=2πλx.$\n\nUsing $θ=2πλxθ=2πλx$ and multiplying the sine function by the amplitude A, we can now model the y-position of the string as a function of the position x:\n\n$y(x)=Asin(2πλx).y(x)=Asin(2πλx).$\n\nThe wave on the string travels in the positive x-direction with a constant velocity v, and moves a distance vt in a time t. The wave function can now be defined by\n\n$y(x,t)=Asin(2πλ(x−vt)).y(x,t)=Asin(2πλ(x−vt)).$\n\nIt is often convenient to rewrite this wave function in a more compact form. Multiplying through by the ratio $2πλ2πλ$ leads to the equation\n\n$y(x,t)=Asin(2πλx−2πλvt).y(x,t)=Asin(2πλx−2πλvt).$\n\nThe value $2πλ2πλ$ is defined as the wave number. The symbol for the wave number is k and has units of inverse meters, $m−1:m−1:$\n\n$k≡2πλk≡2πλ$\n16.2\n\nRecall from Oscillations that the angular frequency is defined as $ω≡2πT.ω≡2πT.$ The second term of the wave function becomes\n\n$2πλvt=2πλ(λT)t=2πTt=ωt.2πλvt=2πλ(λT)t=2πTt=ωt.$\n\nThe wave function for a simple harmonic wave on a string reduces to\n\n$y(x,t)=Asin(kx∓ωt),y(x,t)=Asin(kx∓ωt),$\n\nwhere A is the amplitude, $k=2πλk=2πλ$ is the wave number, $ω=2πTω=2πT$ is the angular frequency, the minus sign is for waves moving in the positive x-direction, and the plus sign is for waves moving in the negative x-direction. The velocity of the wave is equal to\n\n$v=λT=λT(2π2π)=ωk.v=λT=λT(2π2π)=ωk.$\n16.3\n\nThink back to our discussion of a mass on a spring, when the position of the mass was modeled as $x(t)=Acos(ωt+ϕ).x(t)=Acos(ωt+ϕ).$ The angle $ϕϕ$ is a phase shift, added to allow for the fact that the mass may have initial conditions other than $x=+Ax=+A$ and $v=0.v=0.$ For similar reasons, the initial phase is added to the wave function. The wave function modeling a sinusoidal wave, allowing for an initial phase shift $ϕ,ϕ,$ is\n\n$y(x,t)=Asin(kx∓ωt+ϕ)y(x,t)=Asin(kx∓ωt+ϕ)$\n16.4\n\nThe value\n\n$(kx∓ωt+ϕ)(kx∓ωt+ϕ)$\n16.5\n\nis known as the phase of the wave, where $ϕϕ$ is the initial phase of the wave function. Whether the temporal term $ωtωt$ is negative or positive depends on the direction of the wave. First consider the minus sign for a wave with an initial phase equal to zero $(ϕ=0).(ϕ=0).$ The phase of the wave would be $(kx−ωt).(kx−ωt).$ Consider following a point on a wave, such as a crest. A crest will occur when $sin(kx−ωt)=1.00sin(kx−ωt)=1.00$, that is, when $kx−ωt=nπ+π2,kx−ωt=nπ+π2,$ for any integral value of n. For instance, one particular crest occurs at $kx−ωt=π2.kx−ωt=π2.$ As the wave moves, time increases and x must also increase to keep the phase equal to $π2.π2.$ Therefore, the minus sign is for a wave moving in the positive x-direction. Using the plus sign, $kx+ωt=π2.kx+ωt=π2.$ As time increases, x must decrease to keep the phase equal to $π2.π2.$ The plus sign is used for waves moving in the negative x-direction. In summary, $y(x,t)=Asin(kx−ωt+ϕ)y(x,t)=Asin(kx−ωt+ϕ)$ models a wave moving in the positive x-direction and $y(x,t)=Asin(kx+ωt+ϕ)y(x,t)=Asin(kx+ωt+ϕ)$ models a wave moving in the negative x-direction.\n\nEquation 16.4 is known as a simple harmonic wave function. A wave function is any function such that $f(x,t)=f(x−vt).f(x,t)=f(x−vt).$ Later in this chapter, we will see that it is a solution to the linear wave equation. Note that $y(x,t)=Acos(kx+ωt+ϕ′)y(x,t)=Acos(kx+ωt+ϕ′)$ works equally well because it corresponds to a different phase shift $ϕ′=ϕ−π2.ϕ′=ϕ−π2.$\n\n### Problem-Solving Strategy\n\n#### Finding the Characteristics of a Sinusoidal Wave\n\n1. To find the amplitude, wavelength, period, and frequency of a sinusoidal wave, write down the wave function in the form $y(x,t)=Asin(kx−ωt+ϕ).y(x,t)=Asin(kx−ωt+ϕ).$\n2. The amplitude can be read straight from the equation and is equal to A.\n3. The period of the wave can be derived from the angular frequency $(T=2πω).(T=2πω).$\n4. The frequency can be found using $f=1T.f=1T.$\n5. The wavelength can be found using the wave number $(λ=2πk).(λ=2πk).$\n\n### Example 16.3\n\n#### Characteristics of a Traveling Wave on a String\n\nA transverse wave on a taut string is modeled with the wave function\n$y(x,t)=Asin(kx−wt)=0.2msin(6.28m−1x−1.57s−1t).y(x,t)=Asin(kx−wt)=0.2msin(6.28m−1x−1.57s−1t).$\n\nFind the amplitude, wavelength, period, and speed of the wave.\n\n#### Strategy\n\nAll these characteristics of the wave can be found from the constants included in the equation or from simple combinations of these constants.\n\n#### Solution\n\n1. The amplitude, wave number, and angular frequency can be read directly from the wave equation:\n$y(x,t)=Asin(kx−wt)=0.2msin(6.28m−1x−1.57s−1t).y(x,t)=Asin(kx−wt)=0.2msin(6.28m−1x−1.57s−1t).$\n$(A=0.2m;k=6.28m−1;ω=1.57s−1)(A=0.2m;k=6.28m−1;ω=1.57s−1)$\n2. The wave number can be used to find the wavelength:\n$k=2πλ.λ=2πk=2π6.28m−1=1.0m.k=2πλ.λ=2πk=2π6.28m−1=1.0m.$\n3. The period of the wave can be found using the angular frequency:\n$ω=2πT.T=2πω=2π1.57s−1=4s.ω=2πT.T=2πω=2π1.57s−1=4s.$\n4. The speed of the wave can be found using the wave number and the angular frequency. The direction of the wave can be determined by considering the sign of $kx∓ωtkx∓ωt$: A negative sign suggests that the wave is moving in the positive x-direction:\n$|v|=ωk=1.57s−16.28m−1=0.25m/s.|v|=ωk=1.57s−16.28m−1=0.25m/s.$\n\n#### Significance\n\nAll of the characteristics of the wave are contained in the wave function. Note that the wave speed is the speed of the wave in the direction parallel to the motion of the wave. Plotting the height of the medium y versus the position x for two times $t=0.00st=0.00s$ and $t=0.80st=0.80s$ can provide a graphical visualization of the wave (Figure 16.11).\nFigure 16.11 A graph of height of the wave y as a function of position x for snapshots of the wave at two times. The dotted line represents the wave at time $t=0.00st=0.00s$ and the solid line represents the wave at $t=0.80s.t=0.80s.$ Since the wave velocity is constant, the distance the wave travels is the wave velocity times the time interval. The black dots indicate the points used to measure the displacement of the wave. The medium moves up and down, whereas the wave moves to the right.\n\nThere is a second velocity to the motion. In this example, the wave is transverse, moving horizontally as the medium oscillates up and down perpendicular to the direction of motion. The graph in Figure 16.12 shows the motion of the medium at point $x=0.60mx=0.60m$ as a function of time. Notice that the medium of the wave oscillates up and down between $y=+0.20my=+0.20m$ and $y=−0.20my=−0.20m$ every period of 4.0 seconds.\n\nFigure 16.12 A graph of height of the wave y as a function of time t for the position $x=0.6m.x=0.6m.$ The medium oscillates between $y=+0.20my=+0.20m$ and $y=−0.20my=−0.20m$ every period. The period represented picks two convenient points in the oscillations to measure the period. The period can be measured between any two adjacent points with the same amplitude and the same velocity, $(∂y/∂t).(∂y/∂t).$ The velocity can be found by looking at the slope tangent to the point on a y-versus-t plot. Notice that at times $t=3.00st=3.00s$ and $t=7.00s,t=7.00s,$ the heights and the velocities are the same and the period of the oscillation is 4.00 s.\n\nThe wave function above is derived using a sine function. Can a cosine function be used instead?\n\n### Velocity and Acceleration of the Medium\n\nAs seen in Example 16.4, the wave speed is constant and represents the speed of the wave as it propagates through the medium, not the speed of the particles that make up the medium. The particles of the medium oscillate around an equilibrium position as the wave propagates through the medium. In the case of the transverse wave propagating in the x-direction, the particles oscillate up and down in the y-direction, perpendicular to the motion of the wave. The velocity of the particles of the medium is not constant, which means there is an acceleration. The velocity of the medium, which is perpendicular to the wave velocity in a transverse wave, can be found by taking the partial derivative of the position equation with respect to time. The partial derivative is found by taking the derivative of the function, treating all variables as constants, except for the variable in question. In the case of the partial derivative with respect to time t, the position x is treated as a constant. Although this may sound strange if you haven’t seen it before, the object of this exercise is to find the transverse velocity at a point, so in this sense, the x-position is not changing. We have\n\n$y(x,t)=Asin(kx−ωt+ϕ)vy(x,t)=∂y(x,t)∂t=∂∂t(Asin(kx−ωt+ϕ))=−Aωcos(kx−ωt+ϕ)=−vymaxcos(kx−ωt+ϕ).y(x,t)=Asin(kx−ωt+ϕ)vy(x,t)=∂y(x,t)∂t=∂∂t(Asin(kx−ωt+ϕ))=−Aωcos(kx−ωt+ϕ)=−vymaxcos(kx−ωt+ϕ).$\n\nThe magnitude of the maximum velocity of the medium is $|vymax|=Aω|vymax|=Aω$. This may look familiar from the Oscillations and a mass on a spring.\n\nWe can find the acceleration of the medium by taking the partial derivative of the velocity equation with respect to time,\n\n$ay(x,t)=∂vy∂t=∂∂t(−Aωcos(kx−ωt+ϕ))=−Aω2sin(kx−ωt+ϕ)=−aymaxsin(kx−ωt+ϕ).ay(x,t)=∂vy∂t=∂∂t(−Aωcos(kx−ωt+ϕ))=−Aω2sin(kx−ωt+ϕ)=−aymaxsin(kx−ωt+ϕ).$\n\nThe magnitude of the maximum acceleration is $|aymax|=Aω2.|aymax|=Aω2.$ The particles of the medium, or the mass elements, oscillate in simple harmonic motion for a mechanical wave.\n\n### The Linear Wave Equation\n\nWe have just determined the velocity of the medium at a position x by taking the partial derivative, with respect to time, of the position y. For a transverse wave, this velocity is perpendicular to the direction of propagation of the wave. We found the acceleration by taking the partial derivative, with respect to time, of the velocity, which is the second time derivative of the position:\n\n$ay(x,t)=∂2y(x,t)∂t2=∂2∂t2(Asin(kx−ωt+ϕ))=−Aω2sin(kx−ωt+ϕ).ay(x,t)=∂2y(x,t)∂t2=∂2∂t2(Asin(kx−ωt+ϕ))=−Aω2sin(kx−ωt+ϕ).$\n\nNow consider the partial derivatives with respect to the other variable, the position x, holding the time constant. The first derivative is the slope of the wave at a point x at a time t,\n\n$slope=∂y(x,t)∂x=∂∂x(Asin(kx−ωt+ϕ))=Akcos(kx−ωt+ϕ).slope=∂y(x,t)∂x=∂∂x(Asin(kx−ωt+ϕ))=Akcos(kx−ωt+ϕ).$\n\nThe second partial derivative expresses how the slope of the wave changes with respect to position—in other words, the curvature of the wave, where\n\n$curvature=∂2y(x,t)∂x2=∂2∂x2(Asin(kx−ωt+ϕ))=−Ak2sin(kx−ωt+ϕ).curvature=∂2y(x,t)∂x2=∂2∂x2(Asin(kx−ωt+ϕ))=−Ak2sin(kx−ωt+ϕ).$\n\nThe ratio of the acceleration and the curvature leads to a very important relationship in physics known as the linear wave equation. Taking the ratio and using the equation $v=ω/kv=ω/k$ yields the linear wave equation (also known simply as the wave equation or the equation of a vibrating string),\n\n$∂2y(x,t)∂t2∂2y(x,t)∂x2=−Aω2sin(kx−ωt+ϕ)−Ak2sin(kx−ωt+ϕ)=ω2k2=v2,∂2y(x,t)∂t2∂2y(x,t)∂x2=−Aω2sin(kx−ωt+ϕ)−Ak2sin(kx−ωt+ϕ)=ω2k2=v2,$\n$∂2y(x,t)∂x2=1v2∂2y(x,t)∂t2.∂2y(x,t)∂x2=1v2∂2y(x,t)∂t2.$\n16.6\n\nEquation 16.6 is the linear wave equation, which is one of the most important equations in physics and engineering. We derived it here for a transverse wave, but it is equally important when investigating longitudinal waves. This relationship was also derived using a sinusoidal wave, but it successfully describes any wave or pulse that has the form $y(x,t)=f(x∓vt).y(x,t)=f(x∓vt).$ These waves result due to a linear restoring force of the medium—thus, the name linear wave equation. Any wave function that satisfies this equation is a linear wave function.\n\nAn interesting aspect of the linear wave equation is that if two wave functions are individually solutions to the linear wave equation, then the sum of the two linear wave functions is also a solution to the wave equation. Consider two transverse waves that propagate along the x-axis, occupying the same medium. Assume that the individual waves can be modeled with the wave functions $y1(x,t)=f(x∓vt)y1(x,t)=f(x∓vt)$ and $y2(x,t)=g(x∓vt),y2(x,t)=g(x∓vt),$ which are solutions to the linear wave equations and are therefore linear wave functions. The sum of the wave functions is the wave function\n\n$y1(x,t)+y2(x,t)=f(x∓vt)+g(x∓vt).y1(x,t)+y2(x,t)=f(x∓vt)+g(x∓vt).$\n\nConsider the linear wave equation:\n\n$∂2(f+g)∂x2=1v2∂2(f+g)∂t2∂2f∂x2+∂2g∂x2=1v2[∂2f∂t2+∂2g∂t2].∂2(f+g)∂x2=1v2∂2(f+g)∂t2∂2f∂x2+∂2g∂x2=1v2[∂2f∂t2+∂2g∂t2].$\n\nThis has shown that if two linear wave functions are added algebraically, the resulting wave function is also linear. This wave function models the displacement of the medium of the resulting wave at each position along the x-axis. If two linear waves occupy the same medium, they are said to interfere. If these waves can be modeled with a linear wave function, these wave functions add to form the wave equation of the wave resulting from the interference of the individual waves. The displacement of the medium at every point of the resulting wave is the algebraic sum of the displacements due to the individual waves.\n\nTaking this analysis a step further, if wave functions $y1(x,t)=f(x∓vt)y1(x,t)=f(x∓vt)$ and $y2(x,t)=g(x∓vt)y2(x,t)=g(x∓vt)$ are solutions to the linear wave equation, then $Ay1(x,t)+By2(x,y),Ay1(x,t)+By2(x,y),$ where A and B are constants, is also a solution to the linear wave equation. This property is known as the principle of superposition. Interference and superposition are covered in more detail in Interference of Waves.\n\n### Example 16.4\n\n#### Interference of Waves on a String\n\nConsider a very long string held taut by two students, one on each end. Student A oscillates the end of the string producing a wave modeled with the wave function $y1(x,t)=Asin(kx−ωt)y1(x,t)=Asin(kx−ωt)$ and student B oscillates the string producing at twice the frequency, moving in the opposite direction. Both waves move at the same speed $v=ωk.v=ωk.$ The two waves interfere to form a resulting wave whose wave function is $yR(x,t)=y1(x,t)+y2(x,t).yR(x,t)=y1(x,t)+y2(x,t).$ Find the velocity of the resulting wave using the linear wave equation $∂2y(x,t)∂x2=1v2∂2y(x,t)∂t2.∂2y(x,t)∂x2=1v2∂2y(x,t)∂t2.$\n\n#### Strategy\n\nFirst, write the wave function for the wave created by the second student. Note that the angular frequency of the second wave is twice the frequency of the first wave $(2ω)(2ω)$, and since the velocity of the two waves are the same, the wave number of the second wave is twice that of the first wave $(2k).(2k).$ Next, write the wave equation for the resulting wave function, which is the sum of the two individual wave functions. Then find the second partial derivative with respect to position and the second partial derivative with respect to time. Use the linear wave equation to find the velocity of the resulting wave.\n\n#### Solution\n\n1. Write the wave function of the second wave: $y2(x,t)=Asin(2kx+2ωt).y2(x,t)=Asin(2kx+2ωt).$\n2. Write the resulting wave function:\n$yR(x,t)=y1(x,t)+y(x,t)=Asin(kx−ωt)+Asin(2kx+2ωt).yR(x,t)=y1(x,t)+y(x,t)=Asin(kx−ωt)+Asin(2kx+2ωt).$\n3. Find the partial derivatives:\n$∂yR(x,t)∂x=−Akcos(kx−ωt)+2Akcos(2kx+2ωt),∂2yR(x,t)∂x2=−Ak2sin(kx−ωt)−4Ak2sin(2kx+2ωt),∂yR(x,t)∂t=−Aωcos(kx−ωt)+2Aωcos(2kx+2ωt),∂2yR(x,t)∂t2=−Aω2sin(kx−ωt)−4Aω2sin(2kx+2ωt).∂yR(x,t)∂x=−Akcos(kx−ωt)+2Akcos(2kx+2ωt),∂2yR(x,t)∂x2=−Ak2sin(kx−ωt)−4Ak2sin(2kx+2ωt),∂yR(x,t)∂t=−Aωcos(kx−ωt)+2Aωcos(2kx+2ωt),∂2yR(x,t)∂t2=−Aω2sin(kx−ωt)−4Aω2sin(2kx+2ωt).$\n4. Use the wave equation to find the velocity of the resulting wave:\n\n$∂2y(x,t)∂x2=1v2∂2y(x,t)∂t2,−Ak2sin(kx−ωt)−4Ak2sin(2kx+2ωt)=1v2(−Aω2sin(kx−ωt)−4Aω2sin(2kx+2ωt)),k2(−Asin(kx−ωt)−4Asin(2kx+2ωt))=ω2v2(−Asin(kx−ωt)−4Asin(2kx+2ωt)),k2=ω2v2,|v|=ωk.∂2y(x,t)∂x2=1v2∂2y(x,t)∂t2,−Ak2sin(kx−ωt)−4Ak2sin(2kx+2ωt)=1v2(−Aω2sin(kx−ωt)−4Aω2sin(2kx+2ωt)),k2(−Asin(kx−ωt)−4Asin(2kx+2ωt))=ω2v2(−Asin(kx−ωt)−4Asin(2kx+2ωt)),k2=ω2v2,|v|=ωk.$\n\n#### Significance\n\nThe speed of the resulting wave is equal to the speed of the original waves $(v=ωk).(v=ωk).$ We will show in the next section that the speed of a simple harmonic wave on a string depends on the tension in the string and the mass per length of the string. For this reason, it is not surprising that the component waves as well as the resultant wave all travel at the same speed.\n\nThe wave equation $∂2y(x,t)∂x2=1v2∂2y(x,t)∂t2∂2y(x,t)∂x2=1v2∂2y(x,t)∂t2$ works for any wave of the form $y(x,t)=f(x∓vt).y(x,t)=f(x∓vt).$ In the previous section, we stated that a cosine function could also be used to model a simple harmonic mechanical wave. Check if the wave\n\n$y(x,t)=0.50mcos(0.20πm−1x−4.00πs−1t+π10)y(x,t)=0.50mcos(0.20πm−1x−4.00πs−1t+π10)$\n\nis a solution to the wave equation.\n\nAny disturbance that complies with the wave equation can propagate as a wave moving along the x-axis with a wave speed v. It works equally well for waves on a string, sound waves, and electromagnetic waves. This equation is extremely useful. For example, it can be used to show that electromagnetic waves move at the speed of light." ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.9172527,"math_prob":0.99977237,"size":14169,"snap":"2020-45-2020-50","text_gpt3_token_len":2873,"char_repetition_ratio":0.21348394,"word_repetition_ratio":0.07039421,"special_character_ratio":0.1979674,"punctuation_ratio":0.081288904,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9999367,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-10-26T10:54:17Z\",\"WARC-Record-ID\":\"<urn:uuid:1efcee73-be5b-43ae-9c82-d0cfc3630709>\",\"Content-Length\":\"379335\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:3fba1f1f-9ae3-4a57-a87f-d730b13b3473>\",\"WARC-Concurrent-To\":\"<urn:uuid:05fc53c2-85d8-4841-a3a2-bdd2fe571a34>\",\"WARC-IP-Address\":\"99.84.191.66\",\"WARC-Target-URI\":\"https://openstax.org/books/university-physics-volume-1/pages/16-2-mathematics-of-waves\",\"WARC-Payload-Digest\":\"sha1:HUGQ5BQMS7ZMKKBXNJNAMG6765A6C5KL\",\"WARC-Block-Digest\":\"sha1:GH75HYJCD7GGO2LC5C4XWX5QZWGSKV3G\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-45/CC-MAIN-2020-45_segments_1603107891203.69_warc_CC-MAIN-20201026090458-20201026120458-00075.warc.gz\"}"}
https://www.geeksforgeeks.org/java-data-types-question-3/?ref=rp
[ "# Java | Data Types | Question 3\n\nPredict the output of the following program.\n\n `class` `Test ` `{ ` `    ``public` `static` `void` `main(String[] args) ` `    ``{ ` `        ``Double object = ``new` `Double(``\"2.4\"``); ` `        ``int` `a = object.intValue(); ` `        ``byte` `b = object.byteValue(); ` `        ``float` `d = object.floatValue(); ` `        ``double` `c = object.doubleValue(); ` ` `  `        ``System.out.println(a + b + c + d ); ` ` `  `    ``} ` `} `\n\n(A) 8\n(B) 8.8\n(C) 8.800000095367432" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.73299295,"math_prob":0.9189357,"size":1505,"snap":"2020-34-2020-40","text_gpt3_token_len":400,"char_repetition_ratio":0.24050634,"word_repetition_ratio":0.20070423,"special_character_ratio":0.2963455,"punctuation_ratio":0.09338521,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99652946,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-09-26T10:00:05Z\",\"WARC-Record-ID\":\"<urn:uuid:61fd6254-99df-4951-8d10-0f3549dac4e1>\",\"Content-Length\":\"91685\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:a0965dda-50ed-405e-aeac-b352bf54a5b1>\",\"WARC-Concurrent-To\":\"<urn:uuid:a392b4e7-269a-49e5-a844-80d2fe2c8e58>\",\"WARC-IP-Address\":\"23.56.172.242\",\"WARC-Target-URI\":\"https://www.geeksforgeeks.org/java-data-types-question-3/?ref=rp\",\"WARC-Payload-Digest\":\"sha1:WRRXR22TRPQWQ7ZEH63M6L6LNO2FB4MO\",\"WARC-Block-Digest\":\"sha1:CVGIMQ7IWYKWA4QQSKMF4AQM3V4KKBUC\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-40/CC-MAIN-2020-40_segments_1600400238038.76_warc_CC-MAIN-20200926071311-20200926101311-00123.warc.gz\"}"}
https://origin.geeksforgeeks.org/category/algorithm/bit-magic/
[ "# Category Archives: Bit Magic\n\nGiven a positive integer N, the task is to find the two smallest integers A and B such that the Bitwise XOR of A and… Read More\nGiven two integers N and K, the task is to find the number of N-length arrays that satisfies the following conditions: The sum of the… Read More\nGiven a positive integer N, the task is to count the number of N-digit numbers such that the count of distinct odd and distinct even… Read More\nGiven two binary arrays, A[] and B[] of size N respectively, the task is to find the number of elements in array A[] that will… Read More\nGiven a binary string str[] of size N and an integer M. This binary string can be modified by flipping all the 0’s to 1… Read More\nGiven a binary tree, the task is to compress all the nodes on the same vertical line into a single node such that if the… Read More\nGiven an integer N, the task is to reduce N to 0 in the minimum number of operations using the following operations any number of… Read More\nGiven a binary string S, the task is to find that the decimal representation of the given binary string is divisible by integer K or… Read More\nGiven two binary strings s1[] and s2[] of the same length N, the task is to find the minimum number of operations to make them… Read More\nGiven two positive integers N and K, the task is to find the number of arrays of size N such that each array element lies… Read More\nGiven an array arr[] consisting of N positive integers and a positive integer X, the task is to find the number of pairs (i, j)… Read More\nGiven a positive integer N, the task is to print the minimum count of consecutive numbers less than N such that the bitwise AND of… Read More\nGiven an integer N, the task is to print the count of all the non-negative integers K less than or equal to N, such that… Read More\nGiven a sorted array arr[] of the first N Natural Numbers and an integer X, the task is to print the last remaining element after… Read More\nGiven a positive integer N, the task is to count the number of N-digit numbers such that the bitwise AND of adjacent digits equals 0.… Read More" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.8415735,"math_prob":0.9869435,"size":2319,"snap":"2021-31-2021-39","text_gpt3_token_len":528,"char_repetition_ratio":0.20950323,"word_repetition_ratio":0.23755656,"special_character_ratio":0.22294092,"punctuation_ratio":0.044303797,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9971695,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-07-28T03:34:42Z\",\"WARC-Record-ID\":\"<urn:uuid:c6f017bc-2916-4f42-98c7-93671f4dd974>\",\"Content-Length\":\"137400\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:ac51966c-0ad9-4a15-9572-2a7f9f467f0c>\",\"WARC-Concurrent-To\":\"<urn:uuid:10c96d06-b541-424e-93a3-ba30c3b01cc8>\",\"WARC-IP-Address\":\"44.228.100.190\",\"WARC-Target-URI\":\"https://origin.geeksforgeeks.org/category/algorithm/bit-magic/\",\"WARC-Payload-Digest\":\"sha1:2A75JWB6BGTX24PPPDKPXZOBAPEKWVCP\",\"WARC-Block-Digest\":\"sha1:P6UG2VPCI7OJ4PJTCSJ2O4MOHU2PWS2G\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-31/CC-MAIN-2021-31_segments_1627046153521.1_warc_CC-MAIN-20210728025548-20210728055548-00375.warc.gz\"}"}
http://codeforces.com/blog/entry/73244
[ "Codeforces celebrates 10 years! We are pleased to announce the crowdfunding-campaign. Congratulate us by the link https://codeforces.com/10years. ×\n\n### neal's blog\n\nBy neal, 5 weeks ago,", null, ",", null, "Given the numbers\n\n$1, 2, \\dots, 20$\n\n, you want to choose some subset of these numbers such that no number you choose is divisible by any other number you choose. What's the largest subset you can get?\n\nOne simple idea is to choose all the primes: 2, 3, 5, 7, 11, 13, 17, and 19, leading to a subset of size 8. But you can do better! Try to figure out the solution yourself before reading below.\n\nFor 1292F - Nora's Toy Boxes from Round 614 Div. 1, after you make several observations and pull out a sick counting DP, you get a solution that is\n\n$\\displaystyle \\mathcal{O} \\left (N^2 \\cdot 2^S \\right )$\n\n, where $S$ is the number of values in our array $A$ that are 1) not divisible by any other value in $A$ and 2) have at least two other values in $A$ divisible by it. (These are the only values we should consider using as $a_i$ in the operation described in the problem.) So what is that time complexity really?\n\nDon't worry if you haven't actually read or tried to solve the problem. In the rest of this post I'll focus on this question: out of all subsets of\n\n$1, 2, \\dots, N$\n\n, what is the maximum possible value of $S$? I'll show that we can attain a precise bound of\n\n$\\displaystyle \\frac{N}{6}$\n\n.\n\nLet's call the numbers that satisfy our constraints above special. First, since each of our special numbers needs to have two other multiples in $A$, any special number $x$ must satisfy\n\n$3x \\leq N$\n\n, so\n\n$\\displaystyle x \\leq \\left \\lfloor \\frac{N}{3} \\right \\rfloor$\n\n. So we should just find the maximum subset of\n\n$\\displaystyle 1, 2, \\dots, \\left \\lfloor \\frac{N}{3} \\right \\rfloor$\n\nsuch that no number in our subset divides another, and then we can add every number greater than\n\n$\\displaystyle \\left \\lfloor \\frac{N}{3} \\right \\rfloor$\n\nto ensure that we hit the second requirement of at least two multiples for each.\n\nWith\n\n$N = 60$\n\nin our case, this leads to the problem described above: given the numbers\n\n$1, 2, \\dots, 20$\n\n, what is the largest subset of these numbers we can choose such that no number we choose is divisible by another number we choose? The answer turns out to be 10. First we provide a simple construction: choose\n\n$11, 12, \\dots, 20$\n\n. (We can also generalize this: for\n\n$1, 2, \\dots, K$\n\n$\\displaystyle \\left \\lceil \\frac{K}{2} \\right \\rceil$\n\n.)\n\nNow we need to prove that this is the maximum possible. We can do this by building the following chains of numbers:\n\n• 1 — 2 — 4 — 8 — 16\n• 3 — 6 — 12\n• 5 — 10 — 20\n• 7 — 14\n• 9 — 18\n• 11\n• 13\n• 15\n• 17\n• 19\n\nEvery number occurs in exactly one chain, and we can never take two numbers from the same chain. So our subset can't be larger than the number of chains, which is again exactly 10. (In general it's the number of odd numbers up to $K$, which is again\n\n$\\displaystyle \\left \\lceil \\frac{K}{2} \\right \\rceil$\n\n.)\n\nSo in the general case, the maximum value of $S$ is exactly\n\n$\\displaystyle \\left \\lceil \\frac{\\left \\lfloor \\frac{N}{3} \\right \\rfloor}{2} \\right \\rceil = \\left \\lfloor \\frac{N + 3}{6} \\right \\rfloor$\n\n, meaning the algorithm has a complexity of\n\n$\\displaystyle \\mathcal{O} \\left (N^2 \\cdot 2^{\\frac{N}{6}} \\right )$\n\n.\n\nThanks scott_wu for discussing and thinking through this problem.", null, "", null, "Comments (0)" ]
[ null, "http://sta.codeforces.com/s/77917/images/flags/24/gb.png", null, "http://sta.codeforces.com/s/77917/images/icons/paperclip-16x16.png", null, "http://sta.codeforces.com/s/77917/images/blog/tags.png", null, "http://sta.codeforces.com/s/77917/images/icons/comments-48x48.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.856872,"math_prob":0.9986127,"size":3265,"snap":"2020-10-2020-16","text_gpt3_token_len":958,"char_repetition_ratio":0.13707452,"word_repetition_ratio":0.008756568,"special_character_ratio":0.32557428,"punctuation_ratio":0.11196319,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9994266,"pos_list":[0,1,2,3,4,5,6,7,8],"im_url_duplicate_count":[null,7,null,null,null,2,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-02-25T13:09:07Z\",\"WARC-Record-ID\":\"<urn:uuid:2a7d1a45-c27f-4790-a36a-69cd04bab920>\",\"Content-Length\":\"91510\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:f7311e84-228b-434e-be97-4df53b31beac>\",\"WARC-Concurrent-To\":\"<urn:uuid:92d01a7f-2c95-470f-a20b-93182be42b68>\",\"WARC-IP-Address\":\"81.27.240.126\",\"WARC-Target-URI\":\"http://codeforces.com/blog/entry/73244\",\"WARC-Payload-Digest\":\"sha1:OIZI4QVAQMBSRVEUIXIKZXBEFOTN3GXG\",\"WARC-Block-Digest\":\"sha1:J2NNR6V5UE2C63C5YDXZLN336LFE5RU3\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-10/CC-MAIN-2020-10_segments_1581875146066.89_warc_CC-MAIN-20200225110721-20200225140721-00530.warc.gz\"}"}
https://puzzling.stackexchange.com/questions/12119/coin-flipping-game-with-the-devil
[ "# Coin Flipping Game with the Devil\n\nYou die, and awake in Hell. Satan awaits you, and has prepared a curious game. He has arranged $n$ quarters in a line, going in the east/west direction. He placed the coins at the ends tails up, and all others heads up, like so: $$\\text{T H H H }\\cdots \\text{ H H H T}$$\n\nSatan explains the rules.\n\n• Once a day, a coin is removed from the east end, and placed on the west end.\n• If the coin was initially tails-up, then you get to choose whether the coin is placed heads up or down.\n• If it was initially heads-up, then Satan gets to make this choice.\n• If the coins are all heads up at the end of a day, you get to leave Hell.\n\nSatan will of course try his hardest to make sure you never leave.\n\nFor example, when $n=5$, we start with $\\text{T H H } \\color{red}{\\text H} \\color{green}{\\text{ T}}$. The first day is your choice; if you choose heads, the arrangement becomes $\\color{green}{\\text{H }}\\text{T H H } \\color{red}{\\text H}$. The next three days, however, will be Satan's choice. He may fight back on the second day by choosing tails, resulting in $\\color{red}{\\text{T } }\\color{green}{\\text{H }}\\text{T H H }$.\n\nIs there a strategy that eventually guarantees your salvation? Or can Satan conspire to keep you in Hell forever?\n\nAddendum: To give credit where it is due, this puzzle from The Puzzle Toad, (under the name \"Zeroise Me\") which is a superb collection of similarly clever and enjoyable conundrums.\n\n• All the answers give are quite fun but the devil would win, you're in hell, he's the devil, he does not play by the rules, he can do what ever he wants in hell. Apr 15, 2015 at 8:55\n• The Devil went down to Georgia / lookin' for a soul to claim / so he sat me down at his table / to play a combinatorial game Apr 15, 2015 at 9:23\n• If hell is a place where we get to play logic puzzles with the devil for eternity, why try to leave? Apr 15, 2015 at 12:16\n• The game seems fair until you n days in you find out that the last coin is tails on both sides. Apr 15, 2015 at 14:40\n• @RemcoGerlich This game only occupies a minute or so of each day, presumedly the rest of the day is not as intellectually stimulating. Apr 15, 2015 at 15:30\n\nSatan should stick to fiddling. You will win, and here is a simple proof.\n\nConsider the game $n$ turns at a time. After each cycle of $n$ turns, all the coins are in their original position (though not necessarily flipped the same way).\n\nReplace $H$ with $0$ and $T$ with $1$.\n\nIn each cycle, you flip all $1$'s to $0$'s, until Satan flips a $0$ to a $1$. Once Satan makes a flip, you stop and leave the rest of this cycle's coins alone.\n\nSatan must always make a flip during a cycle. If not, then you have just flipped all the coins to $0$, and you win.\n\nRead the sequence of coins as a binary number. Each cycle's play starts at the ones place and progresses to the largest place. Satan makes the last flip in each cycle, and that flip flips a $0$ to a $1$. Therefore, after each cycle, the number gets larger.\n\nBut it can't get larger forever. After at most $2^n$ cycles, it reaches $111...1$. Put on your smuggest face and flip all the coins for a well-deserved win.\n\n• What a nice, simple proof! Unfortunately for Satan, fiddling didn't turn out so well either.\n– xnor\nApr 15, 2015 at 9:16\n• Since we have now proven you win from every configuration, we can also prove you can win in $2^n$ steps, after all there are only $2^n$ configurations. Apr 15, 2015 at 14:20\n• Although $2^n$ is indeed an upper bound, I contend that your solution is not optimal in terms of fewest moves.\n– user88\nApr 15, 2015 at 23:04\n• @JoeZ. I agree. As far as I can tell, the optimal solution is as of yet an open problem. One way to optimize this strategy is to rotate the viewing window on certain turns, which can increase the current number. The dynamics quickly become difficult to describe. Apr 16, 2015 at 0:24\n• I described them in my solution, although I still haven't made a program to count them yet.\n– user88\nApr 16, 2015 at 0:25\n\nCharlie always wins.\n\nLet's split the chain of coins up into two sections: the tails-chain and the heads-chain. The tails-chain is Charlie's long chain of tails. I will use a vertical bar to denote where the chains split. It starts out as the two Ts in TTH...H, written TT|H...H. The heads chain is everything bounded by the two H coins of Satan's.\n\nA postulate: Tails in a chain will always connect, and Satan will never get them back. This is pretty easy to prove. Once the tails have joined Charlie's chain, Charlie just has to choose not to flip them to heads again.\n\nA postulate: Satan must have at least one tails in his chain. If Satan at any point has all heads in his chain, then the chain must pass through the state H...H|T...T, which means he loses. Thus, there must be at least one tails in his chain.\n\nFinal postulate: Charlie can force the tails in Satan's chain one step further towards its 'tail' with each loop through. (Note that there is a special case for this, detailed below.)\n\nThis leads to the win condition. In order to win, Charlie needs to force Satan's chain to spit out tails. Those tails will connect with Charlie's chain, and Satan will lose them. Repeat this process indefinitely, and Charlie wins.\n\nTo do this, Charlie flips any tails resting between two heads to heads. That means the soonest Satan can put a new tails in is the next coin. This forces Satan's tails coin one coin further down the heads-chain, until it contacts the tails-chain and becomes part of it.\n\nAt that point, he loses another heads, as he has to have a tails in his chain. Satan will eventually only have one heads, and will lose.\n\nAn example chain: HHTH|TT -> HTHH|TT -> THHH|TT. At this point, Charlie's chain is actually three tails long: TTT|HHH. Satan can't help but move HTH|TTT -> THH|TTT, which means Charlie's chain becomes four tails long. At this point, Satan's loss is inevitable.\n\nAnother example chain: HHHTH|TT -> HTHHH|TT. At this point Satan might flip the fourth coin again resulting in HTHTH|TT, but if Charlie leaves this alone and flips the second tail back when he gets around to it, Satan will have no choice but to flip the third coin from the left, resulting in HTTHH|TT. Then, on the next go-around, Charlie increases the length of the chain by 1 again. Consequently, Satan will eventually lose all his open coins.\n\nAfter there are enough coins, Satan may be able to introduce multiple tails. This is non-trivial, but results in a loss for Satan anyway. If Satan introduces multiple tails, do nothing. Then, start pushing coins from the front of the chain toward the back.\n\nFor instance, let's say you have TT|HTHHH. Then, Satan is a jerk and creates HTH|TT|HT. Now, instead of flipping your lingering tails coin, do nothing with it: TT|HTHTH. Now, keep flipping your tails to heads until Satan flips a coin. This leads to the following chain:\n\nH|TT|HTHT -> HH|TT|HTH -> HHH|TT|HT -> HHHH|TT|H -> THHHH|TT -> TTT|HHHH\n\n\nIn other words, up until the point where Satan flips a coin, you keep flipping tails to heads. As an example with more coins:\n\nTT|HTHHHTH -> H|TT|HTHHHT -> HH|TT|HTHHH -> THH|TT|HTHH -> TT|HTHHTHH\nTT|HTHHTHH -> HH|TT|HTHHT -> HHH|TT|HTHH -> THHH|TT|HTH -> TT|HTHTHHH\n\n\nIt's pretty clear that eventually you'll end up in the configuration:\n\nTT|HTTTHHH\n\n\nYou can keep pushing Satan's tokens further down the chain. Once you do, you're in control of them, and Satan needs to add another tails further up the chain otherwise you'll bump the last heads into your chain.\n\nTo illustrate, let's say Satan doesn't add a new tails. Then you have: TT|THHHHHH -> TTT|HHHHHH\n\nHowever, if he adds another one, it will become TT|HTTTHTH, which you can easily force into TT|HTTTTHH on your next turn. From there, Satan has nowhere to go, and loses a coin.\n\nTherefore, no matter what Satan does, Charlie always wins.\n\nHere are a few extraneous notes.\n\nSome raw experimentation shows that the number of 'cycles' it takes to flip $n$ coins over is $F_n$, the $n$th Fibonacci number. (Here, I'm defining a cycle as the number of moves until the tails-chain is at the front again.)\n\nBecause the tails-chain gets shifted backward one step for every coin assimilated, the total number of moves ends up being $n*F_n-(n-1)=n(F_n-1)+1$.\n\nI'd gander that if there were even 20 coins, it would take $20*6765-19=135281$ days for you to actually escape. Several centuries would have passed before you ever left, for any reasonable number of coins. What a jerk, that Satan.\n\n• I've moved the comments here to chat, as there's valuable content but it's mostly chat content.\n– user20\nApr 15, 2015 at 5:46\n• One question - who's Charlie? Apr 16, 2015 at 19:15\n• @mdc Just a name I gave our poor tortured friend.\n– user20\nApr 16, 2015 at 19:16\n\nFor $n = 2$, the solution is trivial - you flip both coins heads-up for the first two days, and leave.\n\nFor $n = 3$, you leave the first coin alone, leaving Satan with TTH. But no matter whether Satan flips this coin or leaves it alone, you can flip all the T's in a row afterwards, so you win.\n\nFor $n = 4$, you leave the first coin alone, leaving Satan with TTHH. Regardless of how Satan flips these two coins, in all four cases you're left with a string of 2, 3, or 4 consecutive T's, so you can flip all of them and win.\n\n(In the case of flipping only the second one, you're left with THTT, but just leave those two alone and no matter what Satan flips, you can flip all of them the second time around.)\n\n$n = 5$ is the first interesting case. Then, if Satan flips only the second H out of three after you leave the first coin alone, you're left with HTHTT. If you leave this alone, then Satan will also leave it alone, and you'll be stuck in a loop forever. So the only thing to do is to either flip the solitary T, or flip one or both of the two consecutive T's.\n\n1. If you flip one of the two consecutive T's, you've left Satan with either HTHTH or THHTH depending on which one you flipped. Satan can just leave this alone, which means you're stuck in an infinite loop until you decide to flip one of the others.\n\n• If you flip the first one, Satan's left with HHHTH. If he leaves this alone, then you flip the T and win. So he has to flip this H, leaving you with THHHT, back where you started.\n\n• If you flip the second one, Satan's left with HHTHH. But he can just leave the first H alone and flip the second one, leaving you back where you started as well.\n\n2. If you flip the solitary T, then Satan's left with HHTTH. If he leaves this H alone, then you flip the T and win. So he has to flip the T, leaving you with THHTT. Just leave these two alone, leaving Satan with TTTHH and the same quandary he had in the $n = 4$ case.\n\nIn general, you want to leave Satan with a situation where all the T's are in a single bunch and a single H follows them. Then, he's forced to increase the length of the T chain by 1 (and thereby effectively reduce the number of coins in the game inductively), and if you can keep doing that, then by induction you win.\n\nFor $n = 6$, Satan can flip one, the other, or both of the two coins not next to the existing T's, leaving you with one of HHTHTT, HTHHTT, or HTTHTT once you've gone a full revolution. In any case where Satan flips the coin right before the leftmost H, you leave them alone (and your first two T's) the first time around, and flip them all back to heads the second round, leaving Satan with HHHTTH and you winning.\n\nSo Satan has to flip the first coin only where he's left with HHTTHH and has the choice of flipping the T, which is the only nontrivial variation from $n = 5$.\n\nLet's suppose he does this. Then you're left with HTHHTT, which, from above, is one of the winning strategies. So you win as well.\n\nWe still haven't deduced a general strategy yet, so let's continue with $n = 7$.\n\nSatan can leave you with HTHTHTT this time, which circumvents the flipping-the-one-next-to-last rule described above since the first flipped T prevents Satan from being forced to flip the H immediately before the string of two T's. But in this case, if you flip the first solitary T the second time around, then Satan has to flip the next H, because if he leaves it alone, you can just flip the next T as well, leaving Satan with HHHHTTH and starting the $n = 6$ case. So he has to flip that H, leaving you with HTTHHTT the second time around. Then you simply flip the left sequence of T's and force the $n = 6$ case again.\n\nBut there is one wrinkle here. What if Satan flips to HHTHHTT, and you flip that T only for Satan to flip the H immediately afterwards (resulting in HTHHHTT) and then Satan flips the second H only, resulting in HTHTTHT on your turn? If you flip the T now, and then the next solitary T right afterward, Satan will just flip the next T again, returning you to HHTHHTT.\n\nSo, you just leave that second T alone for two days, and the HTHTHTT case plays out exactly as described in the first place.\n\nAt this point, we finally notice a pattern. You will always flip the series of T's immediately after your longest chain (which starts at length 2 and keeps growing until it's the entire string of coins), which forces Satan to flip the H immediately to the left of them in order to ward off defeat. And if Satan flips any of the H's beforehand, leave the rest of the T's alone and let it go around one more revolution.\n\nThis will always result in the set of stray T's moving left towards the end of your longest chain and merging together with other stray sets, or a set of new T's being created that will have to move left anyway, possibly creating an even longer chain in the process.\n\nThe longest Satan can drag the game out for when your longest chain is $m$ T's long (without making a longer chain in the process) is until the chain of $m$ T's is followed by a series of chains of $m$ T's each separated by a single H. At that point, any head Satan flips will automatically create a longer chain, so you can flip all the chains of $m$ T's, leaving Satan with the coin right before the last chain of $m$ T's which he must then extend to $m+1$.\n\nAnd this way, you can always defeat Satan and escape from Hell.\n\nBelow is a program-like algorithm that you can follow, assuming that instead of moving coins to the left, you keep track of a cursor that moves to the left one space every day.\n\n• Every day, the cursor moves left one space. If the cursor reaches the leftmost coin, it jumps back to the right.\n• If you are on your rightmost set of consecutive T's, pass.\n• If Satan has not flipped a coin yet since the cursor last jumped to the right and you are currently on a T, flip it. Otherwise, pass.\n• If Satan flips the leftmost coin, move that coin to the rightmost position, keeping the cursor on it.\n\nAn example of the longest match for $n = 11$, to show how this algorithm might work:\n\nHHHHHHHHHTT You leave the two T's alone, Satan flips coin 8.\nHHHHHHHTHTT You flip the first T, forcing Satan to flip coin 7.\nHHHHHHTHHTT You flip the first T, forcing Satan to flip coin 6.\n...\nHTHHHHHHHTT Satan flips coin 8 again, and you leave everything alone.\nHTHHHHHTHTT You flip coin 8, and keep moving left until Satan reaches coin 4.\nHTHTHHHHHTT Satan flips coin 8 again. This flipping coin 8 and moving to the left continues until all the even-numbered slots are occupied.\nHTHTHTHTHTT You start flipping all the T's from coin 8 onward. If Satan flips any coins before that, stop and let the cursor wrap around again.\nHTTHHHHTHTT This might happen. Then, Satan flips coin 8 and starts the above process all over.\n...\nHTTHTTHHHTT This might happen again.\nHTTHTTHTHTT Satan flips coin 8 one last time, but he cannot dodge anymore. You leave the coins alone for one more iteration.\nTHHHHHHHHTT You flip all groups of coins, leaving Satan with no choice but to flip coin 1.\n\nHHHHHHHHTTT The frame of reference of the coins move forward one space.\nHHHHHHTHTTT Satan starts with coin 7 this time.\n...\nHTHTHTHHTTT Chains of length 1.\nHTHTHTTHTTT Satan flips coin 7. You leave all the other coins alone.\nHTTHHHHHTTT Satan is forced to do this again.\nHTTHHHTHTTT Same process as before.\n...\nHTTHTTHHTTT Chains of length 2. You flip the first chain, Satan flips coin 4.\nHTTTHHHHTTT First chain of length 3. Satan flips coin 7 again, and the process continues.\nHTTTHHTHTTT\nHTTTHTHHTTT\nHTTTHTTHTTT In 3 moves, Satan exhausts the chain of length 3. You flip all sequences of coins to the left of your first chain.\nTHHHHHHHTTT Again, Satan has no choice but to flip coin 1. The chain extends by length 1 again.\n...\nTHHHHHHTTTT ???\n......\nTTTTTTTTTTT Profit!\n\n\nIt turns out that the number of moves required to force a win grows exponentially compared to the number of coins in a row.\n\n• The two possibilities after HTHTT in scenario 1 are THHTH and HTHTH. Your solution flips the coins, but doesn't ever move them. Apr 15, 2015 at 3:50\n• I'm in the middle of editing to clarify that.\n– user88\nApr 15, 2015 at 3:56\n• Also, the reason my solution doesn't move the coins is because it deals in complete revolutions.\n– user88\nApr 15, 2015 at 4:14\n• @JoeZ. I think I fully understand what you are doing, but your second to last section, where you explain the strategy, could use some expanding. This description, as it stands, does not cover all cases (you turn the first series of heads you see.. then what?). I get that you can piece together what to do from your entire post's discussion, but it would be nicer if you at some point wrote a simple algorithm that clearly describe's Charlie's decisions in all cases, as if programming a Turing machine. Apr 15, 2015 at 6:15\n• Yes it is, and I can't think of any way Satan could beat that. But you should convince Charlie beyond all doubt that your strategy works, for all $n$; false hope is a dangerous thing in Hell, so Charlie won't accept any strategy without a proof. Apr 15, 2015 at 7:09\n\nTo see why, let's consider 8 coins to see the pattern. The goal is to gain control, or in other words to get as many tails in a row as possible so that you can get all heads in the end. First, keep tails on the first move to keep the two tails together:\n\n00: TTHHHHHH //Position after first move\n\n\nLet's call this the base position. Below are the states each time the coins return to the base position if you and satan both flip optimally for your goals (assuming he wants to keep you there and you want to get out):\n\nTTHHHHHH //Position after first move\nTTHHHHTH //satan flips the 2nd coin to tails.\n-he doesn't flip the first because that would give you 3 tails in a row\n-If he doesn't flip any you could flip your tails to heads at the end\nTTHHHTHH //You flip the 2nd coin to tails and he flips the 3rd to heads\nTTHHHTTH //satan flips the 2nd coin to tails and you leave the 3rd alone\nTTHHTHHH //You flip 2 and 3 to heads and he flips 4 to tails\nTTHHTHTH\nTTHHTTHH\nTTHHTTTH\nTTHTHHHH\nTTHTHHTH\nTTHTHTHH\nTTHTHTTH\nTTHTTHHH\nTTHTTHTH\nTTHTTTHH\nTTHTTTTH\nTTTHHHHH //Yay, 3 tails in a row!\nTTTHHHTH\nTTTHHTHH\nTTTHHTTH\nTTTHTHHH\nTTTHTHTH\nTTTHTTHH\nTTTHTTTH\nTTTTHHHH //Yay, 4 tails in a row!\nTTTTHHTH\nTTTTHTHH\nTTTTHTTH\nTTTTTHHH //Yay, 5 tails in a row!\nTTTTTHTH\nTTTTTTHH //Yay, 6 tails in a row!\nTTTTTTTH //Yay, 7 tails in a row...almost free!\nHHHHHHHT //Yay, one more day until you win the game and go free!\n\n\nThe next day, you get up early and excitedly flip the easternmost coin from tales to heads as you move it to the west side of the pile.\n\nSatan sighs and says in a worn-out tone \"Congratulations, you've won the game and you are now free to go.\"\n\nThis has been the news you have been waiting for! You eagerly await the Devil's instructions on how to leave this God-forsaken place.\n\nHowever, after about 15 seconds of awkward silence where you nervously shift between looking at the burning embers and him, you finally ask \"Ok, and how do I go about leaving?\"\n\nThe devil looks up at the cave-like ceiling miles above and says \"That's a good question. To tell you the truth I've been thinking about that a lot myself, but I haven't found a way yet. Don't worry though, when I find one I'll be sure and tell you.\"\n\nYou let the words sink in for a bit. \"So I'm free to go, but there's no way out? Curse you, what was this game all about?!!?\"\n\nThe Devil sighs tiredly and says, \"Oh nothing really. I just made it up as a way to pass the time...\"\n\n• Good point. Prisoner is he. Apr 16, 2015 at 20:09\n\nYou can force a win.\n\nYour strategy is to aim for the string $\\phi\\gamma$ where $\\gamma$ is comprised only of $T$ and $\\phi$ is comprised only of $H$ and it is your turn next..\n\nClearly, a configuration of $H^iT^j$ wins for us... we just make all $T$ into $H$ and win - regardless of $i$, $j$. Call this configuration $win$.\n\nThe strategy in general is, We always play $T$ unless it's a $T$ that is not part of our $win$ T string ($\\gamma$) in which case we play $H$ (in order to establish $\\phi$).\n\nHere is a demonstration: Say, $n=5$: the string, $S$, is $THHHT$.\n\nSo your first choice will always be to choose $T$: $TTHHH$.\n\nOur job is to keep the string of $T$s as long as possible.\n\nThere are now 8 ways that Satan can play his moves:\n\n$HHHTT$\n$TTHTT$\n$THTTT$\n$HTTTT$\n$HHTTT$\n$HTHTT$\n$THHTT$\n$TTTTT$\n\nI'll remove the ones that are an instance of $win$.\n\n$TTHTT$\n$THTTT$\n$HTHTT$\n$THHTT$\n\nSo Satan has 4 ways which don't lose automatically.\n\nNow in all these cases, it's our choice. We want to create or facilitate $win$. We leave the $T$ as they are. I will number them now and remove duplicates.\n\n$1.\\ TTTTH$\n$2.\\ TTHTH$\n$3.\\ TTTHH$\n\nNow it's Satan's turn. In case 1. Satan has lost. He cannot avoid establishing $win$ for us. Leaving us only with these options.\n\n$1.\\ TTHTH$\n$2.\\ TTTHH$\n\nLet's focus on case $2. TTTHH$. There are 4 ways he can play this one.\n\n$2.1\\ HHTTT$\n$2.2\\ HTTTT$\n$2.3\\ THTTT$\n$2.4\\ TTTTT$\n\nThese are all now lost for Satan. $2.1$,$2.2$ and $2.4$ are an instance of $win$ and $2.3$ after our moves gives $TTTTH$ where Satan cannot avoid establishing $win$ for us.\n\nSo, the only complicated case is $1. TTHTH$. This is only case of a broken string of $H$ or $T$ when considered East to West overflow.\n\nSatan has 2 ways to play the next one:\n\n$1.1\\ HTTHT$\n$1.2\\ TTTHT$\n\nIn case $1.2$ we win again, by choosing $T$. For case, $1.1\\ HTTHT$ which in general will be the from of the only tricky position. We have 2 ways to play. If we play $T$ nothing changes. This is the only case where we must play $H$. And the result is: $HHTTH$\n\nNow Satan has 2 ways to play.\n\n$1.\\ HHHTT$ - this is $win$.\n$2.\\ THHTT$ - we choose $T$ -> $TTTHH$ - now Satan is lost as before. What a loser :D\n\n• Best way to explain it, +1, easyer to follow than the others :) Apr 15, 2015 at 7:26\n\nThe base of this solution is the binary interpretation strategy as shown in Lopsy's answer, but with an improvement to $2^n$ moves instead of $n2^n$\n\nWith $T \\to 1$ and $H \\to 0$, interpret the sequence of coins as a binary number starting from a position called the mark (denoted by inserting an M) with the string left of the mark appended to the right end. The value of the mark at that position is the binary value of that sequence. So if $M_1$ is the mark $0M1100$ its value would be $V(M_1)=11000b=24$\n\n### Choosing the mark\n\nThe correct position of the mark is the one which yields the highest value for the given sequence. For example, $01101 \\to 0M1101$ and the value at that mark is binary value of $11010b=26$. There can be multiple positions which are candidates for the mark (e.g. $M101010$, $10M1010$, $1010M10$). In such cases the mark is chosen by:\n\n• If there are no 1s to the left of the leftmost candidate, then the leftmost candidate\n• otherwise the rightmost candidate.\n\nFor example $0M10010$ or $10110M1$ would be correct marks.\n\nIf after a turn the mark is between different coins than it was before the turn, we will say that the mark \"jumped\". This can happen either when a coin is flipped changing the set of candidate marks, or when the coins are rotated without flipping and a 1 appears on the left forcing a switch from the leftmost candidate to the rightmost candidate.\n\n### The Player's strategy:\n\n• If there are no 1s to the left of the mark, flip $1\\to 0$\n• otherwise do not flip $1\\to 1$\n\n### Observation\n\nThe position of the mark and P's strategy are both completely determined by the current sequence of coins. If the opponent (S) can cause the same sequence to appear twice, then S has a strategy that can repeat that loop forever because P will respond to it exactly the same the second time. By the contrapositive, if we can prove P's stategy must win, then no sequence repeats, so the total number of moves to win is $< 2^n$.\n\n### Lemma 1:\n\nThe mark can only jump when S flips. Consider the other cases\n\n1. No flip. When there is no flip, the set of mark candidates won't change, so the only way the mark can jump is if the mark started as the leftmost candidate and then a 1 was placed to it's left forcing a switch to the rightmost candidate.\n• 1a. P does not flip. If there are no 1's left of the mark, P's strategy says flip, so this case can't occur.\n• 1b. S does not flip. It's S's move and he doesn't flip, so the coin placed on the left is a 0 and there is no jump.\n2. P does flip. Let $M_1$ be the position of the mark prior to the move, which has value $V(M_1)$. Note that unless there are no 1s, meaning P just won, any valid mark candidate has to have a 1 on its left. Since P just flipped, all bits left of $M_1$ are 0, so no position left of $M_1$ is a mark candidate. Let $M_2$ be some position to the right of $M_1$, with value $V(M_2)$. Since $M_1$ was the mark prior to the move, $V(M_2) <= V(M_1)$. The move reduces the value of each mark based on the significance of the bit that was flipped $1\\to 0$. Denote the values of $M_1$ and $M_2$ after the move as $V'(M_1)$ and $V'(M_2)$ respectively. Since $M_2$ is right of $M_1$, the flipped bit is more significant to $M_2$ than it is to $M_1$, so $V(M_2)-V'(M_2) > V(M_1)-V'(M_1)$ and thus $V'(M_2) < V'(M_1)'$. So, no position right of $M_1$ can have as high a value as a mark. Therefore $M_1$ is still the correct mark.\n\n### Lemma 2: If S doesn't flip during any full cycle of the mark (from left back to left again), then P wins.\n\nBy P's strategy, if S does not flip for a full cycle, P will have flipped all coins to 0, winning.\n\n### Lemma 3: When S flips a coin, the marked value after the flip will be higher than the marked value after the last time S flipped\n\n1. S's first flip Trivially satisfied\n2. The last flipper was S. S can only flip $0\\to 1$ so S's move increase the value, which was unchanged since his last flip since P has not flipped since then.\n3. The last flipper was P. By P's strategy and Lemma 1, P has not flipped any coins to the right of the mark since S's last flip. Therefore the total decrease in value from P's flips (since S's last flip) is less than the increase in value from S's flip (since it is a more significant bit).\n\n### Conclusion\n\nCombining the above, S must keep making flips every cycle to avoid losing, causing the marked value to increase with each flip. Eventually the value reaches $2^n-1$ and the sequence is all 1s, allowing P to win by flipping all coins. Using our original observation, this means P wins in $<2^n$ steps.\n\nWe could improve the upper bound slightly given this starting point by eliminating sequences which can be shown to be not encountered. In particular we can see we will never encounter any sequence without one of (first and last position are 1) or (at least 1 run of 1s of length 2) until we get $0...01$ right before P wins. This only eliminates around $F(n-1) + F(n-3) - 2$, which is very small compared to $2^n$ as n grows.\n\n### Speculation on lower bound\n\nThe following strategy for S might be generally effective\n\n• if there are no 1s left of the mark and flipping will not jump the mark then flip,\n• otherwise do not flip\n\nIf this strategy can force us to count through all values which wouldn't cause a jump in the mark, then we could use n-nacci numbers to place a lower bound on the number of non-mark jumping values by playing it safe and skipping all values which have a run of 1s as long as the existing longest run of 1s. The would prove that for any $k < 2$, winning takes $\\omega(k^n)$ (i.e. that for some constant c > 0 and and sufficiently large n, the number of moves exceeds $ck^n$).\n\nOriginally, this question was asked and solved by Gera Weiss in a paper called \"A Combinatorial Game Approach to State Nullification by Hybrid Feedback\". Here's a link:\n\nhttp://www.cs.bgu.ac.il/~geraw/Publications_files/CombinatorialGameApproachToStateNullification.pdf\n\n# OPTIMAL STRATEGY to escape in less than 2^n days\n\nYou can escape in LESS than 2n days\n\n1. It was already proven that you can ALWAYS escape in 2n \"cycles\" (each cycle has n days) which means escape is always possible. Proof for that is in \"The Puzzle Toad\" link from original problem, even if that is not optimal play (uses more days than needed, ~n*2n days ).\n2. Optimal play require that you never repeat same position (arrangement of the coins) - because that would mean Devil has won since it will just repeat. But in #1 we proved that you can always escape, therefore an optimal win strategy must exist.\n3. Since there are at max 2n different positions, it means optimal play will free the prisoner in max 2n days from any starting position.\n4. But since we start with THH..HHT position, it will require less than 2n days.\n\n• define how to generate optimal play strategy for n coins\n• find an exact formula for max needed days with n coins starting in THH..HHT position, as days= f(n), where f(n) < 2n\n\nI proved above that it is always possible to escape in less than 2^n days with optimal play. Here I will also show 'how' to do it (strategy), and prove that it is optimal and always possible.\n\n## Strategy\n\n1. Generate ordered list of 'win/optimal positions' ( arrangements of n H/T coins ):\n• starts with HH..HH at position #1, which is target win/optimal position (oPos)\n• assuming previous oPos is in form xCCC (where CCC=CC..CC= all coins except leftmost 'x'), then next oPos is either CCCT ( remove 'x' and set 'T' Tail as rightmost ) or CCCH ( if CCCT already exists as previous oPos )\n• continue until you reach 'THH..HHT' position\n2. Start playing:\n• find current position in list, and play so that it turns into next (lower numbered) position\n• that is optimal move for both players - for devil, it guarantee maximal days given that you play optimally, and for you it guarantee minimal number of days given that devil plays optimally\n• therefore, after optimal list is generated in step '1', position of 'THH..HHT' is also optimal number of days needed\n\nExample list for 4 coins:\n\n 1: HHHH\n2: HHHT\n3: HHTT\n4: HTTT\n5: TTTT\n6: TTTH\n7: TTHT\n8: THTT\n9: HTTH\n10: TTHH\n11: THHT ***\n12: HHTH\n13: HTHT\n14: THTH\n15: HTHH\n16: THHH\n\n\n## Proof\n\nIf we have list of previous 'win positions' ( those that guarantee win for devil's opponent ), next win position is one that will necessarily result in one of those existing (previous) optimal positions after single move.\n\nIf we mark previous win position as xCCC, it is obvious that new position CCCT will result in that previous xCCC in one move ( it is your move since CCCT ends up in 'T', and you would turn it into xCCC, whatever 'x' was ).\n\nWhen you can not add CCCT (because it already exists in list), you can always add CCCH. Reason for that is that existence of CCCT in list imply existence of both TCCC and HCCC in the list - we already have xCCC as last position, but we also must have yCCC ( where y is complement of x, so if x=heads, y=tails and reverse). That is due to fact that already having CCCT somewhere in the list means that position immediately before it was also in the form of yCCC , and since both that yCCC and last position xCCC are on the list (and we can not have two same positions on the list), it means that x<>y ... so one of them is H and other is T , and we are certain we have both TCCC and HCCC as previous win positions.\n\nWhen we know that both TCCC and HCCC are previous win position, we can add CCCH as new win position, even if that is position where devil will play, because whatever devil play it will end at other win position. It is in devils interest to play xCCC ( last/previous position) instead of yCCC (which would be earlier win position, and would allow you to escape earlier), but regardless of what devil play it ends up in previous win position, so this CCCH can be added as new latest win position.\n\nThis proves that , for every last win position, it is always possible to generate single new win position (that new win position would need one more day for win). Since there are 2^n possible positions ( arrangements of Heads/Tails on n coins ), ordered list of win positions will have exactly 2^n positions.\n\nOptimal days ( needed for you to escape if both you and devil play optimally) for any starting coin arrangement is equal to position of that starting coin arrangement in optimal list. For 4 coins example above, \"THHT\" is at #11 position , which means you will go free \"on 11th day\" (or reduce one if you count how many days passed instead, so \"in 10 days\" )\n\nIt also means that, regardless of what is initial coin arrangement, it is possible to escape in 2^n days as worst case. And since \"THH..HHT\" will not be last position in list, it is possible to escape in less than 2^n days if optimally played.\n\n## Formula for days=f(n)\n\nAs I mentioned before, it is possible to express optimal number of days ( days needed for you to escape if both you and devil play optimally ) as a function of number of coins, when your starting position is THH..HHT.\n\nObviously, formula for different starting positions would be different. Trivial example is for HH..HT starting position - it will get you free on 2nd day ( in 1 day, after your first move), so f'(n)=2 , regardless of n. It is not guaranteed that all starting position have formula that can return number of days, but THH..HHT has such formula. That formula is without proof here, but it was not part of the question anyway:\n\ndays(n)= 2^n - A014739[n-2]\n\n$$days(n)= 2^n - \\frac{1}{2}\\left[(3+\\sqrt5)*(\\frac{1+\\sqrt5}{2})^{n-2}+(3-\\sqrt5)*(\\frac{1-\\sqrt5}{2})^{n-2}\\right]+2$$\n\nWhere A014739 is integer sequence #A014739 in Sloane index for expansion of (1+x^2)/(1-2*x+x^3). This formula returns \"on which day\" player will go free, assuming first day is #1. If you need \"in how many days\" or \"moves\", then subtract 1.\n\nUpper bound with optimal approach for any starting position is 2^n, and above days(n) formula is obviously days(n)<=2^n. As a comparison, formula for non-optimal \"cycle\" solution would have upper bound as upCycle(n)= n * 2^n for any starting position, or cycleDays(n)~[2^(n-1)-2]*(n-1) for starting \"THHT\".\n\nExample for different number of coins:\n\n• n= 4 coins : upCycle= 64 ; 2^n= 16 ; optimal days(n)= 11\n• n=20 coins : upCycle= 20,971,520; 2^n= 1,048,576 ; optimal days(n)= 1,033,451\n• Nice strategy! The explanation is a bit hard to follow, but I guess it's still correct. Anyway, as bobble mentioned, this needs to be edited into your previous answer (or edit the previous answer into this one, doesn't really matter here). Jul 22, 2021 at 10:28\n\nFor n=5 I see no way out.\n\nI'm solving from the end state, not from the beginning.\n\nSatan could always make a T at west out of the H at east. That means, what you need as last state before winning is one of these states:\n\nHHHT\n\nHHHTT\n\nHHTTT\n\nHTTTT\n\nFor all these, it's impossible that the H at west was an H at east, because satan would not let it unflipped and make you win.\n\nSo, the H at west must have been a T at east. That means HHHHT must have been HHHTT, HHHTT must have been HHTTT and so on.\n\nThis only leaves TTTTT as entry state to this set of states. But satan can prevent TTTTT by not flipping TTTTH to TTTTT. But if he does so, he has to give you HTTTT and you would win. So, TTTTH (which forces satan to one of two winning nodes) must be on your route to win.\n\nSo, how to get to TTTTH?\n\nGoing reverse here again:\n\nTTTTH => TTTHH Impossible, satan doesn't make you win.\n\nTTTTH => TTTHT Yes, it was yours.\n\nThis goes for every of the T at west. It was never satans H.\n\nSo here's the rest.\n\nTTTHT => TTHTT Yes, it was yours.\n\nTTHTT => THTTT Yes, it was yours.\n\nTHTTT => HTTTT Yes, it was yours." ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.9275563,"math_prob":0.9498195,"size":7911,"snap":"2022-27-2022-33","text_gpt3_token_len":2023,"char_repetition_ratio":0.17642595,"word_repetition_ratio":0.052736983,"special_character_ratio":0.23524207,"punctuation_ratio":0.121373594,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.98541754,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-08-16T02:37:34Z\",\"WARC-Record-ID\":\"<urn:uuid:4fe30ec9-440d-4739-9393-8bd50b045fce>\",\"Content-Length\":\"349155\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:bd284805-a553-45df-a54a-b5a78331475c>\",\"WARC-Concurrent-To\":\"<urn:uuid:a9434f97-fb2a-4527-8987-e09a4b972e90>\",\"WARC-IP-Address\":\"151.101.129.69\",\"WARC-Target-URI\":\"https://puzzling.stackexchange.com/questions/12119/coin-flipping-game-with-the-devil\",\"WARC-Payload-Digest\":\"sha1:EESXUOGHZAZUUBAP2TBKCVSMXW3ESFRJ\",\"WARC-Block-Digest\":\"sha1:UC4CABA4A2EKMDWC2WAUILRBAI4VKOZI\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-33/CC-MAIN-2022-33_segments_1659882572215.27_warc_CC-MAIN-20220815235954-20220816025954-00625.warc.gz\"}"}
https://www.sharecodepoint.com/2017/10/cse205-data-structure-and-algorithm_3.html
[ "# CSE205 : Data Structure And Algorithm important MCQ Questions for Exam\n\n1. Which of the following is not the required condition for binary search\n(A) There must be mechanism to delete and/or insert elements in list\n(B) There should be the direct access to the middle element in any sublist.\n(C) The list must be sorted\n(D) none of above\n\n2 Big O notation is used when function g(n) defines ________ for function f(n)\n(A) Upper bound (B) Lower bound\n(C) Both Upper and Lower  (D) None\n\n3. The worst case occur in linear search algorithm\n(A) When Item is not in the array at all\n(B) When Item is the last element in the array\n(C) When Item is somewhere in the middle of the array\n(D) When Item is the last element in the array or is not there at all\n\n4. Consider the following three claims\nI (n + r)m= O(nm), where k and m are constants\nII 2(n + 1000)= O(2n)\nIII n+logn= O(n)\nWhich of these claims are correct?\n(A) I and III (B) I and II\n(C) II and III (D) I, II and III\n\n5. The complexity of searching an element using Binary search Algorithm is\n(A) O(n) (B) O(log n)\n(C) O(n2) (D) O(n log n)\n\n6. Time complexities of three algorithms are given. Which should execute the\nfastest for large values of N?\n(A) O(N2) (B) O(NN)\n(C) O(Nlog N) (D) O(2N)\n\n7. The complexity of Bubble sort algorithm is\n(A) O(n) (B) O(log n)\n(C) O(n2) (D) O(n log n)\n\n8. The time required to insert a node x at last position in aunsorted linked list having n nodes\n(A) O (n) (B) O (log n)\n(C) O (1) (D) O (n log n)\n\n9. Two main measures for the efficiency of an algorithm are\n(A) Processor and memory (B) Complexity and capacity\n(C) Time and space (D) Data and space\n\n10. Number of comparisons required to sort letters in ALGORITHM\n(A) 36 (B) 8\n(C) 45 (D) 9\n\n11. The space factor when determining the efficiency of algorithm is measured by\n(A) Counting the maximum memory needed by the algorithm\n(B) Counting the minimum memory needed by the algorithm\n(C) Counting the average memory needed by the algorithm\n(D) Counting the maximum disk space needed by the algorithm\n\n12.  Linked List are known as\n(A). Self Calling Function (B). Self Referential Function\n(C). Self Calling Structures (D). Self Referential Structures\n\n13. The operation of processing each element in the list is known as\n(A) Sorting (B) Merging\n(C) Inserting (D) Traversal\n\n14. Linked lists are best suited\n(A) for relatively permanent collections of data\n(B) for the size of the structure and the data in the structure are constantly changing\n(C) for both of above situation\n(D) for none of above situation\n\n15. Which of the following operations is not O(1) for an array of sorted data. You may assume that array elements are distinct.\n(A) Find the ith largest element\n(B) Find the ith smallest element\n(C) Delete an element\n(D) All of the above\n\n16. Which of the given options provides the increasing order of asymptotic\ncomplexity of functions f1, f2, f3 and f4?\nf1(n) = 2n\nf2(n) = n(3/2)\nf3(n) = n log n\nf4(n) = n (log n)\nA) f3, f2, f1, f4 B) f3, f2, f4, f1\nC) f2, f3, f1, f4 D) f2, f3, f4, f1\n\n17. Which of the following data structures are not indexed structures?\n(A) linear arrays (B) linked lists\n(C) both of above (D) none of above\n\n18. Consider the following for loops are part of a program:\nfor(i = 0; i< n; i++){}\nfor(i = 0; i< n; i += 2){}\nfor(i = 1; i< n; i *= 2){}\nIf n is the size of input(positive), what will be time complexity?\n(A) O(n) (B) O(n2) (C) O(n3) (D) O(logn)\n\n19. Sparse matrix has\n(A) Many zero entries (B) Many non zero entries\n(C) Many dimensions (D) All diagonal elements zero\n\n20. Which of the following is not a limitation of binary search algorithm?\n(A) must use a sorted array\n(B) there must be a mechanism to access middle element directly\n(C) requirement of sorted array is expensive when a lot of insertion and deletions\nare needed\n(D) binary search algorithm is not efficient when the data elements are more than\n1000.\n\n21. The time factor when determining the efficiency of algorithm is measured by\n(A) Counting microseconds\n(B) Counting the number of key operations\n(C) Counting the number of statements\n(D) Counting the kilobytes of algorithm\n\n22. The situation when in a linked list START=NULL is\n(A) underflow (B) overflow\n(C) housefull (D) saturated\n\n23 The OS of a computer may periodically collect all the free memory space to\nform contiguous block of free space. This is called\n(A) Garbage Management (B) Garbage collection\n(C) Waste Collection (D) Waste Management\n\n24 If LOCP is NULL for a given LOC and to delete item at LOC following is used\n(C) LINK [LOC] = START (D) START = NULL\n\n25 Which instructions are used to get a free node from AVAIL list\n(A) NEW = AVAIL, AVAIL = LINK [AVAIL]\n(B) AVAIL = NEW, LINK [AVAIL] = AVAIL\n(C) AVAIL = NEW, AVAIL = LINK [AVAIL]\n(D) NEW = AVAIL, LINK [AVAIL] = AVAIL\n\n26. Calculate number of elements in A( -10:5)\n\n27 Consider 25 X 4 matrix array SCORE. LetBase(SCORE) = 325 and w = 4. Tell address of SCORE[12,3] if arrays are stored in column major order?                                [2 marks]\n\n28. Consider 8 X 4 matrix array SCORE. Suppose Base(SCORE) = 18 and w = 4.\nWhat will be the address of SCORE[12,3] if arrays are stored in row major order?\n[2 marks]\n\n### Sharecodepoint\n\nSharecodepoint is the junction where every essential thing is shared for college students in the well-defined packets of codes. We are focused on providing you the best material package like Question papers, MCQ'S, and one NIGHT STUDY MATERIAL. facebook twitter youtube instagram\n\n1.", null, "2.", null, "3.", null, "4.", null, "" ]
[ null, "https://www.blogger.com/img/blogger_logo_round_35.png", null, "https://www.blogger.com/img/blogger_logo_round_35.png", null, "https://www.blogger.com/img/blogger_logo_round_35.png", null, "https://2.bp.blogspot.com/-yZsQBwPE9I8/X2jCqyCYzKI/AAAAAAAAADE/GdwBm6CfH0QgVnNK_JIwdylA6wmh5a53wCK4BGAYYCw/s35/mr.vipul%25252Bpal.jpg", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.7875511,"math_prob":0.98199123,"size":5217,"snap":"2023-14-2023-23","text_gpt3_token_len":1501,"char_repetition_ratio":0.12161903,"word_repetition_ratio":0.058884297,"special_character_ratio":0.2930803,"punctuation_ratio":0.07048872,"nsfw_num_words":1,"has_unicode_error":false,"math_prob_llama3":0.9941275,"pos_list":[0,1,2,3,4,5,6,7,8],"im_url_duplicate_count":[null,null,null,null,null,null,null,4,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-03-25T03:41:49Z\",\"WARC-Record-ID\":\"<urn:uuid:47ce82c8-c693-4892-b575-140e89101d08>\",\"Content-Length\":\"230146\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:17640b9c-7712-4bbe-ba62-a6b29ddb1efc>\",\"WARC-Concurrent-To\":\"<urn:uuid:7a87ec7b-35bb-48bf-893b-1e41f50e93fc>\",\"WARC-IP-Address\":\"172.253.115.121\",\"WARC-Target-URI\":\"https://www.sharecodepoint.com/2017/10/cse205-data-structure-and-algorithm_3.html\",\"WARC-Payload-Digest\":\"sha1:EPANBMROVILKSD3FGRBBFAPTSNE3NGDK\",\"WARC-Block-Digest\":\"sha1:R5NGGF3XCIT3Y6RFKZUWB5EGDCU37QA2\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-14/CC-MAIN-2023-14_segments_1679296945315.31_warc_CC-MAIN-20230325033306-20230325063306-00404.warc.gz\"}"}
https://foreach.id/EN/fluids/flowratevol/milliliter%7Cday-to-cubic_inch%7Chour.html
[ "# Convert milliliter/day to inch³/hour (mL/d to in³/h)\n\nBatch Convert\n• milliliter/day [mL/d]\n• inch³/hour [in³/h]\nCopy\n_\nCopy\n• milliliter/day [mL/d]\n• inch³/hour [in³/h]\n\n## Milliliter/day to Inch³/hour (mL/d to in³/h)\n\n### Milliliter/day (Symbol or Abbreviation: mL/d)\n\nMilliliter/day is one of volumetric flow rate units. Milliliter/day abbreviated or symbolized by mL/d. The value of 1 milliliter/day is equal to 1.1574e-11 meter³/second. In its relation with inch³/hour, 1 milliliter/day is equal to 0.0025427 inch³/hour.\n\n#### Relation with other units\n\n1 milliliter/day equals to 1.1574e-11 meter³/second\n\n1 milliliter/day equals to 0.000001 meter³/day\n\n1 milliliter/day equals to 4.1667e-8 meter³/hour\n\n1 milliliter/day equals to 6.9444e-10 meter³/minute\n\n1 milliliter/day equals to 1 centimeter³/day\n\n1 milliliter/day equals to 0.041667 centimeter³/hour\n\n1 milliliter/day equals to 0.00069444 centimeter³/minute\n\n1 milliliter/day equals to 0.000011574 centimeter³/second\n\n1 milliliter/day equals to 0.001 liter/day\n\n1 milliliter/day equals to 0.000041667 liter/hour\n\n1 milliliter/day equals to 6.9444e-7 liter/minute\n\n1 milliliter/day equals to 1.1574e-8 liter/second\n\n1 milliliter/day equals to 0.041667 milliliter/hour\n\n1 milliliter/day equals to 0.00069444 milliliter/minute\n\n1 milliliter/day equals to 0.000011574 milliliter/second\n\n1 milliliter/day equals to 0.00026417 gallon (US)/day\n\n1 milliliter/day equals to 0.000011007 gallon (US)/hour\n\n1 milliliter/day equals to 1.8345e-7 gallon (US)/minute\n\n1 milliliter/day equals to 3.0575e-9 gallon (US)/second\n\n1 milliliter/day equals to 0.00021997 gallon (UK)/day\n\n1 milliliter/day equals to 0.0000091654 gallon (UK)/hour\n\n1 milliliter/day equals to 1.5276e-7 gallon (UK)/minute\n\n1 milliliter/day equals to 2.5459e-9 gallon (UK)/second\n\n1 milliliter/day equals to 6.2898e-9 kilobarrel (US)/day\n\n1 milliliter/day equals to 0.0000062898 barrel (US)/day\n\n1 milliliter/day equals to 2.6208e-7 barrel (US)/hour\n\n1 milliliter/day equals to 4.3679e-9 barrel (US)/minute\n\n1 milliliter/day equals to 7.2799e-11 barrel (US)/second\n\n1 milliliter/day equals to 2.9591e-7 acre foot/year\n\n1 milliliter/day equals to 8.1071e-10 acre foot/day\n\n1 milliliter/day equals to 3.378e-11 acre foot/hour\n\n1 milliliter/day equals to 3.5315e-7 100 foot³/day\n\n1 milliliter/day equals to 1.4714e-8 100 foot³/hour\n\n1 milliliter/day equals to 2.4524e-10 100 foot³/minute\n\n1 milliliter/day equals to 0.0014089 ounce/hour\n\n1 milliliter/day equals to 0.000023482 ounce/minute\n\n1 milliliter/day equals to 3.9137e-7 ounce/second\n\n1 milliliter/day equals to 0.0014665 ounce (UK)/hour\n\n1 milliliter/day equals to 0.000024441 ounce (UK)/minute\n\n1 milliliter/day equals to 4.0735e-7 ounce (UK)/second\n\n1 milliliter/day equals to 5.4498e-8 yard³/hour\n\n1 milliliter/day equals to 9.083e-10 yard³/minute\n\n1 milliliter/day equals to 1.5138e-11 yard³/second\n\n1 milliliter/day equals to 0.0000014714 foot³/hour\n\n1 milliliter/day equals to 2.4524e-8 foot³/minute\n\n1 milliliter/day equals to 4.0873e-10 foot³/second\n\n1 milliliter/day equals to 0.0025427 inch³/hour\n\n1 milliliter/day equals to 0.000042378 inch³/minute\n\n1 milliliter/day equals to 7.0629e-7 inch³/second\n\n1 milliliter/day equals to 1.8865e-8 pound/second (Gasoline at 15.5%b0C)\n\n1 milliliter/day equals to 0.0000011319 pound/minute (Gasoline at 15.5%b0C)\n\n1 milliliter/day equals to 0.000067914 pound/hour (Gasoline at 15.5%b0C)\n\n1 milliliter/day equals to 0.0016299 pound/day (Gasoline at 15.5%b0C)\n\n1 milliliter/day equals to 8.557e-9 kilogram/second (Gasoline at 15.5%b0C)\n\n1 milliliter/day equals to 5.1342e-7 kilogram/minute (Gasoline at 15.5%b0C)\n\n1 milliliter/day equals to 0.000030805 kilogram/hour (Gasoline at 15.5%b0C)\n\n1 milliliter/day equals to 0.00073933 kilogram/day (Gasoline at 15.5%b0C)\n\n### Inch³/hour (Symbol or Abbreviation: in³/h)\n\nInch³/hour is one of volumetric flow rate units. Inch³/hour abbreviated or symbolized by in³/h. The value of 1 inch³/hour is equal to 4.552e-9 meter³/second. In its relation with milliliter/day, 1 inch³/hour is equal to 393.29 milliliter/day.\n\n#### Relation with other units\n\n1 inch³/hour equals to 4.552e-9 meter³/second\n\n1 inch³/hour equals to 0.00039329 meter³/day\n\n1 inch³/hour equals to 0.000016387 meter³/hour\n\n1 inch³/hour equals to 2.7312e-7 meter³/minute\n\n1 inch³/hour equals to 393.29 centimeter³/day\n\n1 inch³/hour equals to 16.387 centimeter³/hour\n\n1 inch³/hour equals to 0.27312 centimeter³/minute\n\n1 inch³/hour equals to 0.004552 centimeter³/second\n\n1 inch³/hour equals to 0.39329 liter/day\n\n1 inch³/hour equals to 0.016387 liter/hour\n\n1 inch³/hour equals to 0.00027312 liter/minute\n\n1 inch³/hour equals to 0.000004552 liter/second\n\n1 inch³/hour equals to 393.29 milliliter/day\n\n1 inch³/hour equals to 16.387 milliliter/hour\n\n1 inch³/hour equals to 0.27312 milliliter/minute\n\n1 inch³/hour equals to 0.004552 milliliter/second\n\n1 inch³/hour equals to 0.1039 gallon (US)/day\n\n1 inch³/hour equals to 0.004329 gallon (US)/hour\n\n1 inch³/hour equals to 0.00007215 gallon (US)/minute\n\n1 inch³/hour equals to 0.0000012025 gallon (US)/second\n\n1 inch³/hour equals to 0.086512 gallon (UK)/day\n\n1 inch³/hour equals to 0.0036047 gallon (UK)/hour\n\n1 inch³/hour equals to 0.000060078 gallon (UK)/minute\n\n1 inch³/hour equals to 0.0000010013 gallon (UK)/second\n\n1 inch³/hour equals to 0.0000024737 kilobarrel (US)/day\n\n1 inch³/hour equals to 0.0024737 barrel (US)/day\n\n1 inch³/hour equals to 0.00010307 barrel (US)/hour\n\n1 inch³/hour equals to 0.0000017179 barrel (US)/minute\n\n1 inch³/hour equals to 2.8631e-8 barrel (US)/second\n\n1 inch³/hour equals to 0.00011638 acre foot/year\n\n1 inch³/hour equals to 3.1884e-7 acre foot/day\n\n1 inch³/hour equals to 1.3285e-8 acre foot/hour\n\n1 inch³/hour equals to 0.00013889 100 foot³/day\n\n1 inch³/hour equals to 0.000005787 100 foot³/hour\n\n1 inch³/hour equals to 9.6451e-8 100 foot³/minute\n\n1 inch³/hour equals to 0.55411 ounce/hour\n\n1 inch³/hour equals to 0.0092352 ounce/minute\n\n1 inch³/hour equals to 0.00015392 ounce/second\n\n1 inch³/hour equals to 0.57674 ounce (UK)/hour\n\n1 inch³/hour equals to 0.0096124 ounce (UK)/minute\n\n1 inch³/hour equals to 0.00016021 ounce (UK)/second\n\n1 inch³/hour equals to 0.000021433 yard³/hour\n\n1 inch³/hour equals to 3.5722e-7 yard³/minute\n\n1 inch³/hour equals to 5.9537e-9 yard³/second\n\n1 inch³/hour equals to 0.0005787 foot³/hour\n\n1 inch³/hour equals to 0.0000096451 foot³/minute\n\n1 inch³/hour equals to 1.6075e-7 foot³/second\n\n1 inch³/hour equals to 0.016667 inch³/minute\n\n1 inch³/hour equals to 0.00027778 inch³/second\n\n1 inch³/hour equals to 0.0000074194 pound/second (Gasoline at 15.5%b0C)\n\n1 inch³/hour equals to 0.00044517 pound/minute (Gasoline at 15.5%b0C)\n\n1 inch³/hour equals to 0.02671 pound/hour (Gasoline at 15.5%b0C)\n\n1 inch³/hour equals to 0.64104 pound/day (Gasoline at 15.5%b0C)\n\n1 inch³/hour equals to 0.0000033654 kilogram/second (Gasoline at 15.5%b0C)\n\n1 inch³/hour equals to 0.00020192 kilogram/minute (Gasoline at 15.5%b0C)\n\n1 inch³/hour equals to 0.012115 kilogram/hour (Gasoline at 15.5%b0C)\n\n1 inch³/hour equals to 0.29077 kilogram/day (Gasoline at 15.5%b0C)\n\n### How to convert Milliliter/day to Inch³/hour (mL/d to in³/h):\n\n#### Conversion Table for Milliliter/day to Inch³/hour (mL/d to in³/h)\n\nmilliliter/day (mL/d) inch³/hour (in³/h)\n0.01 mL/d 0.000025427 in³/h\n0.1 mL/d 0.00025427 in³/h\n1 mL/d 0.0025427 in³/h\n2 mL/d 0.0050853 in³/h\n3 mL/d 0.007628 in³/h\n4 mL/d 0.010171 in³/h\n5 mL/d 0.012713 in³/h\n6 mL/d 0.015256 in³/h\n7 mL/d 0.017799 in³/h\n8 mL/d 0.020341 in³/h\n9 mL/d 0.022884 in³/h\n10 mL/d 0.025427 in³/h\n20 mL/d 0.050853 in³/h\n25 mL/d 0.063566 in³/h\n50 mL/d 0.12713 in³/h\n75 mL/d 0.1907 in³/h\n100 mL/d 0.25427 in³/h\n250 mL/d 0.63566 in³/h\n500 mL/d 1.2713 in³/h\n750 mL/d 1.907 in³/h\n1,000 mL/d 2.5427 in³/h\n100,000 mL/d 254.27 in³/h\n1,000,000,000 mL/d 2,542,700 in³/h\n1,000,000,000,000 mL/d 2,542,700,000 in³/h\n\n#### Conversion Table for Inch³/hour to Milliliter/day (in³/h to mL/d)\n\ninch³/hour (in³/h) milliliter/day (mL/d)\n0.01 in³/h 3.9329 mL/d\n0.1 in³/h 39.329 mL/d\n1 in³/h 393.29 mL/d\n2 in³/h 786.58 mL/d\n3 in³/h 1,179.9 mL/d\n4 in³/h 1,573.2 mL/d\n5 in³/h 1,966.4 mL/d\n6 in³/h 2,359.7 mL/d\n7 in³/h 2,753 mL/d\n8 in³/h 3,146.3 mL/d\n9 in³/h 3,539.6 mL/d\n10 in³/h 3,932.9 mL/d\n20 in³/h 7,865.8 mL/d\n25 in³/h 9,832.2 mL/d\n50 in³/h 19,664 mL/d\n75 in³/h 29,497 mL/d\n100 in³/h 39,329 mL/d\n250 in³/h 98,322 mL/d\n500 in³/h 196,640 mL/d\n750 in³/h 294,970 mL/d\n1,000 in³/h 393,290 mL/d\n100,000 in³/h 39,329,000 mL/d\n1,000,000,000 in³/h 393,290,000,000 mL/d\n1,000,000,000,000 in³/h 393,290,000,000,000 mL/d\n\n#### Steps to Convert Milliliter/day to Inch³/hour (mL/d to in³/h)\n\n1. Example: Convert 600 milliliter/day to inch³/hour (600 mL/d to in³/h).\n2. 1 milliliter/day is equivalent to 0.0025427 inch³/hour (1 mL/d is equivalent to 0.0025427 in³/h).\n3. 600 milliliter/day (mL/d) is equivalent to 600 times 0.0025427 inch³/hour (in³/h).\n4. Retrieved 600 milliliter/day is equivalent to 1.5256 inch³/hour (600 mL/d is equivalent to 1.5256 in³/h).\n\n▸▸" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.6367768,"math_prob":0.9759301,"size":8733,"snap":"2021-21-2021-25","text_gpt3_token_len":3420,"char_repetition_ratio":0.3989002,"word_repetition_ratio":0.111398965,"special_character_ratio":0.44039848,"punctuation_ratio":0.11770381,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9878143,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-06-21T14:22:22Z\",\"WARC-Record-ID\":\"<urn:uuid:d7e80a5b-d8a4-4495-b515-d2906e5f1cce>\",\"Content-Length\":\"84618\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:eb7dd19c-d0b2-4e6b-ab49-9e47bb2c7571>\",\"WARC-Concurrent-To\":\"<urn:uuid:fa1b090c-f691-4c71-99e9-3493ebc165a8>\",\"WARC-IP-Address\":\"104.21.3.52\",\"WARC-Target-URI\":\"https://foreach.id/EN/fluids/flowratevol/milliliter%7Cday-to-cubic_inch%7Chour.html\",\"WARC-Payload-Digest\":\"sha1:3FZC7AUKL6GTGDBPB6HUOPAQ4LSI62YS\",\"WARC-Block-Digest\":\"sha1:HCFUYYRZ4TD2I76W5E3UXEDH3NSFI45H\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-25/CC-MAIN-2021-25_segments_1623488273983.63_warc_CC-MAIN-20210621120456-20210621150456-00244.warc.gz\"}"}
http://dan.saigon.ro/gui-python-with-tkinter-part-4-the-grid-geometry-manager/
[ "# GUI Python with Tkinter – Part 4 – The grid() geometry manager\n\nThe grid geometry manager organizes the container frame into a table with rows and columns. Each cell in the table can hold one widget. Widgets can span multiple cells.\n\nExample:\n\nLet’s create a login window using the `grid()` geometry manager. I placed all the code in a file named `test04.py`.\n\n``````from tkinter import *\nroot = Tk()\n\nlabel1 = Label(root, text = \"Username\")\nlabel1.grid(row = 0, sticky = W)\nlabel2 = Label(root, text = \"Password\")\nlabel2.grid(row = 1, sticky = W)\nentry1 = Entry(root)\nentry1.grid(row = 0, column = 1, sticky = E)\nentry2 = Entry(root)\nentry2.grid(row = 1, column = 1, sticky = E)\nbutton1 = Button(root, text = \"Login\")\nbutton1.grid(row = 2, column = 1, sticky = E)\n\nroot.mainloop()``````\n\nWe aligned the position of each widget using the `sticky` option. The `sticky` option decides how the widget is expanded. The sticky option can be specified using one of the cardinal points.\n\nNote:\nNot specifying any value, defaults to stickiness to the center of the widget in the cell.\n\nIf you run the file in the terminal you will get something like this:", null, "The `sticky = W` makes the labels stick on the left side.\nThe width and the height of each column is decided automatically. You can specify the `width` for widgets if you want total control.\nThe `sticky = NSEW` argument makes the widget expandable and fills the entire cell of the grid.\n\nYour widgets can span across multiple cells in the grid. For that you can use the options `rowspan` and `columnspan`.\n\nThe `padx` and `pady` options allow you to set a padding around a widget. The `ipadx` and `ipady` options are used for internal padding. The default value of an external and internal padding is 0.\n\nLet’s use these options in an example. I created another file named `test05.py` and I placed all the code for this example in it.\n\n``````from tkinter import *\nroot = Tk()\n\nroot.title('Motorcycles')\nLabel(root, text = \"Brand:\").grid(row = 0, column = 0, sticky = E)\nEntry(root, width = 35).grid(row = 0, column = 1, padx = 2, pady = 2, sticky = 'we', columnspan = 4)\nLabel(root, text=\"Model:\").grid(row = 1, column = 0, sticky = E)\nEntry(root).grid(row = 1, column = 1, padx = 2, pady = 2, sticky = 'we', columnspan = 4)\nButton(root, text = \"Find\").grid(row = 0, column = 5, sticky = E + W, padx = 2, pady = 2)\nButton(root, text = \"Options\").grid(row = 1, column = 5, sticky = E + W, padx = 2)\nButton(root, text = \"Custom\").grid(row = 2, column = 5, sticky = E + W, padx = 2)\nButton(root, text = \"Reset\").grid(row = 3, column = 5, sticky = E + W, padx = 2)\nCheckbutton(root, text = \"Retro\").grid(row = 2, column = 1, columnspan = 2, sticky = W)\nCheckbutton(root, text = \"Accesories\").grid(row = 3, column = 1, columnspan = 2, sticky = W)\nCheckbutton(root, text = \"Delivered\").grid(row = 4, column = 1, columnspan = 2, sticky = W)\nLabel(root, text = \"Color:\").grid(row = 2, column = 3, sticky = W, padx = 8)\nRadiobutton(root, text = \"Red\", value = 1).grid(row = 3, column = 3, sticky = W)\nRadiobutton(root, text = \"Blue\", value = 2).grid(row = 3, column = 3, sticky = E)\n\nroot.mainloop()``````\n\nIf you run the file in the terminal you should get something like shown below:", null, "Other `grid()` options commonly used are `widget.grid_forget()` and `widget.grid_remove()` methods. There are many more! For a complete `grid` reference, type the following command in the Python shell:\n\n``````>>> import tkinter\n>>> help(tkinter.Grid)``````\n\nYou can configure a grid’s column and row sizes to override the default customization given automatically. The height of all the grid rows (and columns) is automatically adjusted to be the height of its tallest cell.\n\nTo override this automatic sizing of columns and rows you can use something like shown below:\n\n``````widget_name.columnconfigure(n, option = value, ...)\nwidgen_name.rowconfigure(N, option = value, ...)``````\n\nUse these to configure the options for a given widget, `widget_name` , in either the nth column or the nth row. You can specify `minsize`, `pad`, and `weight`.\n\nExample:\n\n``````w.columnconfigure(0, weight = 2)\nw.columnconfigure(1, weight = 4)``````\n\nTwo-sixths of the extra space is allocated to the first column and four-sixths to the second column.\n\nNote:\nThe `columnconfigure()` and rowconfigure() methods are often used for dynamic resizing of widgets." ]
[ null, "http://dan.saigon.ro/wp-content/uploads/2017/11/tkinter-005.png", null, "http://dan.saigon.ro/wp-content/uploads/2017/11/tkinter-006.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.6867086,"math_prob":0.99146926,"size":4177,"snap":"2019-35-2019-39","text_gpt3_token_len":1125,"char_repetition_ratio":0.2010544,"word_repetition_ratio":0.16436464,"special_character_ratio":0.2937515,"punctuation_ratio":0.18470588,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9843341,"pos_list":[0,1,2,3,4],"im_url_duplicate_count":[null,2,null,2,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-08-18T14:51:17Z\",\"WARC-Record-ID\":\"<urn:uuid:249f9f3b-b733-4abc-9cdd-ff12288ccb39>\",\"Content-Length\":\"19874\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:59084694-6dab-43d2-94a2-bb2524be743f>\",\"WARC-Concurrent-To\":\"<urn:uuid:c1958819-e188-4ef8-bb57-6def0f15d8a9>\",\"WARC-IP-Address\":\"50.31.160.50\",\"WARC-Target-URI\":\"http://dan.saigon.ro/gui-python-with-tkinter-part-4-the-grid-geometry-manager/\",\"WARC-Payload-Digest\":\"sha1:HYZ3WJLCBDUQKF3CKU44V755A4LL3ADM\",\"WARC-Block-Digest\":\"sha1:JGLXTSPFOQTEXS5PDB5MTQDM3EVMEHIX\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-35/CC-MAIN-2019-35_segments_1566027313936.42_warc_CC-MAIN-20190818145013-20190818171013-00360.warc.gz\"}"}
https://www.chegg.com/homework-help/introductory-chemistry-4th-edition-chapter-13-problem-53p-solution-9780321687937
[ "", null, "Introductory Chemistry (4th Edition) Edit edition Problem 53P from Chapter 13\n\nWe have solutions for your book!\nChapter: Problem:\nStep-by-step solution:\n100%(3 ratings)\nfor this solution\nChapter: Problem:\n• Step 1 of 4\n\nSince 1 L", null, "contains = 1000 mL", null, "So 4.8 L", null, "will have", null, "4800 mL of", null, "solution contains 4800 mL of silver. Because,", null, "Given that the density of solution 1.01g/mL.\n\nTherefore, mass of 4800 mL of silver solution", null, "", null, "silver\n\n• Chapter , Problem is solved.\nCorresponding Textbook", null, "Introductory Chemistry | 4th Edition\n9780321687937ISBN-13: 0321687930ISBN: Nivaldo J. TroAuthors:\nAlternate ISBN: 9780321730107, 9780321730183, 9780321747808, 9780321778529, 9780321785978, 9780321811325, 9780321830500" ]
[ null, "https://cs.cheggcdn.com/covers2/23630000/23633567_1375787463_Width200.jpg", null, "https://word-to-html-images.s3.amazonaws.com/9780136003823/2311-13-55p-i1.png", null, "https://word-to-html-images.s3.amazonaws.com/9780136003823/2311-13-55p-i2.png", null, "https://word-to-html-images.s3.amazonaws.com/9780136003823/2311-13-55p-i3.png", null, "https://word-to-html-images.s3.amazonaws.com/9780136003823/2311-13-55p-i4.png", null, "https://word-to-html-images.s3.amazonaws.com/9780136003823/2311-13-55p-i5.png", null, "https://word-to-html-images.s3.amazonaws.com/9780136003823/2311-13-55p-i6.png", null, "https://word-to-html-images.s3.amazonaws.com/9780136003823/2311-13-55p-i7.png", null, "https://word-to-html-images.s3.amazonaws.com/9780136003823/2311-13-55p-i8.png", null, "https://cs.cheggcdn.com/covers2/23630000/23633567_1375787463_Width200.jpg", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.6121999,"math_prob":0.4717871,"size":246,"snap":"2019-26-2019-30","text_gpt3_token_len":76,"char_repetition_ratio":0.17355372,"word_repetition_ratio":0.0,"special_character_ratio":0.31707317,"punctuation_ratio":0.11320755,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9865656,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20],"im_url_duplicate_count":[null,null,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-06-24T21:21:10Z\",\"WARC-Record-ID\":\"<urn:uuid:05795208-32d5-4f72-a34e-eefe7578306d>\",\"Content-Length\":\"256883\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:6c1f4e81-9e01-4620-bcd4-3a3f5e897928>\",\"WARC-Concurrent-To\":\"<urn:uuid:d1601316-b14c-4cb6-b35f-e7f18581338e>\",\"WARC-IP-Address\":\"99.86.230.21\",\"WARC-Target-URI\":\"https://www.chegg.com/homework-help/introductory-chemistry-4th-edition-chapter-13-problem-53p-solution-9780321687937\",\"WARC-Payload-Digest\":\"sha1:NIJBBOG7HAK5GG5P6PFYYTC7VQJACRAN\",\"WARC-Block-Digest\":\"sha1:VXKRW56CZOJ7IZ54RQ3P26SJEK7GLXXH\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-26/CC-MAIN-2019-26_segments_1560627999740.32_warc_CC-MAIN-20190624211359-20190624233359-00518.warc.gz\"}"}
https://www.hindawi.com/journals/ahep/2014/794626/
[ "/ / Article\nSpecial Issue\n\n## Black Holes Physics\n\nView this Special Issue\n\nResearch Article | Open Access\n\nVolume 2014 |Article ID 794626 | 8 pages | https://doi.org/10.1155/2014/794626\n\n# Researching on Hawking Effect in a Kerr Space Time via Open Quantum System Approach\n\nAccepted30 Jan 2014\nPublished09 Mar 2014\n\n#### Abstract\n\nIt has been proposed that Hawking radiation from a Schwarzschild or a de Sitter spacetime can be understood as the manifestation of thermalization phenomena in the framework of an open quantum system. Through examining the time evolution of a detector interacting with vacuum massless scalar fields, it is found that the detector would spontaneously excite with a probability the same as the thermal radiation at Hawking temperature. Following the proposals, the Hawking effect in a Kerr space time is investigated in the framework of an open quantum systems. It is shown that Hawking effect of the Kerr space time can also be understood as the the manifestation of thermalization phenomena via open quantum system approach. Furthermore, it is found that near horizon local conformal symmetry plays the key role in the quantum effect of the Kerr space time.\n\n#### 1. Introduction\n\nHawking radiation arising from the quantization of matter field in a curved background space-time with the event horizon is a prominent quantum effect. The research to understand Hawking radiation, which is related to general relativity, quantum theory, and thermodynamics, has attracted widespread interest in the physics community. Since Hawking’s original derivation of black hole thermal radiation , several alternative methods have been proposed, such as Damour-Ruffini method [4, 5], the tunneling method , and gravitational anomaly method [12, 13].\n\nHowever, from a physical viewpoint, the black hole thermodynamics system should be more like a nonequilibrium system rather than an equilibrium system. Hawking effect should be investigated in the frame of nonequilibrium statistics physics. In quantum mechanics and nonequilibrium statistics physics, the open quantum theory system has gotten a lot of successful development . The quantum dynamics of an open quantum system characterized by the effects of decoherence and dissipation cannot be represented in terms of a unitary time evolution. It has been applied to quantum information science, modern quantum optics, atomic and many-body systems, soft condensed matter physics, and biophysics. Recently, in the paradigm of open quantum system, based on , Yu and Zhang proposed a new insight to understand Hawking radiation in a Schwarzschild space time . Through examining the time evolution of a detector interacting with vacuum massless scalar field, they got a conclusion that the detector in both Unruh and Hartle-Hawking vacua would spontaneously excite with a nonvanishing probability the same as Hawking thermal radiation from the black hole. This new approach has been extended to understand the Gibbons-Hawking effect of de Sitter space-time . However, there remain some challenges to study Hawking radiation from a generic Kerr space time under the manifestation of thermalization phenomena in an open quantum system.\n\nOur motivation comes from the fact that the near-horizon geometry plays the key role to the character of a black hole space time . In 1998, Strominger discussed the near-horizon asymptotic symmetry in a Kerr black hole and found that there was a holographic duality between extremal and near-extremal Kerr black hole and a 2-dimensional conformal field theory. In [23, 24], it was shown that around the horizon of a Kerr space time, the scalar field theory can be reduced to a 2-dimensional effective field theory. Now, the thermal radiation of scalar particles from a Kerr black hole can be derived on the basis of a conformal symmetry arising from the near-horizon geometry .\n\nUsing the near-horizon geometry and open quantum system approach, Hawking effect in a Kerr space time will be investigated. We will examine the time evolution of a static detector (modeled by a two-level atom) outside a Kerr space time immersed in a vacuum massless scalar field. The dynamics of the detector can be obtained from the complete time evolution describing the total system (detector plus external field) by integrating over the field degrees of freedom. Our results show that the detector would spontaneously excite in the Unruh vacuum state with a probability the same as the thermal radiation at Hawking temperature, indicating that Hawking radiation from a Kerr space time can be understood as the manifestation of thermalization phenomena in the framework of open quantum systems. The conformal invariance of the wave equation near the horizon is at the key point of Hawking quantum effect in the Kerr space time.\n\nThe organization of our paper is as follows. In Section 2, we will review the basic formulae, including the master equation describing the system of the detector plus external vacuum scalar field in the weak-coupling limit and the reduced dynamical equation for the finite time evolution of the detector. In Section 3, the dimensional reduction technique is used to investigate the massless scalar field in a Kerr space time, and the Wightman function is obtained. In Section 4, applying the method and results of the preceding sections to calculate the probability of a spontaneous transition of the detector from the ground state to the excited state outside a Kerr space time. Finally, some discussions and conclusions will be given in Section 5.\n\n#### 2. Review of the Open Quantum System Approach\n\nIn this section, we will review the open quantum system approach to get the master equation describing the combined system , where a static detector (two-level atom) as an open system which is coupled to another quantum system of a vacuum massless scalar field in a Kerr space time. Our derivation mostly follows the works in . Here, we will consider the evolution of the static detector in the proper time and assume the combined system () to be initially prepared in a factorized state, with the detector keeping static in the exterior region of the Kerr black hole and the field keeping in vacuum state. The static detector is a two-level simplest quantum system whose Hilbert space is spanned over just two states, an excited state , and a ground state . The Hilbert space of such a system is equivalent to that of a spin- system. So the states of the detector can be represented by a density matrix, which is Hermitian , and normalized with . For simplicity, the Hamiltonian of the detector may be taken as where is the Pauli matrix and is the energy level spacing. The standard Hamiltonian of massless, free scalar field in a Kerr space time can be denoted as , which will be discussed in detail in Section 3. The interaction Hamiltonian of the detector with the scalar field can be denoted as Therefore, the Hilbert space of the total system is given by the tensor product space . The total Hamiltonian can be taken as where is the coupling constant and, and denote the identity operators in and , respectively.\n\nNow in order to get the reduced dynamics of the subsystem , we assume that the interaction between the detector and the scalar field is weak as is small and the finite time evolution describing the dynamics of the detector takes the form of a one-parameter semigroup of completely positive map.\n\nInitially, the complete system is described by the total density matrix , where is the initial reduced density matrix of the detector and is the Kerr space-time vacuum state of field . In the frame of the atom, the evolution in the proper time of the total density of the complete system satisfies which is often referred to the von Neumann or Liouville-von Neumann equation, where represents the Liouville operator associated with as follows: The dynamics of the detector can be obtained by summing over the degrees of freedom of the field ; that is, by applying to with the trace projection operator as follows: In the limit of weak coupling, we can find that the reduced density obeys an equation in the Kossakowski-Lindblad form as follows: where The matrix and the effective Hamiltonian are determined by the Fourier transform and Hilbert transform of the vacuum field correlation function (the Wightman function) as follows: and they are defined as The coefficients of the Kossakowski matrix can be written as with The effective Hamiltonian contains a correction term, the so-called Lamb shift, and one can find that it can be obtained by replacing in with a renormalized energy level spacing as follows: where a suitable subtraction is assumed in the definition of to remove the logarithmic divergence which would otherwise be presented.\n\nTo facilitate the discussion of the properties of solutions for (7) and (8), let us express the density matrix in terms of the Pauli matrices as follows: Substituting (14) into (8), the Bloch vector of components satisfies where denotes a constant vector . The exact form of the matrix reads Equation (15) can be solved exactly and its solution is where the matrix is defined by series expansion as usual. However, obeys a cubic eigenvalue equation, so powers of higher than 2 can always be written in terms of combinations of , , and . Actually, three eigenvalues of are , . We can write where Equation (19) reveals that a freely falling atom in a Kerr space time is subjected to the effects of decoherence and dissipation by the exponentially decaying factors including the real parts of the eigenvalues of and oscillating terms associated with the imaginary part. These nonunitary effects can be analyzed by examining the evolution behavior in time of suitable atom observable. For any observable of the atom represented by a Hermitian operator , the behavior of its mean value is determined by Let the observable be an admissible atom state , the probability , that the atom evolves to the expected state represented by density matrix from an initial one , should be If initially the atom is in the ground state, its Bloch vector is , and the final state is the excited state given by the Bloch vector , according to (17)–(22), we have\n\nThe probability per unit time of the transition from the ground state to the excited state, in the limit of infinitely slow switching on and off the atom-field interaction, that is, the spontaneous excitation rate, can be calculated by taking the time derivative of at as\n\n#### 3. Scalar Wave Equation Near the Event Horizon in a Kerr Space-Time\n\n##### 3.1. Dimensional Reduction Near the Horizon\n\nIn order to find out how the reduced density evolves with proper time from (7), we will investigate the scalar wave equation of the Kerr space time. In Boyer-Lindquist coordinates, the stationary Kerr space time can be written as where , and . The parameters and represent the mass and the angular momentum per unit mass of the black hole, respectively. The event horizon of the Kerr black hole is located at . The line element in (25) is stationary and axisymmetric, with and as the corresponding Killing vector fields.\n\nAnd then, we will show that the scalar field theory in the background (25) can be reduced to a 2-dimensional field theory in the near-horizon region with the dimensional reduction technique. This technique firstly has been employed for the Kerr black hole by Murata and Soda and developed with a more general technique by Iso et al. .\n\nThe action for the scalar field in a Kerr space time is where the first term is the kinetic term and the second term represents the mass, potential, and interaction terms.\n\nBy substituting (25) into (26), we obtain Now, we transform the radial coordinate into the tortoise coordinate defined by After the transformation, the action (27) can be written as Now we consider this action in the region near the horizon. Since at , we only retain dominant terms in (29). We have where we have ignored by using at . Because the theory becomes high-energy case near the horizon and the kinetic term dominates, we can ignore all the terms in . After this analysis, we return to the expression written in terms of . So, we have\n\nFollowing Murata and Soda’s method , we transform the coordinates to the corotating coordinate system. They employed a locally corotating coordinate system, and we will use a globally corotating coordinate system as Under these new coordinates, we can rewrite the action (31) as so the angular terms disappear completely. Using the spherical harmonics expansion , we obtain the effective 2-dimensional action where we have used the orthonormal condition for the spherical harmonics as follows:\n\nFrom the action (34), it is obvious to find that can be considered as a -dimensional massless scalar field in the backgrounds of the dilaton . The effective 2-dimensional metric and the dilaton can be written as\n\nSo far, we have reduced the 4-dimensional field theory to a 2-dimensional case. This is consistent with . This 2-dimensional metric tells us that, near the horizon, the geometry of a Kerr space time can be regarded as a Rindler space time when . In the extremal case , the near horizon geometry reduces to which is consistent with [19, 23]. The same as the Schwarzschild space time , we will define two vacuum states by using the two natural notions of time translation of this effective 2-dimensional metric, namely, the Killing time and the proper time as measured by a congruence of freely falling observers.\n\n##### 3.2. The Boulware Vacuum\n\nUsing the tortoise coordinate in (28), the effective 2-dimensional metric (36) can be changed into\n\nWe can see that the part of the metric has the form of Minkowski metric. Now in this 2-dimensional space time, the wave equation of can be written as\n\nIts standard ingoing and outgoing orthonormal mode solutions are where are null coordinates. These modes are positive frequency modes with respect to the killing vector field for , and they satisfy\n\nIt is obvious that the wave equation (39) is manifestly invariant under the infinite-dimensional group of conformal transformation in two dimensions , . In the following, we will show how this conformal symmetry does play the key role in the quantum effect of a Kerr space time.\n\nNear the event horizon, we only consider the outgoing modes along the rays constant. Quantizing the field in the exterior of the black hole, we can expand it as follows where and are the annihilation and creation operators acting on the vacuum state, which corresponds to the Boulware vacuum. The Fock vacuum state can be defined as . So, with the proper prescription, the Wightman function of state can be written as where , .\n\n##### 3.3. The Unruh Vacuum\n\nIn order to define the Unruh vacuum state, one can write the Kerr line element in the near-horizon region in terms of Kruskal-like coordinates defined as where , and is the surface gravity of the event horizon. The effective 2-dimensional space time (36) becomes where , which is a finite constant near the event horizon . The part of the metric also has the form of Minkowski metric. The interval of time then corresponds to the interval of proper time of a radial freely falling observer crossing the horizon. The 2-dimensional space time in the coordinates is well-behaved near the event horizon. One can obtain the wave equation of as\n\nSimilar to previous proceeding, we can obtain the out-going wave solution as . These modes are positive frequency modes with respect to the freely falling observer for , satisfying As pointed in previous subsection, there are conformal transformations from to , as (45).\n\nSubsequently, quantizing the field in the exterior of the black hole, we can expand it as follows: where and are the annihilation and creation operators acting on the vacuum state, which can be defined as . This vacuum state is just the so-called Unruh vacuum defined in the maximally extended geometry. So, with the proper prescription, the Wightman function of the state can be written as where , .\n\n#### 4. Probability of Spontaneous Transition of the Detector in a Kerr Space-Time\n\nIn what follows, we will calculate the spontaneous excitation rate in the two vacuum states with the open quantum system approach.\n\n##### 4.1. The State-Boulware Vacuum\n\nFirstly, let us turn to the state-Boulware vacuum case. Thinking of the relation between the proper time and the coordinate time, the Fourier transform of the Wightman function (44) with respect to the proper time can be expressed as\n\nAccording to (12), we have\n\nSo the spontaneous excitation rate can be obtained as\n\nTherefore, no spontaneous excitation would ever occur in the state-Boulware vacuum. In fact, the Boulware vacuum corresponds to our familiar notion of a vacuum state. This result is consistent with the conclusion in .\n\n##### 4.2. The State-Unruh Vacuum\n\nUsing the Wightman function (50) and the relation between the proper time and coordinate time (51), the Fourier transform can be given as where .\n\nAccording to (12), we have\n\nUsing (23) and (24), we have and the spontaneous excitation rate is which reveals that, the ground state detector in the vacuum would spontaneously excite with an excitation rate that one would expect in the case of a flux of thermal radiation at the temperature It is obvious that there is a near horizon conformal symmetry from to as (45), which is just the reason of the nonvanishing spontaneously excitation. This proposal is similar to . In fact, the effective temperature in (59) approaches to Hawking temperature as . This suggests that the thermal radiation emanating from the horizon of a Kerr black hole is just Hawking radiation, which is in agreement with [16, 17].\n\n#### 5. Conclusions and Discussions\n\nIn brief, we have investigated the Hawking radiation from a Kerr space time through examining the evolution of a detector (modeled by a two-level atom) interacting with the vacuum massless scalar field in the framework of open quantum systems.\n\nFirst of all, using the dimensional reduction technique, the 4-dimensional spherically nonsymmetric Kerr metric can be regarded as a 2-dimensional effective spherically symmetric metric near the event horizon. So we can construct two conformal vacuum states in this 2-dimensional effective space time: one is the state-Boulware vacuum, the other is the state-Unruh vacuum. Then we give the Wightman functions of the two vacuum states, respectively.\n\nOn the basis of these, we have calculated the time evolution of the detector in the two vacuum states. It is found that the detector in the state-Unruh vacuum would spontaneously excite with a nonvanishing probability the same as thermal radiation at Hawking temperature from a Kerr black hole. Hawking-Unruh effect of a Kerr space time can be understood as a manifestation of thermalization phenomena in an open quantum system. Meanwhile, it is also found that the probability of spontaneous transition of the detector would be vanishing in the state-Boulware vacuum. It suggests that near horizon conformal symmetry plays the key role in the full quantum phenomena in the Kerr space time.\n\n#### Conflict of Interests\n\nThe authors declare that there is no conflict of interests regarding the publication of this paper.\n\n#### Acknowledgments\n\nThe authors would like to thank Dr. Kui Xiao and Dr. Shi-Wei Zhou for their helpful discussions and suggestions. This research is supported by the National Natural Science Foundation of China under Grant no. 11365008.\n\n1. S. W. Hawking, “Black hole explosions?” Nature, vol. 248, no. 5443, pp. 30–31, 1974. View at: Publisher Site | Google Scholar\n2. S. W. Hawking, “Particle creation by black holes,” Communications in Mathematical Physics, vol. 43, no. 3, pp. 199–220, 1975. View at: Publisher Site | Google Scholar | MathSciNet\n3. G. Gibbons and S. W. Hawking, “Action integrals and partition functions in quantum gravity,” Physical Review D, vol. 15, pp. 2752–2756, 1977. View at: Publisher Site | Google Scholar\n4. T. Damour and R. Ruffini, “Black-hole evaporation in the Klein-Sauter-Heisenberg-Euler formalism,” Physical Review D, vol. 14, no. 2, pp. 332–334, 1976. View at: Publisher Site | Google Scholar\n5. S. Sannan, “Heuristic derivation of the probability distributions of particles emitted by a black hole,” General Relativity and Gravitation, vol. 20, no. 3, pp. 239–246, 1988. View at: Publisher Site | Google Scholar | MathSciNet\n6. M. K. Parikh and F. Wilczek, “Hawking radiation as tunneling,” Physical Review Letters, vol. 85, no. 24, pp. 5042–5045, 2000. View at: Publisher Site | Google Scholar | MathSciNet\n7. M. Parikh, “A secret tunnel through the horizon,” International Journal of Modern Physics D, vol. 13, no. 10, pp. 2351–2354, 2004.\n8. M. K. Parikh, “Energy conservation and Hawking radiation,” http://arxiv.org/abs/hep-th/0402166. View at: Google Scholar\n9. K. Xiao and W. B. Liu, “From Schwarzschild to Kerr under de Sitter background due to black hole tunnelling,” Canadian Journal of Physics, vol. 85, no. 8, pp. 863–868, 2007. View at: Publisher Site | Google Scholar\n10. Q. Dai and W. B. Liu, “Hawking radiation from a spherically symmetric static black hole,” Letters in Mathematical Physics, vol. 81, no. 2, pp. 151–159, 2007. View at: Publisher Site | Google Scholar\n11. W. Liu, “Massive tunneling in static black holes,” Nuovo Cimento della Societa Italiana di Fisica B, vol. 122, no. 1, pp. 59–65, 2007. View at: Publisher Site | Google Scholar\n12. S. P. Robinson and F. Wilczek, “Relationship between Hawking radiation and gravitational anomalies,” Physical Review Letters, vol. 95, no. 1, Article ID 011303, 4 pages, 2005. View at: Publisher Site | Google Scholar | MathSciNet\n13. K. Xiao, W. Liu, and H. B. Zhang, “Anomalies of the Achucarro-Ortiz black hole,” Physics Letters B, vol. 647, no. 5-6, pp. 482–485, 2007. View at: Publisher Site | Google Scholar\n14. H.-P. Breuer and F. Petruccione, The Theory of Open Quantum Systems, Oxford University Press, Oxford, UK, 2002. View at: MathSciNet\n15. F. Benatti and R. Floreanini, “Entanglement generation in uniformly accelerating atoms: reexamination of the Unruh effect,” Physical Review A, vol. 70, no. 1, Article ID 012112, 12 pages, 2004. View at: Publisher Site | Google Scholar\n16. H. Yu and J. Zhang, “Understanding Hawking radiation in the framework of open quantum systems,” Physical Review D, vol. 77, no. 2, Article ID 024031, 7 pages, 2008. View at: Publisher Site | Google Scholar\n17. H. Yu, “Open quantum system approach to the Gibbons-Hawking effect of de Sitter space-time,” Physical Review Letters, vol. 106, no. 6, Article ID 061101, 4 pages, 2011. View at: Publisher Site | Google Scholar | MathSciNet\n18. A. Strominger, “Black hole entropy from near-horizon microstates,” Journal of High Energy Physics, vol. 1998, article 009, 1998. View at: Publisher Site | Google Scholar\n19. J. M. Bardeen and G. T. Horowitz, “Extreme Kerr throat geometry: a vacuum analog of Ad${\\text{S}}_{2}×{\\text{S}}^{2}$,” Physical Review D, vol. 60, no. 10, Article ID 104030, 10 pages, 1999. View at: Publisher Site | Google Scholar\n20. S. Carlip, “Black hole entropy from conformal field theory in any dimension,” Physical Review Letters, vol. 82, no. 14, pp. 2828–2831, 1999.\n21. S. Carlip, “Black hole thermodynamics from Euclidean horizon constraints,” Physical Review Letters, vol. 99, no. 2, Article ID 021301, 4 pages, 2007.\n22. S. N. Solodukhin, “Conformal description of horizon's states,” Physics Letters B, vol. 454, no. 3-4, pp. 213–222, 1999.\n23. S. Iso, H. Umetsu, and F. Wilczek, “Anomalies, Hawking radiations, and regularity in rotating black holes,” Physical Review D, vol. 74, no. 4, Article ID 044017, 10 pages, 2006. View at: Publisher Site | Google Scholar | MathSciNet\n24. K. Murata and J. Soda, “Hawking radiation from rotating black holes and gravitational anomalies,” Physical Review D, vol. 74, no. 4, Article ID 044018, 6 pages, 2006. View at: Publisher Site | Google Scholar | MathSciNet\n25. M. Guica, T. Hartman, W. Song, and A. Strominger, “The Kerr/CFT correspondence,” Physical Review D, vol. 80, no. 12, Article ID 124008, 9 pages, 2009. View at: Publisher Site | Google Scholar\n26. A. Castro and C. F. Larsen, “Near extremal Kerr entropy from AdS2 quantum gravity,” Journal of High Energy Physics, vol. 2009, article 037, 2009. View at: Publisher Site | Google Scholar\n27. A. Castro, A. Maloney, and A. Strominger, “Hidden conformal symmetry of the Kerr black hole,” Physical Review D, vol. 82, no. 2, Article ID 024008, 7 pages, 2010. View at: Publisher Site | Google Scholar | MathSciNet\n28. T. Hartman, W. Song, and A. Strominger, “Holographic derivation of Kerr-Newman scattering amplitudes for general charge and spin,” Journal of High Energy Physics, vol. 2010, no. 3, article 118, 2010. View at: Publisher Site | Google Scholar\n29. I. Agullo, J. Navarro-Salas, G. J. Olmo, and L. Parker, “Hawking radiation by Kerr black holes and conformal symmetry,” Physical Review Letters, vol. 105, no. 21, Article ID 211305, 4 pages, 2010. View at: Publisher Site | Google Scholar | MathSciNet\n30. F. Benatti, R. Floreanini, and M. Piani, “Environment induced entanglement in Markovian dissipative dynamics,” Physical Review Letters, vol. 91, no. 7, Article ID 070402, 4 pages, 2003. View at: Google Scholar\n31. V. Gorini, A. Kossakowski, and E. C. G. Surdarshan, “Completely positive dynamical semigroups of N level systems,” Journal of Mathematical Physics, vol. 17, p. 821, 1976. View at: Publisher Site | Google Scholar\n32. G. Lindblad, “On the generators of quantum dynamical semigroups,” Communications in Mathematical Physics, vol. 48, no. 2, pp. 119–130, 1976. View at: Publisher Site | Google Scholar\n33. N. D. Birrell and P. C. W. Davies, Quantum Fields in Curved Space, vol. 7, Cambridge University Press, Cambridge, UK, 1982. View at: MathSciNet\n\nWe are committed to sharing findings related to COVID-19 as quickly and safely as possible. Any author submitting a COVID-19 paper should notify us at help@hindawi.com to ensure their research is fast-tracked and made available on a preprint server as soon as possible. We will be providing unlimited waivers of publication charges for accepted articles related to COVID-19. Sign up here as a reviewer to help fast-track new submissions.", null, "" ]
[ null, "data:image/svg+xml;base64,PD94bWwgdmVyc2lvbj0iMS4wIiBlbmNvZGluZz0iVVRGLTgiPz4KPHN2ZyB3aWR0aD0iMjBweCIgaGVpZ2h0PSIyMHB4IiB2aWV3Qm94PSIwIDAgMjAgMjAiIHZlcnNpb249IjEuMSIgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIiB4bWxuczp4bGluaz0iaHR0cDovL3d3dy53My5vcmcvMTk5OS94bGluayI+CiAgICA8IS0tIEdlbmVyYXRvcjogU2tldGNoIDUzLjIgKDcyNjQzKSAtIGh0dHBzOi8vc2tldGNoYXBwLmNvbSAtLT4KICAgIDx0aXRsZT5yZW1vdmU8L3RpdGxlPgogICAgPGRlc2M+Q3JlYXRlZCB3aXRoIFNrZXRjaC48L2Rlc2M+CiAgICA8ZyBpZD0iUGFnZS0xIiBzdHJva2U9Im5vbmUiIHN0cm9rZS13aWR0aD0iMSIgZmlsbD0ibm9uZSIgZmlsbC1ydWxlPSJldmVub2RkIj4KICAgICAgICA8ZyBpZD0iQXJ0Ym9hcmQiIHRyYW5zZm9ybT0idHJhbnNsYXRlKC0xODE4LjAwMDAwMCwgLTEzMy4wMDAwMDApIiBmaWxsPSIjRkZGRkZGIj4KICAgICAgICAgICAgPGcgaWQ9InJlbW92ZSIgdHJhbnNmb3JtPSJ0cmFuc2xhdGUoMTgxOC4wMDAwMDAsIDEzMy4wMDAwMDApIj4KICAgICAgICAgICAgICAgIDxwYXRoIGQ9Ik0yMCwxMCBDMjAsNC40NzcxNSAxNS41MjI4NzUsMCAxMCwwIEM0LjQ3NzE1LDAgMCw0LjQ3NzE1IDAsMTAgQzAsMTUuNTIyODc1IDQuNDc3MTUsMjAgMTAsMjAgQzE1LjUyMjg3NSwyMCAyMCwxNS41MjI4NzUgMjAsMTAgWiBNMTguNzUsMTAgQzE4Ljc1LDUuMTY3NTA2MjUgMTQuODMyNSwxLjI1IDEwLDEuMjUgQzUuMTY3NTA2MjUsMS4yNSAxLjI1LDUuMTY3NTA2MjUgMS4yNSwxMCBDMS4yNSwxNC44MzI1IDUuMTY3NTA2MjUsMTguNzUgMTAsMTguNzUgQzE0LjgzMjUsMTguNzUgMTguNzUsMTQuODMyNSAxOC43NSwxMCBaIE01LjQ0MTk0Mzc1LDE0LjQwNTc1IEM1LjE5Nzg2MjUsMTQuMTYxNjg3NSA1LjE5Nzg2MjUsMTMuNzY2IDUuNDQxOTQzNzUsMTMuNTIxODc1IEw4Ljg4OTA2MjUsMTAuMDc0NzUgTDUuNDQxOTQzNzUsNi42Mjc2MjUgQzUuMTk3ODYyNSw2LjM4MzUgNS4xOTc4NjI1LDUuOTg3NzkzNzUgNS40NDE5NDM3NSw1Ljc0MzcxODc1IEw1LjYxODcxODc1LDUuNTY2OTQzNzUgQzUuODYyNzkzNzUsNS4zMjI4NjI1IDYuMjU4NSw1LjMyMjg2MjUgNi41MDI2MjUsNS41NjY5NDM3NSBMOS45NDk3NSw5LjAxNDA2MjUgTDEzLjM5Njg3NSw1LjU2Njk0Mzc1IEMxMy42NDEsNS4zMjI4NjI1IDE0LjAzNjY4NzUsNS4zMjI4NjI1IDE0LjI4MDc1LDUuNTY2OTQzNzUgTDE0LjQ1NzU2MjUsNS43NDM3MTg3NSBDMTQuNzAxNjI1LDUuOTg3NzkzNzUgMTQuNzAxNjI1LDYuMzgzNSAxNC40NTc1NjI1LDYuNjI3NjI1IEwxMS4wMTA0Mzc1LDEwLjA3NDc1IEwxNC40NTc1NjI1LDEzLjUyMTg3NSBDMTQuNzAxNjI1LDEzLjc2NiAxNC43MDE2MjUsMTQuMTYxNjg3NSAxNC40NTc1NjI1LDE0LjQwNTc1IEwxNC4yODA3NSwxNC41ODI1NjI1IEMxNC4wMzY2ODc1LDE0LjgyNjYyNSAxMy42NDEsMTQuODI2NjI1IDEzLjM5Njg3NSwxNC41ODI1NjI1IEw5Ljk0OTc1LDExLjEzNTQzNzUgTDYuNTAyNjI1LDE0LjU4MjU2MjUgQzYuMjU4NSwxNC44MjY2MjUgNS44NjI3OTM3NSwxNC44MjY2MjUgNS42MTg3MTg3NSwxNC41ODI1NjI1IEw1LjQ0MTk0Mzc1LDE0LjQwNTc1IFoiIGlkPSJTaGFwZSI+PC9wYXRoPgogICAgICAgICAgICA8L2c+CiAgICAgICAgPC9nPgogICAgPC9nPgo8L3N2Zz4=", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.8823552,"math_prob":0.89424175,"size":26237,"snap":"2020-24-2020-29","text_gpt3_token_len":6038,"char_repetition_ratio":0.14679983,"word_repetition_ratio":0.12267225,"special_character_ratio":0.2295232,"punctuation_ratio":0.14894465,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.97105813,"pos_list":[0,1,2],"im_url_duplicate_count":[null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-05-26T11:52:05Z\",\"WARC-Record-ID\":\"<urn:uuid:9507e4d1-d0a0-4791-adea-382ecea2affd>\",\"Content-Length\":\"1049265\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:d715471b-0d74-407d-a03a-cfe3622a19fb>\",\"WARC-Concurrent-To\":\"<urn:uuid:03cdef66-d2ef-47e7-9774-6c445743a6bc>\",\"WARC-IP-Address\":\"99.84.191.62\",\"WARC-Target-URI\":\"https://www.hindawi.com/journals/ahep/2014/794626/\",\"WARC-Payload-Digest\":\"sha1:2CNCZMKP2ZGADJPW5FCWSOADQFWWCVJF\",\"WARC-Block-Digest\":\"sha1:GDJLOQRDLFOQPWEHYUPK2GG4YCGODFJL\",\"WARC-Truncated\":\"length\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-24/CC-MAIN-2020-24_segments_1590347390758.21_warc_CC-MAIN-20200526112939-20200526142939-00266.warc.gz\"}"}
http://onnocenter.or.id/wiki/index.php?title=Keras:_5_Step_Life-Cycle_for_Long_Short-Term_Memory_Model&diff=56807&oldid=0
[ "# Difference between revisions of \"Keras: 5 Step Life-Cycle for Long Short-Term Memory Model\"\n\nDeep learning neural networks are very easy to create and evaluate in Python with Keras, but you must follow a strict model life-cycle.\n\nIn this post, you will discover the step-by-step life-cycle for creating, training, and evaluating Long Short-Term Memory (LSTM) Recurrent Neural Networks in Keras and how to make predictions with a trained model.\n\nAfter reading this post, you will know:\n\n• How to define, compile, fit, and evaluate an LSTM in Keras.\n• How to select standard defaults for regression and classification sequence prediction problems.\n• How to tie it all together to develop and run your first LSTM recurrent neural network in Keras.\n\nDiscover how to develop LSTMs such as stacked, bidirectional, CNN-LSTM, Encoder-Decoder seq2seq and more in my new book, with 14 step-by-step tutorials and full code.\n\nOverview\n\nBelow is an overview of the 5 steps in the LSTM model life-cycle in Keras that we are going to look at.\n\n• Define Network\n• Compile Network\n• Fit Network\n• Evaluate Network\n• Make Predictions\n\nEnvironment\n\nThis tutorial assumes you have a Python SciPy environment installed. You can use either Python 2 or 3 with this example.\n\nThis tutorial assumes you have Keras v2.0 or higher installed with either the TensorFlow or Theano backend.\n\nThis tutorial also assumes you have scikit-learn, Pandas, NumPy, and Matplotlib installed.\n\nNext, let’s take a look at a standard time series forecasting problem that we can use as context for this experiment.\n\nIf you need help setting up your Python environment, see this post:\n\n``` How to Setup a Python Environment for Machine Learning and Deep Learning with Anaconda\n```\n\n## Step 1. Define Network\n\nThe first step is to define your network.\n\nNeural networks are defined in Keras as a sequence of layers. The container for these layers is the Sequential class.\n\nThe first step is to create an instance of the Sequential class. Then you can create your layers and add them in the order that they should be connected. The LSTM recurrent layer comprised of memory units is called LSTM(). A fully connected layer that often follows LSTM layers and is used for outputting a prediction is called Dense().\n\nFor example, we can do this in two steps:\n\n```model = Sequential()\n```\n\nBut we can also do this in one step by creating an array of layers and passing it to the constructor of the Sequential.\n\n```layers = [LSTM(2), Dense(1)]\nmodel = Sequential(layers)\n```\n\nThe first layer in the network must define the number of inputs to expect. Input must be three-dimensional, comprised of samples, timesteps, and features.\n\n• Samples. These are the rows in your data.\n• Timesteps. These are the past observations for a feature, such as lag variables.\n• Features. These are columns in your data.\n\nAssuming your data is loaded as a NumPy array, you can convert a 2D dataset to a 3D dataset using the reshape() function in NumPy. If you would like columns to become timesteps for one feature, you can use:\n\n```data = data.reshape((data.shape, data.shape, 1))\n```\n\nIf you would like columns in your 2D data to become features with one timestep, you can use:\n\n```data = data.reshape((data.shape, 1, data.shape))\n```\n\nYou can specify the input_shape argument that expects a tuple containing the number of timesteps and the number of features. For example, if we had two timesteps and one feature for a univariate time series with two lag observations per row, it would be specified as follows:\n\n```model = Sequential()\n```\n\nLSTM layers can be stacked by adding them to the Sequential model. Importantly, when stacking LSTM layers, we must output a sequence rather than a single value for each input so that the subsequent LSTM layer can have the required 3D input. We can do this by setting the return_sequences argument to True. For example:\n\n```model = Sequential()\n```\n\nThink of a Sequential model as a pipeline with your raw data fed in at in end and predictions that come out at the other.\n\nThis is a helpful container in Keras as concerns that were traditionally associated with a layer can also be split out and added as separate layers, clearly showing their role in the transform of data from input to prediction.\n\nFor example, activation functions that transform a summed signal from each neuron in a layer can be extracted and added to the Sequential as a layer-like object called Activation.\n\n```model = Sequential()\n```\n\nThe choice of activation function is most important for the output layer as it will define the format that predictions will take.\n\nFor example, below are some common predictive modeling problem types and the structure and standard activation function that you can use in the output layer:\n\n``` Regression: Linear activation function, or ‘linear’, and the number of neurons matching the number of outputs.\nBinary Classification (2 class): Logistic activation function, or ‘sigmoid’, and one neuron the output layer.\nMulticlass Classification (>2 class): Softmax activation function, or ‘softmax’, and one output neuron per class value, assuming a one-hot encoded output pattern.\n```\n\n## Step 2. Compile Network\n\nOnce we have defined our network, we must compile it.\n\nCompilation is an efficiency step. It transforms the simple sequence of layers that we defined into a highly efficient series of matrix transforms in a format intended to be executed on your GPU or CPU, depending on how Keras is configured.\n\nThink of compilation as a precompute step for your network. It is always required after defining a model.\n\nCompilation requires a number of parameters to be specified, specifically tailored to training your network. Specifically, the optimization algorithm to use to train the network and the loss function used to evaluate the network that is minimized by the optimization algorithm.\n\nFor example, below is a case of compiling a defined model and specifying the stochastic gradient descent (sgd) optimization algorithm and the mean squared error (mean_squared_error) loss function, intended for a regression type problem.\n\n```model.compile(optimizer='sgd', loss='mean_squared_error')\n```\n\nAlternately, the optimizer can be created and configured before being provided as an argument to the compilation step.\n\n```algorithm = SGD(lr=0.1, momentum=0.3)\nmodel.compile(optimizer=algorithm, loss='mean_squared_error')\n```\n\nThe type of predictive modeling problem imposes constraints on the type of loss function that can be used.\n\nFor example, below are some standard loss functions for different predictive model types:\n\n• Regression: Mean Squared Error or ‘mean_squared_error’.\n• Binary Classification (2 class): Logarithmic Loss, also called cross entropy or ‘binary_crossentropy‘.\n• Multiclass Classification (>2 class): Multiclass Logarithmic Loss or ‘categorical_crossentropy‘.\n\nThe most common optimization algorithm is stochastic gradient descent, but Keras also supports a suite of other state-of-the-art optimization algorithms that work well with little or no configuration.\n\nPerhaps the most commonly used optimization algorithms because of their generally better performance are:\n\n• Stochastic Gradient Descent, or ‘sgd‘, that requires the tuning of a learning rate and momentum.\n• RMSprop, or ‘rmsprop‘, that requires the tuning of learning rate.\n\nFinally, you can also specify metrics to collect while fitting your model in addition to the loss function. Generally, the most useful additional metric to collect is accuracy for classification problems. The metrics to collect are specified by name in an array.\n\nFor example:\n\n```model.compile(optimizer='sgd', loss='mean_squared_error', metrics=['accuracy'])\n```\n\n## Step 3. Fit Network\n\nOnce the network is compiled, it can be fit, which means adapt the weights on a training dataset.\n\nFitting the network requires the training data to be specified, both a matrix of input patterns, X, and an array of matching output patterns, y.\n\nThe network is trained using the backpropagation algorithm and optimized according to the optimization algorithm and loss function specified when compiling the model.\n\nThe backpropagation algorithm requires that the network be trained for a specified number of epochs or exposures to the training dataset.\n\nEach epoch can be partitioned into groups of input-output pattern pairs called batches. This defines the number of patterns that the network is exposed to before the weights are updated within an epoch. It is also an efficiency optimization, ensuring that not too many input patterns are loaded into memory at a time.\n\nA minimal example of fitting a network is as follows:\n\n```history = model.fit(X, y, batch_size=10, epochs=100)\n```\n\nOnce fit, a history object is returned that provides a summary of the performance of the model during training. This includes both the loss and any additional metrics specified when compiling the model, recorded each epoch.\n\nTraining can take a long time, from seconds to hours to days depending on the size of the network and the size of the training data.\n\nBy default, a progress bar is displayed on the command line for each epoch. This may create too much noise for you, or may cause problems for your environment, such as if you are in an interactive notebook or IDE.\n\nYou can reduce the amount of information displayed to just the loss each epoch by setting the verbose argument to 2. You can turn off all output by setting verbose to 1. For example:\n\n```history = model.fit(X, y, batch_size=10, epochs=100, verbose=0)\n```\n\n## Step 4. Evaluate Network\n\nOnce the network is trained, it can be evaluated.\n\nThe network can be evaluated on the training data, but this will not provide a useful indication of the performance of the network as a predictive model, as it has seen all of this data before.\n\nWe can evaluate the performance of the network on a separate dataset, unseen during testing. This will provide an estimate of the performance of the network at making predictions for unseen data in the future.\n\nThe model evaluates the loss across all of the test patterns, as well as any other metrics specified when the model was compiled, like classification accuracy. A list of evaluation metrics is returned.\n\nFor example, for a model compiled with the accuracy metric, we could evaluate it on a new dataset as follows:\n\n```loss, accuracy = model.evaluate(X, y)\n```\n\nAs with fitting the network, verbose output is provided to give an idea of the progress of evaluating the model. We can turn this off by setting the verbose argument to 0.\n\n```loss, accuracy = model.evaluate(X, y, verbose=0)\n```\n\n## Step 5. Make Predictions\n\nOnce we are satisfied with the performance of our fit model, we can use it to make predictions on new data.\n\nThis is as easy as calling the predict() function on the model with an array of new input patterns.\n\nFor example:\n\n```predictions = model.predict(X)\n```\n\nThe predictions will be returned in the format provided by the output layer of the network.\n\nIn the case of a regression problem, these predictions may be in the format of the problem directly, provided by a linear activation function.\n\nFor a binary classification problem, the predictions may be an array of probabilities for the first class that can be converted to a 1 or 0 by rounding.\n\nFor a multiclass classification problem, the results may be in the form of an array of probabilities (assuming a one hot encoded output variable) that may need to be converted to a single class output prediction using the argmax() NumPy function.\n\nAlternately, for classification problems, we can use the predict_classes() function that will automatically convert uncrisp predictions to crisp integer class values.\n\n```predictions = model.predict_classes(X)\n```\n\nAs with fitting and evaluating the network, verbose output is provided to given an idea of the progress of the model making predictions. We can turn this off by setting the verbose argument to 0.\n\n```predictions = model.predict(X, verbose=0)\n```\n\n## End-to-End Worked Example\n\nLet’s tie all of this together with a small worked example.\n\nThis example will use a simple problem of learning a sequence of 10 numbers. We will show the network a number, such as 0.0 and expect it to predict 0.1. Then show it 0.1 and expect it to predict 0.2, and so on to 0.9.\n\n``` Define Network: We will construct an LSTM neural network with a 1 input timestep and 1 input feature in the visible layer, 10 memory units in the LSTM hidden layer, and 1 neuron in the fully connected output layer with a linear (default) activation function.\nCompile Network: We will use the efficient ADAM optimization algorithm with default configuration and the mean squared error loss function because it is a regression problem.\nFit Network: We will fit the network for 1,000 epochs and use a batch size equal to the number of patterns in the training set. We will also turn off all verbose output.\nEvaluate Network. We will evaluate the network on the training dataset. Typically we would evaluate the model on a test or validation set.\nMake Predictions. We will make predictions for the training input data. Again, typically we would make predictions on data where we do not know the right answer.\n```\n\nThe complete code listing is provided below.\n\n```# Example of LSTM to learn a sequence\nfrom pandas import DataFrame\nfrom pandas import concat\nfrom keras.models import Sequential\nfrom keras.layers import Dense\nfrom keras.layers import LSTM\n# create sequence\nlength = 10\nsequence = [i/float(length) for i in range(length)]\nprint(sequence)\n# create X/y pairs\ndf = DataFrame(sequence)\ndf = concat([df.shift(1), df], axis=1)\ndf.dropna(inplace=True)\n# convert to LSTM friendly format\nvalues = df.values\nX, y = values[:, 0], values[:, 1]\nX = X.reshape(len(X), 1, 1)\n# 1. define network\nmodel = Sequential()\n# 2. compile network\n# 3. fit network\nhistory = model.fit(X, y, epochs=1000, batch_size=len(X), verbose=0)\n# 4. evaluate network\nloss = model.evaluate(X, y, verbose=0)\nprint(loss)\n# 5. make predictions\npredictions = model.predict(X, verbose=0)\nprint(predictions[:, 0])\n```\n\nRunning this example produces the following output, showing the raw input sequence of 10 numbers, the mean squared error loss of the network when making predictions for the entire sequence, and the predictions for each input pattern.\n\nOutputs were spaced out for readability.\n\nWe can see the sequence is learned well, especially if we round predictions to the first decimal place.\n\n```[0.0, 0.1, 0.2, 0.3, 0.4, 0.5, 0.6, 0.7, 0.8, 0.9]\n\n4.54527471447e-05\n\n[ 0.11612834 0.20493418 0.29793766 0.39445466 0.49376178 0.59512401\n0.69782174 0.80117452 0.90455914]\n```\n\n``` Keras documentation for Sequential Models.\nKeras documentation for LSTM Layers.\nKeras documentation for optimization algorithms.\nKeras documentation for loss functions.\n```\n\n## Summary\n\nIn this post, you discovered the 5-step life-cycle of an LSTM recurrent neural network using the Keras library.\n\nSpecifically, you learned:\n\n• How to define, compile, fit, evaluate, and make predictions for an LSTM network in Keras.\n• How to select activation functions and output layer configurations for classification and regression problems.\n• How to develop and run your first LSTM model in Keras." ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.8435343,"math_prob":0.9430391,"size":15864,"snap":"2019-51-2020-05","text_gpt3_token_len":3440,"char_repetition_ratio":0.14079446,"word_repetition_ratio":0.040194884,"special_character_ratio":0.22144479,"punctuation_ratio":0.13083802,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9959251,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-01-25T05:13:17Z\",\"WARC-Record-ID\":\"<urn:uuid:35c981a3-d889-4fbd-be77-19896c54c029>\",\"Content-Length\":\"33799\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:703dc821-bef0-4c11-b69e-e0392d4df119>\",\"WARC-Concurrent-To\":\"<urn:uuid:080c5cc1-c204-4f48-ac03-a8028bb35210>\",\"WARC-IP-Address\":\"103.23.22.141\",\"WARC-Target-URI\":\"http://onnocenter.or.id/wiki/index.php?title=Keras:_5_Step_Life-Cycle_for_Long_Short-Term_Memory_Model&diff=56807&oldid=0\",\"WARC-Payload-Digest\":\"sha1:ALETGBIND2JOQ4Z5MWGXC2XTXWWTPVES\",\"WARC-Block-Digest\":\"sha1:GDLQBW4GT3XIJIOX5PFFY2VHM5EXIQX2\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-05/CC-MAIN-2020-05_segments_1579251669967.70_warc_CC-MAIN-20200125041318-20200125070318-00385.warc.gz\"}"}
https://www.gcflcm.com/gcf-of-65-and-80
[ "# What is the Greatest Common Factor of 65 and 80?\n\nGreatest common factor (GCF) of 65 and 80 is 5.\n\nGCF(65,80) = 5\n\nWe will now calculate the prime factors of 65 and 80, than find the greatest common factor (greatest common divisor (gcd)) of the numbers by matching the biggest common factor of 65 and 80.\n\nGCF Calculator and\nand\n\n## How to find the GCF of 65 and 80?\n\nWe will first find the prime factorization of 65 and 80. After we will calculate the factors of 65 and 80 and find the biggest common factor number .\n\n### Step-1: Prime Factorization of 65\n\nPrime factors of 65 are 5, 13. Prime factorization of 65 in exponential form is:\n\n65 = 51 × 131\n\n### Step-2: Prime Factorization of 80\n\nPrime factors of 80 are 2, 5. Prime factorization of 80 in exponential form is:\n\n80 = 24 × 51\n\n### Step-3: Factors of 65\n\nList of positive integer factors of 65 that divides 65 without a remainder.\n\n1, 5, 13\n\n### Step-4: Factors of 80\n\nList of positive integer factors of 80 that divides 65 without a remainder.\n\n1, 2, 4, 5, 8, 10, 16, 20, 40\n\n#### Final Step: Biggest Common Factor Number\n\nWe found the factors and prime factorization of 65 and 80. The biggest common factor number is the GCF number.\nSo the greatest common factor 65 and 80 is 5.\n\nAlso check out the Least Common Multiple of 65 and 80" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.89372104,"math_prob":0.9684924,"size":1228,"snap":"2022-40-2023-06","text_gpt3_token_len":363,"char_repetition_ratio":0.21895425,"word_repetition_ratio":0.06837607,"special_character_ratio":0.32410422,"punctuation_ratio":0.125,"nsfw_num_words":1,"has_unicode_error":false,"math_prob_llama3":0.9998091,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-02-01T15:46:27Z\",\"WARC-Record-ID\":\"<urn:uuid:f2010250-89e7-4b54-b0b0-a9225856767e>\",\"Content-Length\":\"20837\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:81a60cf3-9826-42fe-a78b-8d399b647501>\",\"WARC-Concurrent-To\":\"<urn:uuid:332fa5b4-d3da-405e-aa2a-6ac8c69f3a91>\",\"WARC-IP-Address\":\"34.133.163.157\",\"WARC-Target-URI\":\"https://www.gcflcm.com/gcf-of-65-and-80\",\"WARC-Payload-Digest\":\"sha1:CMFCP3WKP66MUMNPL54Q3I2L34MQO4QS\",\"WARC-Block-Digest\":\"sha1:QRMABJDL2MEKW32NREUHUAXY5G44WBDG\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-06/CC-MAIN-2023-06_segments_1674764499946.80_warc_CC-MAIN-20230201144459-20230201174459-00178.warc.gz\"}"}
https://www.examsolutions.net/tutorials/equation-circle/
[ "In this tutorial you are shown how the equation of a circle is derived when you know the centre and radius.\n\nFormulae to remember:\n\n• (x – x1)2 + (y – y1)2 = r2 where the centre has coordinates (x1 , y1) and radius = r2\n\nYou will also be taken through this example.\n\nExample:\n\n1. Find the equation of a circle with centre (4, -2) and radius 3.\nCartesian Equation of a Circle | ExamSolutions - youtube Video" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.87397176,"math_prob":0.99781257,"size":337,"snap":"2019-43-2019-47","text_gpt3_token_len":94,"char_repetition_ratio":0.13513513,"word_repetition_ratio":0.03076923,"special_character_ratio":0.30267063,"punctuation_ratio":0.1,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99931335,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-10-15T23:22:48Z\",\"WARC-Record-ID\":\"<urn:uuid:2cb8e793-2b11-49d1-a482-a3cedecc095d>\",\"Content-Length\":\"842341\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:2b4c58a0-e28a-48b8-8ee4-55c4ecefea16>\",\"WARC-Concurrent-To\":\"<urn:uuid:6ecf0a3c-3b11-494a-94ee-c10078a5e31b>\",\"WARC-IP-Address\":\"5.134.13.111\",\"WARC-Target-URI\":\"https://www.examsolutions.net/tutorials/equation-circle/\",\"WARC-Payload-Digest\":\"sha1:D4SLXFHDU3EW2SAEMQVKIT5ZKMLAST2L\",\"WARC-Block-Digest\":\"sha1:A25JUP7OJMET3JUA46EIEXWRFIBJ2742\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-43/CC-MAIN-2019-43_segments_1570986660829.5_warc_CC-MAIN-20191015231925-20191016015425-00084.warc.gz\"}"}
https://www.colorhexa.com/5b6730
[ "# #5b6730 Color Information\n\nIn a RGB color space, hex #5b6730 is composed of 35.7% red, 40.4% green and 18.8% blue. Whereas in a CMYK color space, it is composed of 11.7% cyan, 0% magenta, 53.4% yellow and 59.6% black. It has a hue angle of 73.1 degrees, a saturation of 36.4% and a lightness of 29.6%. #5b6730 color hex could be obtained by blending #b6ce60 with #000000. Closest websafe color is: #666633.\n\n• R 36\n• G 40\n• B 19\nRGB color chart\n• C 12\n• M 0\n• Y 53\n• K 60\nCMYK color chart\n\n#5b6730 color description : Very dark desaturated yellow.\n\n# #5b6730 Color Conversion\n\nThe hexadecimal color #5b6730 has RGB values of R:91, G:103, B:48 and CMYK values of C:0.12, M:0, Y:0.53, K:0.6. Its decimal value is 5990192.\n\nHex triplet RGB Decimal 5b6730 `#5b6730` 91, 103, 48 `rgb(91,103,48)` 35.7, 40.4, 18.8 `rgb(35.7%,40.4%,18.8%)` 12, 0, 53, 60 73.1°, 36.4, 29.6 `hsl(73.1,36.4%,29.6%)` 73.1°, 53.4, 40.4 666633 `#666633`\nCIE-LAB 41.435, -13.921, 29.227 9.698, 12.138, 4.628 0.366, 0.459, 12.138 41.435, 32.373, 115.469 41.435, -4.962, 33.86 34.84, -11.282, 16.512 01011011, 01100111, 00110000\n\n# Color Schemes with #5b6730\n\n• #5b6730\n``#5b6730` `rgb(91,103,48)``\n• #3c3067\n``#3c3067` `rgb(60,48,103)``\nComplementary Color\n• #675830\n``#675830` `rgb(103,88,48)``\n• #5b6730\n``#5b6730` `rgb(91,103,48)``\n• #406730\n``#406730` `rgb(64,103,48)``\nAnalogous Color\n• #573067\n``#573067` `rgb(87,48,103)``\n• #5b6730\n``#5b6730` `rgb(91,103,48)``\n• #304067\n``#304067` `rgb(48,64,103)``\nSplit Complementary Color\n• #67305b\n``#67305b` `rgb(103,48,91)``\n• #5b6730\n``#5b6730` `rgb(91,103,48)``\n• #305b67\n``#305b67` `rgb(48,91,103)``\n• #673c30\n``#673c30` `rgb(103,60,48)``\n• #5b6730\n``#5b6730` `rgb(91,103,48)``\n• #305b67\n``#305b67` `rgb(48,91,103)``\n• #3c3067\n``#3c3067` `rgb(60,48,103)``\n• #2d3318\n``#2d3318` `rgb(45,51,24)``\n• #3c4420\n``#3c4420` `rgb(60,68,32)``\n• #4c5628\n``#4c5628` `rgb(76,86,40)``\n• #5b6730\n``#5b6730` `rgb(91,103,48)``\n• #6a7838\n``#6a7838` `rgb(106,120,56)``\n• #7a8a40\n``#7a8a40` `rgb(122,138,64)``\n• #899b48\n``#899b48` `rgb(137,155,72)``\nMonochromatic Color\n\n# Alternatives to #5b6730\n\nBelow, you can see some colors close to #5b6730. Having a set of related colors can be useful if you need an inspirational alternative to your original color choice.\n\n• #676530\n``#676530` `rgb(103,101,48)``\n• #646730\n``#646730` `rgb(100,103,48)``\n• #606730\n``#606730` `rgb(96,103,48)``\n• #5b6730\n``#5b6730` `rgb(91,103,48)``\n• #566730\n``#566730` `rgb(86,103,48)``\n• #526730\n``#526730` `rgb(82,103,48)``\n• #4d6730\n``#4d6730` `rgb(77,103,48)``\nSimilar Colors\n\n# #5b6730 Preview\n\nThis text has a font color of #5b6730.\n\n``<span style=\"color:#5b6730;\">Text here</span>``\n#5b6730 background color\n\nThis paragraph has a background color of #5b6730.\n\n``<p style=\"background-color:#5b6730;\">Content here</p>``\n#5b6730 border color\n\nThis element has a border color of #5b6730.\n\n``<div style=\"border:1px solid #5b6730;\">Content here</div>``\nCSS codes\n``.text {color:#5b6730;}``\n``.background {background-color:#5b6730;}``\n``.border {border:1px solid #5b6730;}``\n\n# Shades and Tints of #5b6730\n\nA shade is achieved by adding black to any pure hue, while a tint is created by mixing white to any pure color. In this example, #080904 is the darkest color, while #fdfdfb is the lightest one.\n\n• #080904\n``#080904` `rgb(8,9,4)``\n• #14170b\n``#14170b` `rgb(20,23,11)``\n• #202411\n``#202411` `rgb(32,36,17)``\n• #2c3117\n``#2c3117` `rgb(44,49,23)``\n• #383f1d\n``#383f1d` `rgb(56,63,29)``\n• #434c24\n``#434c24` `rgb(67,76,36)``\n• #4f5a2a\n``#4f5a2a` `rgb(79,90,42)``\n• #5b6730\n``#5b6730` `rgb(91,103,48)``\n• #677436\n``#677436` `rgb(103,116,54)``\n• #73823c\n``#73823c` `rgb(115,130,60)``\n• #7e8f43\n``#7e8f43` `rgb(126,143,67)``\n• #8a9d49\n``#8a9d49` `rgb(138,157,73)``\n• #96aa4f\n``#96aa4f` `rgb(150,170,79)``\n• #9fb25a\n``#9fb25a` `rgb(159,178,90)``\n• #a7b968\n``#a7b968` `rgb(167,185,104)``\n• #afbf75\n``#afbf75` `rgb(175,191,117)``\n• #b6c583\n``#b6c583` `rgb(182,197,131)``\n• #becb90\n``#becb90` `rgb(190,203,144)``\n• #c6d19d\n``#c6d19d` `rgb(198,209,157)``\n• #ced8ab\n``#ced8ab` `rgb(206,216,171)``\n• #d6deb8\n``#d6deb8` `rgb(214,222,184)``\n• #dde4c5\n``#dde4c5` `rgb(221,228,197)``\n``#e5ead3` `rgb(229,234,211)``\n• #edf1e0\n``#edf1e0` `rgb(237,241,224)``\n• #f5f7ee\n``#f5f7ee` `rgb(245,247,238)``\n• #fdfdfb\n``#fdfdfb` `rgb(253,253,251)``\nTint Color Variation\n\n# Tones of #5b6730\n\nA tone is produced by adding gray to any pure hue. In this case, #4e5047 is the less saturated color, while #759502 is the most saturated one.\n\n• #4e5047\n``#4e5047` `rgb(78,80,71)``\n• #515641\n``#515641` `rgb(81,86,65)``\n• #545b3c\n``#545b3c` `rgb(84,91,60)``\n• #586136\n``#586136` `rgb(88,97,54)``\n• #5b6730\n``#5b6730` `rgb(91,103,48)``\n• #5e6d2a\n``#5e6d2a` `rgb(94,109,42)``\n• #627324\n``#627324` `rgb(98,115,36)``\n• #65781f\n``#65781f` `rgb(101,120,31)``\n• #687e19\n``#687e19` `rgb(104,126,25)``\n• #6b8413\n``#6b8413` `rgb(107,132,19)``\n• #6f8a0d\n``#6f8a0d` `rgb(111,138,13)``\n• #729007\n``#729007` `rgb(114,144,7)``\n• #759502\n``#759502` `rgb(117,149,2)``\nTone Color Variation\n\n# Color Blindness Simulator\n\nBelow, you can see how #5b6730 is perceived by people affected by a color vision deficiency. This can be useful if you need to ensure your color combinations are accessible to color-blind users.\n\nMonochromacy\n• Achromatopsia 0.005% of the population\n• Atypical Achromatopsia 0.001% of the population\nDichromacy\n• Protanopia 1% of men\n• Deuteranopia 1% of men\n• Tritanopia 0.001% of the population\nTrichromacy\n• Protanomaly 1% of men, 0.01% of women\n• Deuteranomaly 6% of men, 0.4% of women\n• Tritanomaly 0.01% of the population" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.52689457,"math_prob":0.70625544,"size":3708,"snap":"2019-51-2020-05","text_gpt3_token_len":1663,"char_repetition_ratio":0.12284017,"word_repetition_ratio":0.011070111,"special_character_ratio":0.5666127,"punctuation_ratio":0.23756906,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9906249,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-01-19T13:56:40Z\",\"WARC-Record-ID\":\"<urn:uuid:40b0177e-b90d-4e81-8cf9-941e15740d74>\",\"Content-Length\":\"36287\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:e3b1e864-75e0-47b0-b2ba-0a721ef8ac81>\",\"WARC-Concurrent-To\":\"<urn:uuid:7d1180ba-7070-4126-94b4-4198527981ec>\",\"WARC-IP-Address\":\"178.32.117.56\",\"WARC-Target-URI\":\"https://www.colorhexa.com/5b6730\",\"WARC-Payload-Digest\":\"sha1:KMR4KEFW7J7G43EDU5MCCYR56CC2YTUI\",\"WARC-Block-Digest\":\"sha1:SRIHQYT67E7CRCJDDIIEGJHZQBGWXS6Q\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-05/CC-MAIN-2020-05_segments_1579250594603.8_warc_CC-MAIN-20200119122744-20200119150744-00453.warc.gz\"}"}
https://ktbssolutions.com/2nd-puc-physics-question-bank-chapter-11/
[ "# 2nd PUC Physics Question Bank Chapter 11 Dual Nature of Radiation and Matter\n\nYou can Download Chapter 11 Dual Nature of Radiation and Matter Questions and Answers, Notes, 2nd PUC Physics Question Bank with Answers, Karnataka State Board Solutions help you to revise complete Syllabus and score more marks in your examinations.\n\n## Karnataka 2nd PUC Physics Question Bank Chapter 11 Dual Nature of Radiation and Matter\n\n### 2nd PUC Physics Dual Nature of Radiation and Matter NCERT Text Book Questions and Answers\n\nQuestion 1.\nFind the\n(a) Maximum frequency, and\n(b) Minimum wavelength of X-rays produced by 30 kV electrons.\nAnswer:\nV=30kV = 30×103 V\n(a) The maximum frequency of X-rays produced is given by,", null, "Question 2.\nThe work function of caesium metal is 2.14 eV. When light of frequency 6 x 1014Hz is incident on the metal surface, photoemission of electrons occurs. What is the\n(a) Maximum kinetic energy of the emitted electrons,\n(b) Stopping potential, and\n(c) Maximum speed of the emitted photoelectrons?\nAnswer:\nυ=6×1014Hz\nω =2.14eV = 2.14 x 1.6 x 10-19J\n(a) The maximum kinetic energy of the emitted electrons is given by", null, "", null, "Question 3.\nThe photoelectric cut-off voltage in a certain experiment is 1.5 V. What is the maximum kinetic energy of photo electrons emitted?\nAnswer:\nV0 = 1.5 V\n∴ Maximum kinetic energy of the emitted electrons,\n$$\\frac { 1 }{ 2 } m{ V }_{ max }^{ 2 }=e{ V }_{ 0 }=1.5j=15eV$$", null, "Question 4.\nMonochromatic light of wavelength 632.8 nm is produced by a helium-neon laser. The power emitted is 9.42 raW.\n\n(a) Find the energy and momentum of each photon in the light beam,\n\n(b) How many photons per second, on the average, arrive at a target irradiated by this beam? (Assume the beam to have uniform cross-section which is less than the target area), and\n\n(c) How fast does a hydrogen atom have to travel in order to have the same momentum as that of the photon?\nAnswer:\nλ= 632.8 nm= 632 x 10-9m\npower, P = 9.42 mW = 9.42 x 10-3 W\n(a) Energy of each photon in the light beam,", null, "", null, "Question 5.\nThe energy flux of sunlight reaching the surface of the earth is 1.388 x 103 W/m2. How many photons (nearly) per square metre are incident on the Earth per second? Assume that the photons in the sunlight have an average wavelength of 550 nm.\nAnswer:\nEnergy flux of sunlight reaching the surface of the earth,", null, "Question 6.\nIn an experiment on photoelectric effect, the slope of the cut-off voltage versus frequency of incident light is found to be 4.12 x 10-15 V s. Calculate the value of Planck’s constant.\nAnswer:\nSlope of the cut off voltage versus frequency of incident light graph\n= 4.12 x 10-15 Vs\nbut the slope of the graph = $$\\frac { h }{ e }$$\nh = e x slope of the graph\n= 1.6 x 1019 x 4.12 x 10-15 = 6.592 x10-34Js", null, "Question 7.\nA 100W sodium lamp radiates energy uniformly in all directions. The lamp is located at the centre of a large sphere that absorbs all the sodium light which is incident on it. The wavelength of the sodium light is 589 nm.\n(a) What is the energy per photon associated with the sodium light?\n(b) At what rate are the photons delivered to the sphere?\nAnswer:\nPower of the lamp, P = 100 W\nλ =589nm=589×10-9m\n(a) Therefore, energy of a photon of sodium lamp light,", null, "Question 8.\nThe threshold frequency for a certain metal is 3.3 x 1014 Hz. If light of frequency\n8.2 x 1014 Hz is incident on the metal, predict the cutoff voltage for the photoelectric emission.\nAnswer:", null, "Question 9.\nThe work function for a certain metal is 4.2 eV. Will this metal give photoelectric emission for incident radiation of wavelength 330 nm?\nAnswer:\nX, = 330 nm = 330 x 10-9m\n∴ Energy of a photon of incident light,", null, "Since the energy of the photon of incident light is less than the work function for the metal, photoelectric emission will not take place.", null, "Question 10.\nLight of frequency 7.21 x 1014 Hz is incident on a metal surface. Electrons with a maximum speed of 6.0 x 105 m/s are ejected from the surface. What is the threshold frequency for photoemission of electrons?\nAnswer:", null, "Question 11.\nLight of wavelength 488 nm is produced by an argon laser which is used in the photoelectric effect. When light from this spectral line is incident on the emitter, the stopping (cut-off) potential of photo electrons is 0.38 V. Find the work function of the material from which the emitter is made.\nAnswer:", null, "Question 12.\nCalculate the\n(a) Momentum, and\n(b) de Broglie wavelength of the electrons accelerated through a potential difference of 56 V.\nAnswer:\nV = 56 V\n(a) When an electron is accelerated through a potential difference V, it acquires kinetic energy, which is given by, $$\\frac { 1 }{ 2 }$$mV2 – eV Therefore, momentum of electron.", null, "Question 13.\nWhat is the\n(a) Momentum,\n(b) Speed, and\n(c) de Broglie wavelength of an electron .with kinetic energy of 120 eV.\nAnswer:\nV = 120eV\n(a) When an electron is accelerated through a potential difference V, it acquires kinetic energy which is given by", null, "Question 14.\nThe wavelength of light from the spectral emission line of sodium is 589 nm. Find the kinetic energy at which\n(a) An electron, and\n(b) A neutron, would have the same de Broglie wavelength.\nAnswer:\nλ = 589 nm= 589 x 109 m.\nThe de-Broglie wavelength of a particle having energy E is given by,", null, "Question 15.\nWhat is the de Broglie wavelength of\n(a) A  bullet of mass 0.040 kg travelling at the speed of 1.0 km/s,\n(b) A ball of mass 0.060 kg moving at a speed of 1.0 m/s, and\n(c) A dust particle of mass 1.0 x 10 9 kg drifting with a speed of 2.2 m/s?\nAnswer:\nThe de-Broglie wavelength of a particle moving with a velocity V is given by", null, "Question 16.\nAn electron and a photon each have a wavelength of 1.00 nm. Find\n(a) Their momenta,\n(b) The energy of the photon, and\n(c) The kinetic energy of electron.\nAnswer:\nh = 6.63 × 10-34 Js\nλ= 1 nm= 10-9 m\n(a) The electron and the photon will possess the same momentum, which is given by", null, "", null, "Question 17.\n(a) For what kinetic energy of a neutron will the associated de Broglie wavelength be 1.40 x 10-10m?\n(b) Also find the de Broglie wavelength of a neutron, in thermal equilibrium with matter, having an average kinetic energy of (3/2) k T at 300 K.\nAnswer:", null, "Question 18.\nShow that the wavelength of electromagnetic radiation is equal to the de Broglie wavelength of its quantum (photon).\nAnswer:\nConsider an electromagnetic radiation of wavelength λ and frequency υ. Then,", null, "But\n$$\\frac { h\\upsilon }{ C } =P………………(2)\\quad$$\nP = momentum of the electromagnetic radiation. From equations (1) and (2), we have\n$$\\lambda =\\frac { h }{ P }$$\nHence the wavelength of electromagnetic radiation is equal to the de-Broglie wavelength associated with its quantum.", null, "Question 19.\nWhat is the de Broglie wavelength of a nitrogen molecule in air at 300 K? Assume that the molecule is moving with the root- mean square speed of molecules at this temperature. (Atomic mass of nitrogen = 14.0076 u)\nAnswer:\nK= 1.38 x 10-23Jkg-1\nT = 300 K\nNitrogen is a diatomic gas\n∴ Mass of the nitrogen gas molecule,\nm= 2 x 14.0076 × 1027amu\n= 2 x 14.0076 x 1027 = 4.65 ×10-26 kg.\nThe root mean square speed of the nitrogen gas molecule is given by", null, "### 2nd PUC Physics Dual Nature of Radiation and Matter Additional Exercises\n\nQuestion 20.\n(a) Estimate the speed with which electrons emitted from a heated emitter of an evacuated tube impinge on the collector maintained at a potential difference of 500 V with respect to the  emitter. Ignore the small initial speeds of, the electrons. The specific charge of the electron, i.e., its e/m is given to be 1.76 x 1011 C kg-1\n\n(b) Use the same formula you employ in (a) to obtain electron speed for a collector potential of 10 MV. Do you see what is wrong? In what way is the formula to be modified?\nAnswer:\n(a) V = 500 V\ne/m= 1.76×1011 C kg-1\nDue to the applied potential difference between the emitter and the collector, an emitted electron gains kinetic energy, which is given by", null, "Using the same formula as in (a), the speed of electrons at 10 mV comes out to be greater than the speed of light. Since no material particle can move with the speed of light, the result is clearly wrong.\n\nIn fact, equation (1) is valid for kinetic energy of the electron, so long as V/C < < 1. At 10 mV, the electrons attain a speed comparable to the speed of light i.e. become relativistic.\n\nIn the relativistic domain:- The mass of the electron having rest mass m() is", null, "Question 21.\n(a) A monoenergetic electron beam with electron speed of 5.20 x 106 m s-1 is subject to a magnetic field of 1.30 x 10-4 T normal to the beam velocity. What is the radius of the circle traced by the beam, given e/m for electron equals 1.76 x 10nC kg-1.\n\n(b) Is the formula you employ in (a) valid for calculating radius of the path of a 20 MeV electron beam? If not, in what way is it modified ?\n\n[Note: Exercises 11.20(b) and 11.21(b) take you to relativistic mechanics which is beyond the scope of this book. They have been inserted here simply to emphasise the point that the formulas you use in part (a) of the exercises are not valid at very high speeds or energies. See answers at the end to know what ‘very high speed or energy’ means.]\nAnswer:\n(a) V = 5.2×106 ms1\nB = 1.3 × 10-4\ne/m=1.76 x 1011Ckg-1\n\nWhen a magnetic field is applied normally to the path of electron, the force due to the field makes the electron to move along the circular path. The radius of the circular path is given by,", null, "The 10 MeV electron attain a speed comparable to the speed of light i.e. becomes relativistic. In the relativistic domain, the mass of an electron, having rest mass M0 is given by", null, "Question 22.\nAn electron gun with its collector at a potential of 100 V fires out electrons in a spherical bulb containing hydrogen gas at low pressure (~10-2 mm of Hg). A magnetic field of 2.83 x 10-4 T curves the path of the electrons in a circular orbit of radius 12.0 cm. (The path can be viewed because the gas ions in the path focus the beam by attracting electrons, and emitting light by electron capture; this method is known as the ‘fine beam tube’ method.) Determine e/m from the data.\nAnswer:\nV = 100 V\nB = 2.83 ×10-4 T\nr = 12 cm = 12 x 10-2 m\nDue to the applied potential difference between the emitter and the collector, an emitted electron gains kinetic energy which is given by,", null, "When a magnetic field is applied normal to the path of electron, the force due to the filed makes the electron to move along the circular path. The radius of the circular path is given by,", null, "Question 23.\n(a) An X-ray tube produces a continuous spectrum of radiation with its short wavelength end at 0.45 Å. What is the maximum energy of a photon in the radiation?\n(b) From your answer to (a), guess what order of accelerating voltage (for electrons) is required in such a tube?\nAnswer:\nλ= 0.45 A = 0.45 x 10-10 m\nh = 6.62×10-34 Js\nC = 3 x 108ms-1\n(a) The maximum energy of the photon is given by,\n$$E=\\frac { hC }{ \\lambda }$$", null, "(b) To produce electrons of energy 25.81 keV, accelerating potential of 25.81 kV i.e. order of 26 kV is required.", null, "Question 24.\nIn an accelerator experiment on high- energy collisions of electrons with positrons, a certain event is interpreted as annihilation of an electron-positron pair of total energy 10.2 BeV into two γ -rays of equal energy. What is the wavelength ‘ associated with each y-ray? (IBeV – 109 eV)\nAnswer:", null, "Question 25.\nEstimating the following two numbers should be interesting. The first number will tell you why radio engineers do not, need to worry much about photons! The second number tells you why our eye can never ‘count photons’, even in barely detectable light.\n\n(a) The number of photons emitted per second by a Medium wave transmitter of 10 kW power, emitting radiowaves of wavelength 500 m.\n\n(b) The number of photons entering the pupil of our eye per second corresponding to the minimum intensity of white light that we humans can perceive (~10-10 W m-2). Take the area of the pupil to be about 0.4 cm2, and the average frequency of white light to be about 6 x 1014Hz.\nAnswer:\n(a) Power of energy transmitted per second,\nE = 10 kW = 104 W = 104 Js-1\nλ = 500 m\nEnergy of one photon,", null, "(b) Minimum intensity of white light = 1010 Wm2\nArea of the pupil = 0.4cm2 = 0.4 x 104 m2\n∴ Light energy falling on pupil per second\n= 10-10 x 0.4 x 10-4= 0.4 x 10-14W\nFrequency of white light, u = 6x 1014 Hz\n∴ Energy of the photon of the white light,\nhV= 6.62×10-34 x 6 x 1014J\n∴ Number of photons entering the pupil of our eye per second", null, "", null, "Question 26.\nUltraviolet light of wavelength 2271 A from a 100 W mercury source irradiates a photo-cell made of molybdenum metal. If the stopping potential is -1.3 V, estimate the work function of the metal. How would the photo-cell respond to a high intensity (~ 10s W m-2) red light of wavelength 6328 A produced by a He-Ne laser?\nAnswer:", null, "", null, "Since wavelength 6.328 Å produced by He-Ne laser and incident on the photocell is greater than,λo the photo cell will not respond.\n\nQuestion 27.\nMonochromatic radiation of wavelength nm ( 1 nm = 10-9 m) from a neon lamp irradiates photosensitive material made of caesium on tungsten. The stopping voltage is measured to be 0.54 V. The source is replaced by an iron source and its 427.2 nm line irradiates the same photo-cell. Predict the new stopping voltage.\nAnswer:", null, "", null, "Question 28.\nA mercury lamp is a convenient source for studying frequency dependence of photoelectric emission, since it gives a number of spectral lines ranging from the UV to the red end of the visible spectrum. In our experiment with rubidium photo­cell, the following lines from a mercury source were used:\nλ1= 3650 Å, λ2= 4047 A, λ3= 4358 A, λ4= 5461 A,λ5= 6907 A,\nThe stopping voltages, respectively, were measured to be:\nV01 = 1.28 V, F02 = 0.95 V, Vn = 0.74 V, V04 = 0.16 V, Fos = 0 V\nDetermine the value of Planck’s constant h, the threshold frequency and work function for the material.\n[Note: You will notice that to get h from the data, you will need to know e (which you can take to be 1.6 x 10-19 C). Experiments of this kind on Na, Li, K, etc. were performed by Millikan, who, using his own value of e (from the oil-drop experiment) confirmed Einstein’s photoelectric equation and at the same time gave an independent estimate of the value of h.\nAnswer:\n(a) Let the respective frequencies of the five spectral lines of mercury be υ1, υ2, υ3, υ4 and υ5. Then", null, "It represents the equation of straight line, whose slope is hυ0/e and makes an intercept role on negative V0 – axis. The plot of graph between V (along x-axis) and V0 (along y-axis) for the given data for the five spectral lines will be shown as in figure.", null, "", null, "Question 29.\nThe work function for the following metals is given: Na: 2.75 eV; K: 2.30 eV; Mo: 4.17 eV; Ni: 5.15 eV. Which of these metals will not give photoelectric emission for a radiation of wavelength 3300 Å from a He-Cd laser placed 1 m away from the photocell? What happens if the laser is brought nearer and placed 50 cm away?\nAnswer:\nλ. = 3300Å= 3300 ×10-10m\nEnergy of a photon of incident light,", null, "Since the work functions of Mo and Ni are greater than the energy of the photon of incident light, photoelectric emission will not occur for these metals.\n\nIf the laser is brought nearer, the intensity of incident radiation on the metal will increase. It will increase the photoemission in case of Na and K. However, no photo electric emission will .take place in case of Mo and N.", null, "Question 30.\nLight of intensity 10-5 W m-2 falls on a sodium photo-cell of surface area 2 cm2. Assuming that the top 5 layers of sodium absorb the incident energy, estimate time required for photoelectric emission in the wave-picture of radiation. The work function for the metal is given to be about 2 eV. What is the implication of your answer?\nAnswer:\nSince size of the atom is about 10-10m, the effective area of an atom may be considered as 10-20 m2.\nArea of each layer in sodium = 2cm2 = 2 x 10-4m2\nNumber of atoms in 5 layers of sodium\n$$\\frac { 2\\times { 10 }^{ -4 }\\times 5 }{ { 10 }^{ -20 } }$$\nIf we assume that sodium has one conduction electron per atom, then number of electrons in the 5 layers of sodium = $${ 10 }^{ 17 }$$\nEnergy incident per second on the surface of the photocell\n= 10-5 x 2 x 10-4\n= 2×10-9\nSince incident energy is observed by 5 layers of sodium, according to wave picture of radiation, the electrons present in all the 5 layers of sodium will share the incident equally.\n∴ Energy received by any one electron in the 5 layers of sodium", null, "Since work function of sodium is 2 eV, an electron will be ejected as soon as it gathers energy equal to 2 eV.\n∴ Time required for photoelectric emission\n= $$\\frac { 2 }{ 1.25\\times { 10 }^{ 7 } }$$ = 1.6 x 107s ≈ 0.5 year\nIt is contrary to the observed fact that there is no time lag between the incidence of light and the emission of photoelectrons.\n\nQuestion 31.\nCrystal diffraction experiments can be performed using X-rays, or electrons accelerated through appropriate voltage. Which probe has greater energy? (For quantitative comparison, take the wavelength of the probe equal to 1 A, which is of the order of inter-atomic spacing in the lattice) (me=9.11 ×10-31 kg).\nAnswer:\nFor x- ray photon of wavelength of 1Å", null, "Question 32.\n(a) Obtain the de Broglie wavelength of a neutron of kinetic energy 150 eV. As you have seen in Exercise 11.31, an electron beam of this energy is suitable for crystal diffraction experiments. Would a neutron beam of the same energy be equally suitable? Explain. (mn = 1.675 x 10-27 kg)\n\n(b) Obtain the de Broglie wavelength associated with thermal neutrons at room temperature (27 °C). Hence explain why a fast neutron beam needs to be thermalised with the environment before it can be used for neutron diffraction experiments.\nAnswer:", null, "Since the interatomic spacing (≈10-10m) is about\n100 times greater than the de=Broglie wavelength of 150 eV neutrons, they are not suitable for crystal diffraction experiments.\n\n(b)T=27+273=300k\nEnergy of the neutron at temperature, T,", null, "Thus, thermal neutrons have wavelength of the order of interatomic spacing\n(≈10-10m) and therefore they are suitable for diffraction experiments. Fast neutrons will possess wavelength quite small as compared to interatomic spacing. Hence for neutron diffraction experiments, fast neutron beam needs to be thermalised.\n\nQuestion 33.\nAn electron microscope uses electrons accelerated by a voltage of 50 kV. Determine the de Broglie wavelength associated with the electrons. If other factors (such as numerical aperture, etc.) are taken to be roughly the same, how does the resolving power of an electron microscope compare with that of an optical microscope which uses yellow light?\nAnswer:\nHere, V = 50 kV\nTherefore, energy of electrons,\nE = 50keV = 50 x 103 x 1.6 x 1019 =80 x 10-15", null, "The resolving power of a microscope is inversely proportional to the wave length of the radiation used. Since wavelength of the yellow light is 5,990 A i.e. 5.99 x 10-7 m, it follows that the electron microscope will possess resolving power 10 times as large as that of the optical microscope.", null, "Question 34.\nThe wavelength of a probe is roughly a measure of the size of a structure that it can probe in some detail. The quark structure of protons and neutrons appears at the minute length-scale of  10-15m or less. This structure was first probed in early 1970’s using high energy electron beams produced by a linear accelerator at Stanford, USA. Guess what might have been the order of energy of these electron beams. (Rest mass energy of electron = 0.511 MeV.)\nAnswer:\nAs the quark structure of protons and neutrons appears a the length-scale of 10-15m, the electron beam used should be of the wavelength of this order i.e.\nλ= 10-15m\nTherefore, momentum of the electron beam,", null, "The electron having momentum of this order possesses speed comparable to the speed of light. Therefore, its energy can be found by using the relativistic formula for die total energy of the electron i.e.", null, "Question 35.\nFind the typical de Broglie wavelength associated with a He atom in helium gas at room temperature (27 °C) and 1 atm pressure; and compare it with the mean separation between two atoms under these conditions.\nAnswer:\nMass of the He-atom,\n$$m=\\frac { atomic\\quad weight\\quad of\\quad He }{ Avogadro\\quad Number } \\frac { 4 }{ 6.02\\times { 10 }^{ 23 } }$$\n= 6.645 × 10-24 g = .6645 ×10-27 kg\nBy proceeding as in solved problem No.2.09,\nfind the de-Broglie wavelength of the He-atom at 27°C.\nIt can be obtained that de-Broglie wavelength of the He-atom,\nλ= 0.73 x 10-10 m = 0.73 Å\nIf V is volume of the gas and dj the mean separation between two atoms in the gas, then V = d3 N,\nWhere N is Avogadro’s number\nFrom the perfect gas equation", null, "i.e the separation between the two He-atoms in the gas is much larger than the Broglie wavelength of the atom.\n\nQuestion 36.\nCompute the typical de Broglie wavelength of an electron in a metal at 27 °C and compare it with the mean separation between two electrons in a metal which is given to be about 2 x 10-10 [Note: Exercises 11.35 and 11.36 reveal that while the wave-packets associated with gaseous molecules under ordinary conditions are non-overlapping, the electron wave-packets in a metal strongly overlap with one another. This suggests that whereas molecules in an ordinary gas can be distinguished apart, electrons in a metal cannot be distinguished apart from one another. This indistinguishability has many fundamental implications which you will explore in more advanced Physics courses.]\nAnswer:\nIt cap be obtained that de-Broglie wavelength of the electron,\nλ – 62.3 x 10-10 m = 62.3 A\nMean separation between two electrons in the metal,", null, "i.e de-Broglie wavelength of the electron is much larger than the separtation between two electrons in the metal.", null, "Question 37.\nAnswer the following questions:\n\n(a) Quarks inside protons and neutrons are thought to carry fractional charges [(+2/3)e ; (-1/3)e]. Why do they not show up in Millikan’s oil-drop experiment?\n(b) What is so special about the combination e/m? Why do we not simply talk of e and m separately?\n(c) Why should gases be insulators at ordinary pressures and start conducting at very low pressures?\n(d) Every metal has a definite work function. Why do all photoelectrons not come out with the same energy if incident radiation is monochromatic? Why is there an energy distribution of photoelectrons?\n(e) The energy and momentum of an electron are related to the frequency and wavelength of the associated matter wave by the relations:\n$$\\frac { h }{ \\lambda }$$\nBut while the value of x is physically significant, the value of v (and therefore, the value of the phase speed v X) has no physical significance. Why?\nAnswer:\n(a) Quarks having the fractional charges are thought to be confined within a proton or a neutron only. These quarks are bound by forces, which grow stronger, if they are tried to be pulled apart. Thus, the quarks always remain together. It follows that though fractional v charges exist in nature, the observable charges are always integral multiples of e.\n\n(b) The motion of an electron inside electric and magnetic fields is governed by\neV = $$\\frac { 1 }{ 2 }$$-mv2 = eV; eE = ma and B eV =$$\\frac { m{ v }^{ 2 } }{ r }$$ where the symbols have their usual meanings.\nIn all the three relations, e and m occur separately. Further, the value of a physical variable involved in any of these reations can be found by substituting the value of e/m.\n\n(c) The gases keep on getting ionised due to energetic rays [X-rays, Cosmic rays, etc.,] passing through them.\n\nHowever, at atmospheric pressure, the positive and negative ions are too close and recombine to form neutral gas atoms. Due to this, the gases behave as insulatiors at ordinary pressure.\n\nAt low pressures, the gas ions do not recombine as they are appreciably apart. Due to the presence of free ions, the gases start conducting at low pressures.\n\n(d) Work function of a metal is the minimum energy required to knock out an electron (from the conduction band). Since electrons are present in a continuous band of levels, different electrons require different amounts of energy to get out of the atom. For this reason electrons knocked off by a monochromatic radiation posses different energies.\n\n(e) Whereas energy E (= hv) of a particle is arbitrary to within an additive constant, its momentum p (= h/ λ) is not. So, for the matter wave associated with an electron the wavelength λ is physically significant and its frequency v, is not so likewise, the phase speed v λ, is also not physically significant.\n\n### 2nd PUC Physics Dual Nature of Radiation and Matter Additional Questions and Answers\n\nQuestion 1.\nAn electron and an alpha particle have the same de-broglie wavelength associated with them. How are their kinetic energies related to each other?\nAnswer:", null, "Question 2.\nIf the frequency of the incident radiation is equal to the threshold frequency, what will be the value of the stopping potential?\nAnswer:\nFrom Einstein’s photoelectric equation,\nhv = hv0 + eV0\nv = v0\nhv0=hv0 + eV0\nv0=o\n∴ Stopping potential = 0\n\nQuestion 3.\nIt is harder to remove a free electron from copper than from sodium. Which metal has greater work function? Which has higher threshed wavelength?\nAnswer:\nAs it is harder to remove an electron from copper than sodium, the work function of copper is greater", null, "As threshold wavelength is inversely proportional to the work function, its value will be more for sodium.\n\nQuestion 4.\nAn electromagnetic wave of wavelength X is incident on a photosensitive surface of negligible work function. If the phot- electrons emitted from this surface have de-Broglie wavelength λ1 prove that $$\\lambda =\\frac { 2mc }{ h } { \\lambda }_{ 1 }^{ 2 }$$\nAnswer:\nSince photosensitive surface of negligible work function, K.E of emitted electron = energy of incident photon", null, "Question 5.\nFind the momentum of an x-ray photon of wavelength.\nAnswer:\nLet p be the momentum of the x-ray photon of wavelength x, then energy of x-ray photon,", null, "Question 6.\nThe work function of a substance is 4eV. The longest wavelength of light that can cause photoelectric emission from this substance is approximately\n(A) 540 nm\n(B) 400 nm\n(C) 310 nm\n(D) 220 nm\nAnswer:\n(C) 310 nm", null, "Question 7.\nThe mass of a photon at rest is\n(A) zero\n(B) 1.67 x 10-35kg\n(C) 1 amu\n(D) 9 x 1031 kg\nAnswer:\n(A) zero\n\nQuestion 8.\nWhich one among the following shows particle nature of light?\n(A) Photoelectric effect\n(B) Interference\n(C) Refraction\n(D) Polarisation\nAnswer:\n(A) Photoelectric effect", null, "Question 9.\nPlanck’s constant has the dimensions of\n(A) linear momentum\n(B) angular momentum\n(C) energy\n(D) power\nAnswer:", null, "Question 10.\nThe de-Broglie wave corresponding to a particle of mass m and velocity v has a wavelength associated with it\n(A) $$\\frac { h }{ mv }$$\n(B) hmv\n(C) $$\\frac { mh }{ v }$$\n(D) $$\\frac { m }{ hv }$$\nAnswer:", null, "" ]
[ null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-1.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-2.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-3.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/11/KSEEB-Solutions-300x28.png", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-4.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-5.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-6.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/11/KSEEB-Solutions-300x28.png", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-7.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-8.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-9.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/11/KSEEB-Solutions-300x28.png", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-10.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-11.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-12.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-13.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-14.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-15.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-16.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-17.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-18.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-19.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/11/KSEEB-Solutions-300x28.png", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-20.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-21.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-22.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-23.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-24.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-25.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-26.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-27.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/11/KSEEB-Solutions-300x28.png", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-28.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-29.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-30.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/11/KSEEB-Solutions-300x28.png", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-31.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-32.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-33.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-34.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-35.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-36.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-37.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-38.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/11/KSEEB-Solutions-300x28.png", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-39.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-40.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-41.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-42.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-43.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/11/KSEEB-Solutions-300x28.png", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-44.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-45.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-46.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-47.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/11/KSEEB-Solutions-300x28.png", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-48.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-49.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-50.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-51.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-52.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/11/KSEEB-Solutions-300x28.png", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-53.jpg", null, "https://ktbssolutions.com/wp-content/uploads/2019/12/2nd-PUC-Physics-Question-Bank-Chapter-11-Dual-Nature-of-Radiation-and-Matter-54.jpg", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.8791658,"math_prob":0.9899753,"size":26654,"snap":"2021-21-2021-25","text_gpt3_token_len":6952,"char_repetition_ratio":0.17110693,"word_repetition_ratio":0.063204005,"special_character_ratio":0.2705035,"punctuation_ratio":0.1079949,"nsfw_num_words":1,"has_unicode_error":false,"math_prob_llama3":0.99629474,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32,33,34,35,36,37,38,39,40,41,42,43,44,45,46,47,48,49,50,51,52,53,54,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69,70,71,72,73,74,75,76,77,78,79,80,81,82,83,84,85,86,87,88,89,90,91,92,93,94,95,96,97,98,99,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128],"im_url_duplicate_count":[null,2,null,2,null,2,null,null,null,2,null,2,null,2,null,null,null,2,null,2,null,2,null,null,null,2,null,2,null,2,null,2,null,2,null,2,null,2,null,2,null,2,null,2,null,null,null,2,null,2,null,2,null,2,null,2,null,2,null,2,null,2,null,null,null,2,null,2,null,2,null,null,null,2,null,2,null,2,null,2,null,2,null,2,null,2,null,2,null,null,null,2,null,2,null,2,null,2,null,2,null,null,null,2,null,2,null,2,null,2,null,null,null,2,null,2,null,2,null,2,null,2,null,null,null,2,null,2,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-06-14T20:39:13Z\",\"WARC-Record-ID\":\"<urn:uuid:e8fbeddd-3d79-4a2f-b32b-fa67af4e1cf3>\",\"Content-Length\":\"106775\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:023fa611-6389-46dc-8cb7-0e5ab0f9bf05>\",\"WARC-Concurrent-To\":\"<urn:uuid:1672c003-1d06-4f22-8d1c-654c191f87bd>\",\"WARC-IP-Address\":\"157.245.107.37\",\"WARC-Target-URI\":\"https://ktbssolutions.com/2nd-puc-physics-question-bank-chapter-11/\",\"WARC-Payload-Digest\":\"sha1:DYCVMFK4NZTB3D22OO7VXQ4VJXIGWASZ\",\"WARC-Block-Digest\":\"sha1:P6AAA4JURAVFVBZLBWPACG23BFRVCQIO\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-25/CC-MAIN-2021-25_segments_1623487613453.9_warc_CC-MAIN-20210614201339-20210614231339-00607.warc.gz\"}"}
https://meanderingpi.com/microbit-analog-referencing/
[ "# micro:bit Internal Analog Reference", null, "For the last few days I have been playing with the micro:bits builtin capability to measure analog voltages on P0, P1 & P2 (you can set up some of the other IO lines as analog inputs but this is a bit of an involved process and best avoided if possible).\n\n** WARNING **  – YOU MUST ENSURE THAT ANY VOLTAGE APPLIED TO THE MICRO:BIT DOES NOT EXCEED THE SUPPLY RAIL [TYPICALLY 3V] DOING SO WILL RESULT IN DAMAGE TO YOUR MICRO:BIT\n\nBy default the analog converter in the micro:bit is referenced to the micro:bit supply rail and is configured for 10 bit operation. Hence the following code;\n\n```from microbit import *\nprint(a)\ndisplay.scroll(str(a))```\n\nwill return 1023 if you connect the 3V & P0 pads together, irrespective of battery condition of if you power via the micro USB connector. For many applications this is fine and using the micro:bits 3V supply as the source voltage for any analog experiments is the best way to minimize risk of damage the the micro:bit.\n\nHowever if you want to measure a voltage not derived from the micro:bits supply things can become a bit more problematic. It’s fine if you can power the micro:bit from a constant source – for instance a phone mains power adapter, but not so good if you are running from a battery. This because as the ADC (analog to digit converter) reference voltage will drop as the battery discharges resulting in a change to the count value returned. For instance assuming a new set of batteries provides 3V, a 1.5V source on P0 would return 512, but if the battery voltage drops to 2.5V the reading would change to 614 counts. To get around this the ADC in the micro:bit can be configured to reference an internal fixed 1.2V voltage reference. This means the count value will not vary with a changing supply voltage.", null, "In it’s basic setup this would mean a voltage of 1.2V on P0 would give a result of 1023. However 0-1.2V is quite a small range so the ADC circuit includes a configurable ‘pre-scaler’ to help us. Configuring this to 3:1 we get full scale ADC range of 0-3.6V. It is important to note however that the rule of keeping the maximum voltage applied to a micor:bit input pin at or below the supply rail still applies.\n\nThe following code will setup the ADC to use the internal reference on P0 together with a 3:1 pre-scaler.\n\n```Code to demo using the micro:bit internal ADC reference\n# based on material and help from Carlos Pereira Atencio https://gist.github.com/microbit-carlos/\n# David Saul 2017. Released to the public domain.\n\nfrom microbit import *\n\n# functions used to modify ADC setup\n@micropython.asm_thumb\nldr(r0, [r0, 0])\n\n@micropython.asm_thumb\ndef reg_bit_clear(r0, r1):\nldr(r2, [r0, 0])\nbic(r2, r1)\nstr(r2, [r0, 0])\n\n# change ADC config for pin0\n\n# mbed configured: 10bit, input 1/3, ref 1/3 vdd, enable ADC in AIN4-P0.03-pin0\n#Set ref voltage to internal ref 1.2V (band gap), set bits 5-6 to 0x00\n\n#variable definition\nvt = 0 # raw / scaled analog value\nvf = \"0000\" # measured voltage as a formatted string\ncal = 352 # calibration variable\n# cal is calculated as (Vin / raw count)*10000\nwhile True\nprint ('raw count = ',vt)\n\n# the following lines of code scale the measured value and derive a\n# string (vf) that equates to it - there are simpler ways to do this\n# but this method avoids the use of floating variables which are very\n# inefficient on cards like the micro:bit\n\nvt = int((vt * cal)/1000)\nvs = str(vt)\nif vt > 1000:\nvf = vs[0:2]+'.'+vs[2:3]\nelif vt > 100 :\nvf = vs[0:1]+'.'+vs[1:3]\nelif vt > 10 :\nvf = '0.'+vs\nelif vt > 1 :\nvf = '0.0'+vs\nelse :\nvf = '0.000'\n\nvf = vf+\"V\"\nprint ('Scaled', vf)\ndisplay.scroll(vf)\n\nsleep(2000)```" ]
[ null, "https://meanderingpi.files.wordpress.com/2017/08/img_05411.jpg", null, "https://meanderingpi.files.wordpress.com/2017/08/img_05471.jpg", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.82365185,"math_prob":0.88762474,"size":4406,"snap":"2021-43-2021-49","text_gpt3_token_len":1179,"char_repetition_ratio":0.10881417,"word_repetition_ratio":0.00269179,"special_character_ratio":0.27621424,"punctuation_ratio":0.109253064,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9718474,"pos_list":[0,1,2,3,4],"im_url_duplicate_count":[null,6,null,6,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-10-17T21:42:52Z\",\"WARC-Record-ID\":\"<urn:uuid:cc7abdb8-8328-4c9d-9d97-3cc46b188429>\",\"Content-Length\":\"79737\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:e875f421-efae-4e20-ab3f-57611fa386f2>\",\"WARC-Concurrent-To\":\"<urn:uuid:a44d7707-25b3-40e0-8f0d-189807c823aa>\",\"WARC-IP-Address\":\"192.0.78.24\",\"WARC-Target-URI\":\"https://meanderingpi.com/microbit-analog-referencing/\",\"WARC-Payload-Digest\":\"sha1:ZI32KFL2F7JP4L3LBIMHXOWLH42RHL22\",\"WARC-Block-Digest\":\"sha1:FDJMDQNH74QPGIAT7WYHQHDBF24VHJM2\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-43/CC-MAIN-2021-43_segments_1634323585183.47_warc_CC-MAIN-20211017210244-20211018000244-00285.warc.gz\"}"}
https://www.gsp.com/cgi-bin/man.cgi?section=3&topic=zunmql.f
[ "", null, "", null, "Quick Navigator\n\n Search Site Miscellaneous Server Agreement Year 2038 Credits", null, "", null, "", null, "zunmql.f(3) LAPACK zunmql.f(3)\n\nzunmql.f -\n\n# SYNOPSIS\n\n## Functions/Subroutines\n\nsubroutine zunmql (SIDE, TRANS, M, N, K, A, LDA, TAU, C, LDC, WORK, LWORK, INFO)\n\nZUNMQL\n\n# Function/Subroutine Documentation\n\n## subroutine zunmql (characterSIDE, characterTRANS, integerM, integerN, integerK, complex*16, dimension( lda, * )A, integerLDA, complex*16, dimension( * )TAU, complex*16, dimension( ldc, * )C, integerLDC, complex*16, dimension( * )WORK, integerLWORK, integerINFO)\n\nZUNMQL\nPurpose:\n``` ZUNMQL overwrites the general complex M-by-N matrix C with\n\nSIDE = 'L' SIDE = 'R'\nTRANS = 'N': Q * C C * Q\nTRANS = 'C': Q**H * C C * Q**H\n\nwhere Q is a complex unitary matrix defined as the product of k\nelementary reflectors\n\nQ = H(k) . . . H(2) H(1)\n\nas returned by ZGEQLF. Q is of order M if SIDE = 'L' and of order N\nif SIDE = 'R'.\n```\nParameters:\nSIDE\n``` SIDE is CHARACTER*1\n= 'L': apply Q or Q**H from the Left;\n= 'R': apply Q or Q**H from the Right.\n```\nTRANS\n``` TRANS is CHARACTER*1\n= 'N': No transpose, apply Q;\n= 'C': Transpose, apply Q**H.\n```\nM\n``` M is INTEGER\nThe number of rows of the matrix C. M >= 0.\n```\nN\n``` N is INTEGER\nThe number of columns of the matrix C. N >= 0.\n```\nK\n``` K is INTEGER\nThe number of elementary reflectors whose product defines\nthe matrix Q.\nIf SIDE = 'L', M >= K >= 0;\nif SIDE = 'R', N >= K >= 0.\n```\nA\n``` A is COMPLEX*16 array, dimension (LDA,K)\nThe i-th column must contain the vector which defines the\nelementary reflector H(i), for i = 1,2,...,k, as returned by\nZGEQLF in the last k columns of its array argument A.\n```\nLDA\n``` LDA is INTEGER\nThe leading dimension of the array A.\nIf SIDE = 'L', LDA >= max(1,M);\nif SIDE = 'R', LDA >= max(1,N).\n```\nTAU\n``` TAU is COMPLEX*16 array, dimension (K)\nTAU(i) must contain the scalar factor of the elementary\nreflector H(i), as returned by ZGEQLF.\n```\nC\n``` C is COMPLEX*16 array, dimension (LDC,N)\nOn entry, the M-by-N matrix C.\nOn exit, C is overwritten by Q*C or Q**H*C or C*Q**H or C*Q.\n```\nLDC\n``` LDC is INTEGER\nThe leading dimension of the array C. LDC >= max(1,M).\n```\nWORK\n``` WORK is COMPLEX*16 array, dimension (MAX(1,LWORK))\nOn exit, if INFO = 0, WORK(1) returns the optimal LWORK.\n```\nLWORK\n``` LWORK is INTEGER\nThe dimension of the array WORK.\nIf SIDE = 'L', LWORK >= max(1,N);\nif SIDE = 'R', LWORK >= max(1,M).\nFor optimum performance LWORK >= N*NB if SIDE = 'L', and\nLWORK >= M*NB if SIDE = 'R', where NB is the optimal\nblocksize.\n\nIf LWORK = -1, then a workspace query is assumed; the routine\nonly calculates the optimal size of the WORK array, returns\nthis value as the first entry of the WORK array, and no error\nmessage related to LWORK is issued by XERBLA.\n```\nINFO\n``` INFO is INTEGER\n= 0: successful exit\n< 0: if INFO = -i, the i-th argument had an illegal value\n```\nAuthor:\nUniv. of Tennessee\nUniv. of California Berkeley\nNAG Ltd.\nDate:\nNovember 2011\nDefinition at line 169 of file zunmql.f.\n\n# Author\n\nGenerated automatically by Doxygen for LAPACK from the source code.\n Sat Nov 16 2013 Version 3.4.2\n\nSearch for    or go to Top of page |  Section 3 |  Main Index", null, "Visit the GSP FreeBSD Man Page Interface.\nOutput converted with ManDoc." ]
[ null, "https://www.gsp.com/images/clear.gif", null, "https://www.gsp.com/images/gsp-nav.gif", null, "https://www.gsp.com/images/flag.gif", null, "https://www.gsp.com/images/clear.gif", null, "https://www.gsp.com/support/man/title.png", null, "https://www.gsp.com/images/p-gsp.gif", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.6842416,"math_prob":0.9889552,"size":2853,"snap":"2021-04-2021-17","text_gpt3_token_len":885,"char_repetition_ratio":0.13302913,"word_repetition_ratio":0.029354207,"special_character_ratio":0.3024886,"punctuation_ratio":0.18501529,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9961994,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-01-28T15:03:06Z\",\"WARC-Record-ID\":\"<urn:uuid:c814c098-a6d7-43c5-bbe0-5b4f128c077f>\",\"Content-Length\":\"11521\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:98debe12-fbc1-4375-b1b8-eae4eb9fa7a8>\",\"WARC-Concurrent-To\":\"<urn:uuid:2f35f96d-1e90-4f35-99d9-45b537a1612c>\",\"WARC-IP-Address\":\"52.202.27.192\",\"WARC-Target-URI\":\"https://www.gsp.com/cgi-bin/man.cgi?section=3&topic=zunmql.f\",\"WARC-Payload-Digest\":\"sha1:6RDFDKPSY7UQ6Y4F6XDSOD7HB4FPOTQB\",\"WARC-Block-Digest\":\"sha1:D7P6SJFX6TW4XE47YPYQF74UPH3LYAI3\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-04/CC-MAIN-2021-04_segments_1610704847953.98_warc_CC-MAIN-20210128134124-20210128164124-00259.warc.gz\"}"}
https://tex.stackexchange.com/questions/109856/how-to-format-maxwell-equations
[ "# How to format Maxwell equations?\n\nIs there a variant of split environment from amsmath package which would allow for two aligned equations in a row? I want to format two pairs of Maxwell equations in two rows and put single equation number between the rows. Unfortunetely, split allows only one alignment tab & in a row, and I need three as in the following example:\n\n\\documentclass{article}\n\\usepackage{amsmath}\n\\DeclareMathOperator{\\Div}{div}\n\\DeclareMathOperator{\\Rot}{rot}\n\\begin{document}\n\\begin{align}\n\\label{18.1:1}\n%\\begin{split}\n\\Rot\\vec{E} &=-\\frac{1}{c}\\parder{\\vec{B}}{t}\n,\n&\n\\Div\\vec{B} &=0,\n\\\\\n\\label{18.1:2}\n\\Rot\\vec{B} &=\\frac{1}{c}\\parder{\\vec{E}}{t}\n+\\frac{4\\pi}{c}\\,\\vec{j}\n,\n&\n\\Div\\vec{E} &=4\\pi\\rho_{\\varepsilon }\n%\\end{split}\n\\end{align}\n\\end{document}\n\n\nHere every row has its own number.\n\n• Your code is not compilable: \\parder is nowhere defined. Also, you may want to use a more descriptive name for your labels, and it's best to precede punctuation marks such commas and full stops by a \\,. Apr 21, 2013 at 10:02\n• The \\parder is defined as: \\newcommand{\\parder}{\\frac{\\partial {#1}}{\\partial {#2}}}. Apr 21, 2013 at 10:18\n• @m0nhawk, thank you, indeed, i've missed the definition of parder. Apr 22, 2013 at 6:25\n• @Jubobs, Sorry, I didn't ask how to format punctuation marks or how to choose names for labels. Apr 23, 2013 at 4:03\n• Sorry, I didn't mean to offend you. That was just a side note that I thought could be useful. Apr 23, 2013 at 8:27\n\nI think you are after aligned:", null, "\\documentclass{article}\n\n\\usepackage{amsmath}\n\n\\DeclareMathOperator{\\Div}{div}\n\\DeclareMathOperator{\\Rot}{rot}\n\\newcommand{\\parder}{\\frac{\\partial {#1}}{\\partial {#2}}}\n\n\\begin{document}\n\n\\begin{align}\n\\label{18.1:1}\n\\begin{aligned}\n\\Rot\\vec{E} &=-\\frac{1}{c}\\parder{\\vec{B}}{t},&\n\\Div\\vec{B} &=0,\n\\\\\n\\Rot\\vec{B} &=\\frac{1}{c}\\parder{\\vec{E}}{t}\n+\\frac{4\\pi}{c}\\,\\vec{j},&\n\\Div\\vec{E} &=4\\pi\\rho_{\\varepsilon}.\n\\end{aligned}\n\\end{align}\n\n\\end{document}\n\n\nJust use split:\n\n\\documentclass{article}\n\\usepackage{amsmath}\n\n\\DeclareMathOperator{\\Div}{div}\n\\DeclareMathOperator{\\Rot}{rot}\n\n\\newcommand\\parder{\\frac{\\partial #1}{\\partial #2}}\n\n\\begin{document}\n\\begin{align}\n\\label{18.1:1}\n\\begin{split}\n\\Rot\\vec{E} &=-\\frac{1}{c}\\parder{\\vec{B}}{t},\n\\\\\n\\Div\\vec{B} &=0,\n\\end{split}\n\\\\[2ex]\n\\label{18.1:2}\n\\begin{split}\n\\Rot\\vec{B} &=\\frac{1}{c}\\parder{\\vec{E}}{t}+\\frac{4\\pi}{c}\\,\\vec{j},\n\\\\\n\\Div\\vec{E} &=4\\pi\\rho_{\\varepsilon }\n\\end{split}\n\\end{align}\n\\end{document}", null, "• Interesting solution. Apr 22, 2013 at 6:26" ]
[ null, "https://i.stack.imgur.com/M2Tul.png", null, "https://i.stack.imgur.com/yNYKh.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.75903916,"math_prob":0.99314123,"size":1039,"snap":"2023-40-2023-50","text_gpt3_token_len":337,"char_repetition_ratio":0.099516906,"word_repetition_ratio":0.0,"special_character_ratio":0.29932627,"punctuation_ratio":0.11167513,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9994041,"pos_list":[0,1,2,3,4],"im_url_duplicate_count":[null,1,null,1,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-11-28T17:41:50Z\",\"WARC-Record-ID\":\"<urn:uuid:532c74da-8d19-4006-92e4-eef47c999a94>\",\"Content-Length\":\"163814\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:ee0c140b-d043-433c-a435-05cc99115249>\",\"WARC-Concurrent-To\":\"<urn:uuid:5d62fd09-da6a-45aa-886b-77acfc0e1722>\",\"WARC-IP-Address\":\"104.18.43.226\",\"WARC-Target-URI\":\"https://tex.stackexchange.com/questions/109856/how-to-format-maxwell-equations\",\"WARC-Payload-Digest\":\"sha1:NOHXCDNBMX6D42IVLCRLWRO2JRSKPDJP\",\"WARC-Block-Digest\":\"sha1:XAGUXR6FMY3EHDT43R2BC4WPU4UUM7LG\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-50/CC-MAIN-2023-50_segments_1700679099892.46_warc_CC-MAIN-20231128151412-20231128181412-00045.warc.gz\"}"}
https://math.stackexchange.com/questions/327201/are-there-infinite-sets-of-axioms
[ "# Are there infinite sets of axioms?\n\nI'm reading Behnke's Fundamentals of mathematics:\n\nIf the number of axioms is finite, we can reduce the concept of a consequence to that of a tautology.\n\nI got curious on this: Are there infinite sets of axioms? The only thing I could think about is the possible existence of unknown axioms and perhaps some belief that this number of axioms is infinite.\n\n• Might be a useful post <math.stackexchange.com/questions/309147/…> – MITjanitor Mar 11 '13 at 5:53\n• Due to the presence of axiom schemata, $\\sf ZFC$ has an infinite number of axioms. However, more can be said, namely, that it is not finitely axiomatizable. This means that it is impossible to replace the infinitely many axioms of $\\sf ZFC$ by a finite list. – Haskell Curry Mar 11 '13 at 10:39\n• @HaskellCurry Propositional calculus can get founded with axioms and a rule of substitution. Even in that system though we can always get more axioms if we have countably infinite variables. – Doug Spoonwood Oct 17 '14 at 0:29\n\n## 7 Answers\n\nIn first order Peano axioms the principal of mathematical induction is not one axiom, but a \"template\" called an axiom scheme. For every possible expression (or \"predicate\") with a free variable, $P(n)$, we have the axiom:\n\n$$(P(0) \\land \\left(\\forall n: P(n)\\implies P(n+1)\\right))\\implies \\\\\\forall n: P(n)$$\n\nSo, if $P(x)$ is the predicate, $x\\cdot 0 = 1$ then we'd have the messy axiom:\n\n$$(0\\cdot 0=1 \\land \\left(\\forall n: n\\cdot 0 =1\\implies (n+1)\\cdot 0=1\\right))\\implies \\\\\\forall n: n\\cdot 0 = 1$$\n\nOur inclination is to think of this as a single axiom when preceded by \"$\\forall P$\", but in first-order theory, there is only one \"type.\" In first-order number theory, that type is \"natural number.\" So there is no room in the language for the concept of $\\forall P$. In second order theory, we can say $\\forall P$.\n\nIn set theory, you have a similar rule, the \"axiom of specification\" which lets you construct a set from any predicate, $P(x,y)$, with two free variables:\n\n$$\\forall S:\\exists T: \\forall x: (x\\in T\\iff (x\\in S\\land P(x,S)))$$\n\n(The axiom lets you do more, but this is a simple case.)\n\nwhich essentially means that there exists a set:\n\n$$\\{x\\in S: P(x,S)\\}$$\n\nAgain, there is no such object inside set theory as a \"predicate.\"\n\nFor most human axiom systems, even when the axioms are infinite, we have a level of verifiability. We usually desire an ability to verify a proof using mechanistic means, and therefore, given any step in a proof, we desire the ability to verify the step in a finite amount of time.\n\nMany important theories, most significantly first-order Peano arithmetic, and ZFC, the most commonly used axiomatic set theory, have an infinite number of axioms. So does the theory of algebraically closed fields.\n\n• Specifically, in Peano, mathematical induction really describes and infinite set of axioms. – Thomas Andrews Mar 11 '13 at 5:54\n• I remember of this answer I thought that there's an axiom for every number, but I'm not sure. – Billy Rubina Mar 11 '13 at 5:55\n• I don't think that's true, @GustavoBandeira. – Thomas Andrews Mar 11 '13 at 6:02\n• Among the commonly encountered, there are also the theories of vector spaces over a given (infinite) field, of fields of characteristic zero... – tomasz Mar 11 '13 at 6:18\n• More interestingly, $\\sf ZFC$ is not finitely axiomatizable, as first demonstrated by Richard Montague using the Reflection Principle. – Haskell Curry Mar 11 '13 at 10:35\n\nAre there infinite sets of axioms? Yes!\n\nAs a trivial (and somewhat meaningless) example, consider the first-order language whose only non-logical symbols are the constant symbol $0$ and the unary function symbol $S$. Then the following would comprise an infinite set of axioms:\n\n• $0 \\neq S(0)$;\n• $S(0) \\neq S(S(0))$;\n• $S(S(0)) \\neq S(S(S(0)))$;\n$\\vdots$\n• $S ( S ( S ( \\cdots ( 0 ) \\cdots ) ) ) \\neq S ( S ( \\cdots ( 0 ) \\cdots ) )$\n$\\vdots$\n\nFor a more meaningful example we have, as others have pointed out, Peano Arithmetic. More than just being an infinite list of axioms, this theory necessarily has an infinite set of axioms. By a result of C. Ryll-Nardzewski, (assuming it is consistent) Peano Arithmetic is not finitely axiomatisable: there is no finite set of axioms (in the same language) that has the same collection of formal theorems. (A similar result holds for ZF(C).)\n\nPerhaps surprisingly even the classical (Łukasiewicz's) axiomatization of propositional logic has an infinite number of axioms. The axioms are all substitution instances of\n\n• $(p \\to (q \\to p))$\n• $((p \\to (q \\to r)) \\to ((p \\to q) \\to (p \\to r)))$\n• $((\\neg p \\to \\neg q) \\to (q \\to p))$\n\nso we have an infinite number of axioms.\n\nUsually the important thing is not if the set of axioms is finite or infinite, but if it is decidable. We can only verify proofs in theories with decidable sets of axioms. If a set of axioms is undecidable, we can't verify a proof, because we can't tell if a formula appearing in it is an axiom or not. (If a set of axioms is only semi-decidable, we're able to verify correct proofs, but we're not able to refute incorrect ones.)\n\nFor example, if I construct a theory with the set of axioms given as\n\n$T(\\pi)$ is an axiom if $\\pi$ is a representation of a terminating program.\n\nThen I can \"prove\" that some program $p$ is terminating in a one-line proof by simply stating $T(p)$. But of course such theory has no real use because nobody can verify such a proof.\n\n• Your semi-decidable set of axioms, however, proves the same theorems as the decidable one where the axioms are those $$\\underbrace{x=x\\land \\cdots\\land x=x}_{n\\text{ conjuncts}}\\land T(m)$$ where $m$ is the representation of a program that terminates in $n$ steps. (Every semi-dedicable set of axioms is equivalent to a decidable one in essentially this way). – Henning Makholm Mar 12 '13 at 21:58\n• You can have a recursively enumerable axiom set - it just requires all proofs to include the amount of time before enumerating the axiom. The above is recursively enumerable, so we can prove things in it. The axiom system $S(\\pi)$ meaning that $\\pi$ does not terminate is not recursively enumerable, and therefore we can't write checkable proofs in that theory. – Thomas Andrews Aug 11 '13 at 18:07\n• Lukasiewicz's axiomitization didn't actually use axiom schema. It had 3 axioms and the rule of uniform substitution, which consists of a rule of inference. So actually, the system you've referenced only has 3 axioms. However, even with each axiom as finite, the possible axiomizations of classical propositional logic are infinite since (p→(q→p)) can get replaced by any theorem of the system {(p→(q→p))} under condensed detachment, and since {(p→(q→p))} under condensed detachment has an infinity of theorems. For example, (p→(q→p)) could get replaced by (a→(b→(c→(d→(p→(q→p))))). – Doug Spoonwood May 7 '14 at 2:19\n\nAn example of an infinite set of axioms used for practical use is the foundation of non-standard analysis.\n\nCreate a first-order language whose symbols include:\n\n• Every element of $\\mathbb{R}$\n• Every element of $\\mathcal{P}(\\mathbb{R})$\n• Every element of $\\mathcal{P}(\\mathcal{P}(\\mathbb{R}))$\n• :\n\nNow select a set of axioms to be the set of all true statements in this language.\n\nThis language and set of axioms is enough to do lots of things; e.g. any theorem you've learned in calculus can be stated in this language and is automatically a theorem.\n\nBy general properties of first-order logic, this set of axioms is consistent and thus there exists a non-standard model! By construction, every theorem you know about 'standard' things is automatically true for non-standard things as well! In this formulation, the transfer principle from non-standard analysis -- every 'standard' object has a nonstandard analog, and every statement of 'standard' analysis is true if and only if its translation to the non-standard model is true -- becomes an utter triviality.\n\nWhile one can surely attempt to select a smaller set of axioms, there is no actual reason to; for the specific application we have to apply logic in this instance, it is by far easier and more convenient to take all of them.\n\nAs others have noted, first order PA has an infinite number of axioms. But it is worth stressing that this is not just a superficial feature of the usual mode of presenting the induction axioms via a schema or template. It is provable that there is no finitely axiomatized theory in the language of PA whose theorems coincide with those of PA.\n\n• Someone did mention this in another answer. ;-) (BTW: I just pre-ordered a coy of your Introduction to Gödel's Theorems text earlier today. Looking forward to thumbing through it!) – user642796 Mar 11 '13 at 9:25\n• Ooops, sorry @ArthurFischer: very careless reading by me. Enjoy Gödel! – Peter Smith Mar 11 '13 at 14:21\n\nJust to make the matter maybe a bit more clear giving another example:\n\nSimilar to what André Nicolas stated, $ACF_0$ (the theory of algebraically closed fields of charateristic $0$) is axiomatized by $ACF$(the theory of algebraically closed fields) + $\\{\\neg\\phi_p$ : $p$ is prime$\\}$, where $\\phi_p$ says \"I have characteristic $p$.\" $ACF$ is already not finitely axiomatizable itself but I am sure observing that $\\{\\neg\\phi_p$ : $p$ is prime$\\}$ is an infinite set of axioms is way more obvious." ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.8432395,"math_prob":0.98148364,"size":1523,"snap":"2019-13-2019-22","text_gpt3_token_len":436,"char_repetition_ratio":0.117840685,"word_repetition_ratio":0.0,"special_character_ratio":0.28956008,"punctuation_ratio":0.13134329,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9996637,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-05-23T11:27:11Z\",\"WARC-Record-ID\":\"<urn:uuid:f24722e8-f88c-4c8f-ae0a-1a70bc0ad99a>\",\"Content-Length\":\"179999\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:8dab82fa-dc4f-4577-9de4-152955c67ce6>\",\"WARC-Concurrent-To\":\"<urn:uuid:17bce8db-c0e4-49c4-aeb3-783349b4dfc8>\",\"WARC-IP-Address\":\"151.101.65.69\",\"WARC-Target-URI\":\"https://math.stackexchange.com/questions/327201/are-there-infinite-sets-of-axioms\",\"WARC-Payload-Digest\":\"sha1:54SXZMWZIX4OR5ZABJOAESGQOL7AB5KV\",\"WARC-Block-Digest\":\"sha1:ZJDFSATQNJ6WR2JOCXJNKE7HPAUT5IHH\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-22/CC-MAIN-2019-22_segments_1558232257243.19_warc_CC-MAIN-20190523103802-20190523125802-00393.warc.gz\"}"}
https://isabelle.in.tum.de/repos/isabelle/file/d8205bb279a7/doc-src/Ref/substitution.tex
[ "doc-src/Ref/substitution.tex\n author lcp Wed, 10 Nov 1993 05:00:57 +0100 changeset 104 d8205bb279a7 child 148 67d046de093e permissions -rw-r--r--\nInitial revision\n\n%% $Id$\n\\chapter{Substitution Tactics} \\label{substitution}\n\\index{substitution|(}\nReplacing equals by equals is a basic form of reasoning. Isabelle supports\nseveral kinds of equality reasoning. {\\bf Substitution} means to replace\nfree occurrences of~$t$ by~$u$ in a subgoal. This is easily done, given an\nequality $t=u$, provided the logic possesses the appropriate rule ---\nunless you want to substitute even in the assumptions. The tactic\n\\ttindex{hyp_subst_tac} performs substitution in the assumptions, but it\nworks via object-level implication, and therefore must be specially set up\nfor each suitable object-logic.\n\nSubstitution should not be confused with object-level {\\bf rewriting}.\nGiven equalities of the form $t=u$, rewriting replaces instances of~$t$ by\ncorresponding instances of~$u$, and continues until it reaches a normal\nform. Substitution handles one-off' replacements by particular\nequalities, while rewriting handles general equalities.\nChapter~\\ref{simp-chap} discusses Isabelle's rewriting tactics.\n\n\\section{Simple substitution}\n\\index{substitution!simple}\nMany logics include a substitution rule of the form\\indexbold{*subst}\n$$\\List{\\Var{a}=\\Var{b}; \\Var{P}(\\Var{a})} \\Imp \\Var{P}(\\Var{b}) \\eqno(subst)$$\nIn backward proof, this may seem difficult to use: the conclusion\n$\\Var{P}(\\Var{b})$ admits far too many unifiers. But, if the theorem {\\tt\neqth} asserts $t=u$, then \\hbox{\\tt eqth RS subst} is the derived rule\n$\\Var{P}(t) \\Imp \\Var{P}(u).$\nProvided $u$ is not an unknown, resolution with this rule is\nwell-behaved.\\footnote{Unifying $\\Var{P}(u)$ with a formula~$Q$\nexpresses~$Q$ in terms of its dependence upon~$u$. There are still $2^k$\nunifiers, if $Q$ has $k$ occurrences of~$u$, but Isabelle ensures that\nthe first unifier includes all the occurrences.} To replace $u$ by~$t$ in\nsubgoal~$i$, use\n\\begin{ttbox}\nresolve_tac [eqth RS subst] $$i$$ {\\it.}\n\\end{ttbox}\nTo replace $t$ by~$u$ in\nsubgoal~$i$, use\n\\begin{ttbox}\nresolve_tac [eqth RS ssubst] $$i$$ {\\it,}\n\\end{ttbox}\nwhere \\ttindexbold{ssubst} is the swapped' substitution rule\n$$\\List{\\Var{a}=\\Var{b}; \\Var{P}(\\Var{b})} \\Imp \\Var{P}(\\Var{a}). \\eqno(ssubst)$$\nIf \\ttindex{sym} denotes the symmetry rule\n$$\\Var{a}=\\Var{b}\\Imp\\Var{b}=\\Var{a}$$, then {\\tt ssubst} is just\n\\hbox{\\tt sym RS subst}. Many logics with equality include the rules {\\tt\nsubst} and {\\tt ssubst}, as well as {\\tt refl}, {\\tt sym} and {\\tt trans}\n(for the usual equality laws).\n\nElim-resolution is well-behaved with assumptions of the form $t=u$.\nTo replace $u$ by~$t$ or $t$ by~$u$ in subgoal~$i$, use\n\\begin{ttbox}\neresolve_tac [subst] $$i$$ {\\it or} eresolve_tac [ssubst] $$i$$ {\\it.}\n\\end{ttbox}\n\n\\section{Substitution in the hypotheses}\n\\index{substitution!in hypotheses}\nSubstitution rules, like other rules of natural deduction, do not affect\nthe assumptions. This can be inconvenient. Consider proving the subgoal\n$\\List{c=a; c=b} \\Imp a=b.$\nCalling \\hbox{\\tt eresolve_tac [ssubst] $$i$$} simply discards the\nassumption~$c=a$, since $c$ does not occur in~$a=b$. Of course, we can\nwork out a solution. First apply \\hbox{\\tt eresolve_tac [subst] $$i$$},\nreplacing~$a$ by~$c$:\n$\\List{c=b} \\Imp c=b$\nEquality reasoning can be difficult, but this trivial proof requires\nnothing more sophisticated than substitution in the assumptions.\nObject-logics that include the rule~$(subst)$ provide a tactic for this\npurpose:\n\\begin{ttbox}\nhyp_subst_tac : int -> tactic\n\\end{ttbox}\n\\begin{description}\n\\item[\\ttindexbold{hyp_subst_tac} {\\it i}]\nselects an equality assumption of the form $t=u$ or $u=t$, where $t$ is a\nfree variable or parameter. Deleting this assumption, it replaces $t$\nby~$u$ throughout subgoal~$i$, including the other assumptions.\n\\end{description}\nThe term being replaced must be a free variable or parameter. Substitution\nfor constants is usually unhelpful, since they may appear in other\ntheorems. For instance, the best way to use the assumption $0=1$ is to\ncontradict a theorem that states $0\\not=1$, rather than to replace 0 by~1\nin the subgoal!\n\nReplacing a free variable causes similar problems if they appear in the\npremises of a rule being derived --- the substitution affects object-level\nassumptions, not meta-level assumptions. For instance, replacing~$a$\nby~$b$ could make the premise~$P(a)$ worthless. To avoid this problem, call\n\\ttindex{cut_facts_tac} to insert the atomic premises as object-level\nassumptions.\n\n\\section{Setting up {\\tt hyp_subst_tac}}\nMany Isabelle object-logics, such as {\\tt FOL}, {\\tt HOL} and their\ndescendants, come with {\\tt hyp_subst_tac} already defined. A few others,\nsuch as {\\tt CTT}, do not support this tactic because they lack the\nrule~$(subst)$. When defining a new logic that includes a substitution\nrule and implication, you must set up {\\tt hyp_subst_tac} yourself. It\nis packaged as the \\ML{} functor \\ttindex{HypsubstFun}, which takes the\nargument signature~\\ttindexbold{HYPSUBST_DATA}:\n\\begin{ttbox}\nsignature HYPSUBST_DATA =\nsig\nval subst : thm\nval sym : thm\nval rev_cut_eq : thm\nval imp_intr : thm\nval rev_mp : thm\nval dest_eq : term -> term*term\nend;\n\\end{ttbox}\nThus, the functor requires the following items:\n\\begin{description}\n\\item[\\ttindexbold{subst}] should be the substitution rule\n$\\List{\\Var{a}=\\Var{b};\\; \\Var{P}(\\Var{a})} \\Imp \\Var{P}(\\Var{b})$.\n\n\\item[\\ttindexbold{sym}] should be the symmetry rule\n$\\Var{a}=\\Var{b}\\Imp\\Var{b}=\\Var{a}$.\n\n\\item[\\ttindexbold{rev_cut_eq}] should have the form\n$\\List{\\Var{a}=\\Var{b};\\; \\Var{a}=\\Var{b}\\Imp\\Var{R}} \\Imp \\Var{R}$.\n\n\\item[\\ttindexbold{imp_intr}] should be the implies introduction\nrule $(\\Var{P}\\Imp\\Var{Q})\\Imp \\Var{P}\\imp\\Var{Q}$.\n\n\\item[\\ttindexbold{rev_mp}] should be the reversed'' implies elimination\nrule $\\List{\\Var{P}; \\;\\Var{P}\\imp\\Var{Q}} \\Imp \\Var{Q}$.\n\n\\item[\\ttindexbold{dest_eq}] should return the pair~$(t,u)$ when\napplied to the \\ML{} term that represents~$t=u$. For other terms, it\nshould raise exception~\\ttindex{Match}.\n\\end{description}\nThe functor resides in {\\tt Provers/hypsubst.ML} on the Isabelle\ndistribution directory. It is not sensitive to the precise formalization\nof the object-logic. It is not concerned with the names of the equality\nand implication symbols, or the types of formula and terms. Coding the\nfunction {\\tt dest_eq} requires knowledge of Isabelle's representation of\nterms. For {\\tt FOL} it is defined by\n\\begin{ttbox}\nfun dest_eq (Const(\"Trueprop\",_) $(Const(\"op =\",_)$t$u)) = (t,u); \\end{ttbox} Here {\\tt Trueprop} is the coercion from type'~$o$to type~$prop$, while \\hbox{\\tt op =} is the internal name of the infix operator~{\\tt=}. Pattern-matching expresses the function concisely, using wildcards~({\\tt_}) to hide the types. Given a subgoal of the form $\\List{P@1; \\cdots ; t=u; \\cdots ; P@n} \\Imp Q,$ \\ttindexbold{hyp_subst_tac} locates a suitable equality assumption and moves it to the last position using elim-resolution on {\\tt rev_cut_eq} (possibly re-orienting it using~{\\tt sym}): $\\List{P@1; \\cdots ; P@n; t=u} \\Imp Q$ Using$n$calls of \\hbox{\\tt eresolve_tac [rev_mp]}, it creates the subgoal $\\List{t=u} \\Imp P@1\\imp \\cdots \\imp P@n \\imp Q$ By \\hbox{\\tt eresolve_tac [ssubst]}, it replaces~$t$by~$u$throughout: $P'@1\\imp \\cdots \\imp P'@n \\imp Q'$ Finally, using$n$calls of \\hbox{\\tt resolve_tac [imp_intr]}, it restores$P'@1$, \\ldots,$P'@n\\$ as assumptions:\n$\\List{P'@n; \\cdots ; P'@1} \\Imp Q'$\n\n\\index{substitution|)}" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.6941473,"math_prob":0.9940872,"size":7411,"snap":"2021-43-2021-49","text_gpt3_token_len":2303,"char_repetition_ratio":0.13298231,"word_repetition_ratio":0.012207528,"special_character_ratio":0.28039402,"punctuation_ratio":0.10822832,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9996797,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-10-18T07:36:49Z\",\"WARC-Record-ID\":\"<urn:uuid:6c7188d2-05fa-4015-81a5-f0f4626dfe4d>\",\"Content-Length\":\"18514\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:c24ef081-99d7-4c1a-b9da-92dfcae20171>\",\"WARC-Concurrent-To\":\"<urn:uuid:75732a52-2e2e-468e-b15d-71f438b14258>\",\"WARC-IP-Address\":\"131.159.46.82\",\"WARC-Target-URI\":\"https://isabelle.in.tum.de/repos/isabelle/file/d8205bb279a7/doc-src/Ref/substitution.tex\",\"WARC-Payload-Digest\":\"sha1:ENZ5PEG467FSFKUC6WJEGO6G4UERCMZL\",\"WARC-Block-Digest\":\"sha1:CTJOX4QETSSUMM43JI3Q5MW53NZ7QIHC\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-43/CC-MAIN-2021-43_segments_1634323585199.76_warc_CC-MAIN-20211018062819-20211018092819-00087.warc.gz\"}"}
http://docs.h2o.ai/h2o/latest-stable/h2o-docs/data-science/algo-params/tweedie_variance_power.html
[ "# tweedie_variance_power¶\n\n• Available in: GLM, GAM\n\n• Hyperparameter: yes\n\n## Description¶\n\nWhen family=tweedie, this option can be used to specify the power for the tweedie variance. This option defaults to 0.\n\nTweedie distributions are a family of distributions that include gamma, normal, Poisson and their combinations. This distribution is especially useful for modeling positive continuous variables with exact zeros. The variance of the Tweedie distribution is proportional to the $$p$$-th power of the mean $$var(y_i) = \\phi\\mu{^p_i}$$.\n\nThe Tweedie distribution is parametrized by variance power $$p$$. It is defined for all $$p$$ values except in the (0,1) interval and has the following distributions as special cases:\n\n• $$p = 0$$: Normal\n\n• $$p = 1$$: Poisson\n\n• $$p \\in (1,2)$$: Compound Poisson, non-negative with mass at zero\n\n• $$p = 2$$: Gamma\n\n• $$p = 3$$: Gaussian\n\n• $$p > 2$$: Stable, with support on the positive reals\n\nThe following table shows the acceptable relationships between family functions, tweedie variance powers, and tweedie link powers.\n\nFamily Function\n\nTweedie Variance Power\n\nPoisson\n\n1\n\n0, 1-vpow, 1\n\nGamma\n\n2\n\n0, 1-vpow, 2\n\nGaussian\n\n3\n\n1, 1-vpow\n\n## Example¶\n\nlibrary(h2o)\nh2o.init()\n\n# import the auto dataset:\n# this dataset looks at features of motor insurance policies and predicts the aggregate claim loss\n# the original dataset can be found at https://cran.r-project.org/web/packages/HDtweedie/HDtweedie.pdf\nauto <- h2o.importFile(\"https://s3.amazonaws.com/h2o-public-test-data/smalldata/glm_test/auto.csv\")\n\n# set the predictor names and the response column name\npredictors <- colnames(auto)[-1]\n# The response is aggregate claim loss (in $1000s) response <- \"y\" # split into train and validation sets auto_splits <- h2o.splitFrame(data = auto, ratios = 0.8) train <- auto_splits[] valid <- auto_splits[] # try using the tweedie_variance_power parameter: # train your model, where you specify tweedie_variance_power auto_glm <- h2o.glm(x = predictors, y = response, training_frame = train, validation_frame = valid, family = 'tweedie', tweedie_variance_power = 1) # print the mse for validation set print(h2o.mse(auto_glm, valid = TRUE)) # grid over tweedie_variance_power # select the values for tweedie_variance_power to grid over hyper_params <- list( tweedie_variance_power = c(0, 1, 1.1, 1.2, 1.3, 1.4, 1.5, 1.6, 1.7, 1.8, 1.9, 2, 2.1, 2.2, 2.3, 2.4, 2.5, 2.6, 2.7, 2.8, 2.9, 3, 5, 7) ) # this example uses cartesian grid search because the search space is small # and we want to see the performance of all models. For a larger search space use # random grid search instead: {'strategy': \"RandomDiscrete\"} # build grid search with previously selected hyperparameters grid <- h2o.grid(x = predictors, y = response, training_frame = train, validation_frame = valid, family = 'tweedie', algorithm = \"glm\", grid_id = \"auto_grid\", hyper_params = hyper_params, search_criteria = list(strategy = \"Cartesian\")) # Sort the grid models by mse sorted_grid <- h2o.getGrid(\"auto_grid\", sort_by = \"mse\", decreasing = FALSE) sorted_grid # print the mse for the validation data print(h2o.mse(auto_glm, valid = TRUE)) import h2o from h2o.estimators.glm import H2OGeneralizedLinearEstimator h2o.init() # import the auto dataset: # this dataset looks at features of motor insurance policies and predicts the aggregate claim loss # the original dataset can be found at https://cran.r-project.org/web/packages/HDtweedie/HDtweedie.pdf auto = h2o.import_file(\"https://s3.amazonaws.com/h2o-public-test-data/smalldata/glm_test/auto.csv\") # set the predictor names and the response column name predictors = auto.names predictors.remove('y') # The response is aggregate claim loss (in$1000s)\nresponse = \"y\"\n\n# split into train and validation sets\ntrain, valid = auto.split_frame(ratios = [.8])\n\n# try using the tweedie_variance_power parameter:\n# initialize the estimator then train the model\nauto_glm = H2OGeneralizedLinearEstimator(family = 'tweedie', tweedie_variance_power = 1)\nauto_glm.train(x = predictors, y = response, training_frame = train, validation_frame = valid)\n\n# print the mse for the validation data\nprint(auto_glm.mse(valid=True))\n\n# grid over tweedie_variance_power\n# import Grid Search\nfrom h2o.grid.grid_search import H2OGridSearch\n\n# select the values for tweedie_variance_power to grid over\nhyper_params = {'tweedie_variance_power': [0, 1, 1.1, 1.2,1.3,1.4,1.5,1.6,1.7,1.8,1.9,2,\n2.1, 2.2,2.3,2.4,2.5,2.6,2.7,2.8,2.9,3, 5, 7]}\n\n# this example uses cartesian grid search because the search space is small\n# and we want to see the performance of all models. For a larger search space use\n# random grid search instead: {'strategy': \"RandomDiscrete\"}\n# initialize the GLM estimator\nauto_glm_2 = H2OGeneralizedLinearEstimator(family = 'tweedie')\n\n# build grid search with previously made GLM and hyperparameters\ngrid = H2OGridSearch(model = auto_glm_2, hyper_params = hyper_params,\nsearch_criteria = {'strategy': \"Cartesian\"})\n\n# train using the grid\ngrid.train(x = predictors, y = response, training_frame = train, validation_frame = valid)\n\n# sort the grid models by mse\nsorted_grid = grid.get_grid(sort_by='mse', decreasing=False)\nprint(sorted_grid)" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.6019084,"math_prob":0.96713877,"size":5203,"snap":"2020-34-2020-40","text_gpt3_token_len":1502,"char_repetition_ratio":0.13156377,"word_repetition_ratio":0.32867134,"special_character_ratio":0.28502786,"punctuation_ratio":0.20314136,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9959165,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-08-14T00:25:23Z\",\"WARC-Record-ID\":\"<urn:uuid:93dc073b-9fdc-470c-8dd1-aba286c0dd0e>\",\"Content-Length\":\"53632\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:30ff9622-2644-442b-9cbf-80920cab9ec1>\",\"WARC-Concurrent-To\":\"<urn:uuid:43337a9a-5ee9-48e1-aa7e-36c76ec84481>\",\"WARC-IP-Address\":\"54.82.212.144\",\"WARC-Target-URI\":\"http://docs.h2o.ai/h2o/latest-stable/h2o-docs/data-science/algo-params/tweedie_variance_power.html\",\"WARC-Payload-Digest\":\"sha1:CRDL4ANDM3ACNOEBIC7FYPD4GNNV7IT7\",\"WARC-Block-Digest\":\"sha1:C7WEFXJFWSDDJNPD222VEFO6VWQDC6Y3\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-34/CC-MAIN-2020-34_segments_1596439739104.67_warc_CC-MAIN-20200813220643-20200814010643-00235.warc.gz\"}"}
http://eu.swi-prolog.org/pack/file_details/pljulia/prolog/julia.pl
[ "Did you know ... Search Documentation:", null, "Pack pljulia -- prolog/julia.pl\n\nWhen loaded, this module starts an embedded instance of Julia. Expressions may be executed (either discarding the return value or printing it in julia) or evaluated, unifying certain Julia return types with Prolog terms.\n\nSee `library(dcg/julia)` for description of valid expression terms.\n\nThe type `val` denotes values that can be exchanged with Julia by direct conversion, rather than via strings. It is a union:\n\n```val == integer | float | string | bool | symbol | void | arr_int64(_) | arr_float64(_)\n| tuple() | tuple(A) | tuple(A,B) | tuple(A,B,C) | ...\n\nbool ---> true; false.\nsymbol ---> :atom.\nvoid ---> nothing.\narr_int64(D) ---> int64(shape(D), nested(D,integer)).\narr_float64(D) ---> float64(shape(D), nested(D,float)).\ntuple() ---> #()\ntuple(A) ---> #(A)\ntuple(A,B) ---> #(A,B)```\n\nThese types are mapped to and from Julia types as follows:\n\n```Int64 <--> integer\nFloat64 <--> float\nString <--> string\nSymbol <--> symbol\nBool <--> bool\nVoid <--> void\nTuple{...} <--> tuple(...)```\n\nA D-dimensional arrays is represented using a `shape(D)`, which is list of exactly D integers, in REVERSE ORDER from the Julia form, and a D-level nested list containing the values, where the first dimension is the length of the outer list, the second dimension is the length of each 1st level nested list, and so on.\n\nThese arrays can be passed to jl_call/N, returned from jl_eval, and also passed to the Julia DCG via the higher-level term level evaluators/executors.\n\njl_exec(+S:text) is det\nExecute Julia expression S, which may be string, atom, codes or chars. If any Julia exceptions are raised, the Julia function `showerror` is used to print the details, and a `julia_error` exception is raised.\njl_eval(+S:text, -X:val) is det\nEvaluate Julia expression S, which may be string, atom, codes or chars. The following Julia return types are recognised and are converted to Prolog values and unified with X: Any other return type raises an `unsupported_julia_return_type_error` exception. If any Julia exceptions are raised, the Julia function `showerror` is used to print the details, and a Prolog `julia_error` exception is raised.\njl_call(+F:text, +Arg:val, -Result:val) is det\njl_call(+F:text, +Arg1:val, +Arg2:val, -Result:val) is det\njl_call(+F:text, +Arg1:val, +Arg2:val, +Arg3:val, -Result:val) is det\nEvaluates F to get a function and applies it to given arguments. The arguments are converted to Julia values directly in C code, which should be faster than conversion via DCG formatting and parsing in Julia.\njl_call_(+F:text, +Arg:val) is det\njl_call_(+F:text, +Arg1:val, +Arg2:val) is det\njl_call_(+F:text, +Arg1:val, +Arg2:val, +Arg3:val) is det\nSame as jl_call/3, jl_call/4 etc but ignoring the return value. This can be useful when the return value is not supported by pljulia.\njl_apply(+F:text, +Args:list(val), -Result:val) is det\nEvaluates Julia expression F to a function and applies it to any number of arguments in Args, unifying the return value with Result.\njl_apply_(+F:text, +Args:list(val)) is det\nEvaluates Julia expression F to a function and applies it to any number of arguments in Args and discarding the return value.\n!(+E:expr) is det\nExecute Julia expression E using jl_exec/1. No output is printed. E is converted to a string using term_jlstring/2. Use `debug(julia)` to see the Julia expression before execution.\n?(+E:expr) is det\nExecute Julia expression term E using (!)/1 and display the result using Julia.\n?>(+E:expr, -X:val) is det\nEvaluate the Julia expression term E using jl_eval/2 and unify result with X. E is converted to a string using term_jlstring/2. Use `debug(julia)` to see the Julia expression before execution.\n<?(-X:val, +E:expr) is det\nEvalute Julia expression E and unify result with X. `X <? E` is the same as `E ?> X`, but may be more convenient for interactive use.\n??(-X:val, +E:expr) is det\nEvalute Julia expression E as with (<?)/2, but instead of converting the result into a Prolog representation, store it in a freshly allocated Julia workspace variable and unify X with a term containing the name of the new variable. This can be used in subsequent Julia expressions, but it cannot be passed to jl_apply/4 and jl_apply_/3. When X goes out of scope, garbage collection on the Prolog side releases the value in the Julia workspace so that it becomes available for garbage collection on the Julia side.\n\n## Undocumented predicates\n\nThe following predicates are exported, but not or incorrectly documented.\n\njl_call(Arg1, Arg2, Arg3, Arg4)\njl_call_(Arg1, Arg2, Arg3)\njl_call(Arg1, Arg2, Arg3, Arg4, Arg5)\njl_call_(Arg1, Arg2, Arg3, Arg4)\nterm_jlstring(Arg1, Arg2)" ]
[ null, "http://eu.swi-prolog.org/icons/swipl.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.6317807,"math_prob":0.8119633,"size":4641,"snap":"2020-45-2020-50","text_gpt3_token_len":1242,"char_repetition_ratio":0.14298038,"word_repetition_ratio":0.18453188,"special_character_ratio":0.2753717,"punctuation_ratio":0.18172157,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9728468,"pos_list":[0,1,2],"im_url_duplicate_count":[null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-10-29T22:45:41Z\",\"WARC-Record-ID\":\"<urn:uuid:b6256b57-f7d7-4926-b8f4-28db6e1a7e84>\",\"Content-Length\":\"19333\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:d608a8a7-cbf7-4cd8-8118-2f44460fa27d>\",\"WARC-Concurrent-To\":\"<urn:uuid:a167f121-0f54-4e01-bf4c-cf8334ef9d06>\",\"WARC-IP-Address\":\"130.37.193.190\",\"WARC-Target-URI\":\"http://eu.swi-prolog.org/pack/file_details/pljulia/prolog/julia.pl\",\"WARC-Payload-Digest\":\"sha1:UEKXQR557J576USUUDCZGRTWNVYUND2C\",\"WARC-Block-Digest\":\"sha1:AA6FDWWGI272IYX5DZWMYCLSPWMLAVGM\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-45/CC-MAIN-2020-45_segments_1603107905965.68_warc_CC-MAIN-20201029214439-20201030004439-00576.warc.gz\"}"}
https://retrobasic.allbasic.info/index.php?topic=825.msg6575
[ "###", null, "Author Topic: TriQuad Remake  (Read 1234 times)\n\n#### B+\n\n• Guest", null, "« on: July 21, 2019, 01:51:05 am »\nThis is total overhaul of Rick's TriQuad clone done in Naalaa some time ago. This game allows user to choose from 3 to 9 square pieces per side, uses a different method to build the puzzle and uses a different method to detect/check solutions since it is possible by random luck to have multiple solutions to a puzzle.\n\nQB64v1.3\nCode: [Select]\n`OPTION _EXPLICIT_TITLE \"TriQuad Puzzle\" 'B+ start 2019-07-17 trans to QB64 from:' TriQuad.bas  SmallBASIC 0.12.8 [B+=MGA] 2017-03-26' inspired by rick3137's recent post at Naalaa of cute puzzle' 2019-07 Complete remake for N X N puzzles, not just 3 X 3's.RANDOMIZE TIMERCONST xmax = 1000, margin = 50 'screen size, margin that should allow a line above and below the puzzle displayCONST topLeftB1X = margin, topLeftB2X = xmax / 2 + .5 * margin, topY = margin'these have to be decided from user input from Intro screenDIM SHARED ymax, N, Nm1, NxNm1, sq, sq2, sq4ymax = 500 'for starters in intro screen have resizing in pixels including ymaxREDIM SHARED B1(2, 2), B2(2, 2) ' B1() box container for scrambled pieces of C(), B2 box container to build solutionREDIM SHARED C(8, 3) '9 squares 4 colored triangles, C() contains the solution as created by code, may not be the only one!DIM mx, my, mb, bx, by, holdF, ky AS STRING, again AS STRINGSCREEN _NEWIMAGE(xmax, ymax, 32)_SCREENMOVE 300, 40introrestart:assignColorsholdF = N * NWHILE 1    CLS    showB (1)    showB (2)    WHILE _MOUSEINPUT: WEND    mx = _MOUSEX: my = _MOUSEY: mb = _MOUSEBUTTON(1)    IF mb THEN        DO WHILE mb            WHILE _MOUSEINPUT: WEND            mx = _MOUSEX: my = _MOUSEY: mb = _MOUSEBUTTON(1)        LOOP        IF topY <= my AND my <= topY + N * sq THEN            by = INT((my - topY) / sq)            'LOCATE 1, 1: PRINT SPACE\\$(20)            'LOCATE 1, 1: PRINT \"bY = \"; by            IF topLeftB1X <= mx AND mx <= topLeftB1X + N * sq THEN 'mx in b1                bx = INT((mx - topLeftB1X) / sq)                'LOCATE 2, 1: PRINT SPACE\\$(20)                'LOCATE 2, 1: PRINT \"bX = \"; bx                IF holdF < N * N THEN 'trying to put the piece on hold here?                    IF B1(bx, by) = N * N THEN                        B1(bx, by) = holdF: holdF = N * N                    END IF                ELSEIF holdF = N * N THEN                    IF B1(bx, by) < N * N THEN                        holdF = B1(bx, by): B1(bx, by) = N * N                    END IF                END IF            ELSEIF topLeftB2X <= mx AND mx <= topLeftB2X + N * sq THEN 'mx in b2                bx = INT((mx - topLeftB2X) / sq)                'LOCATE 2, 1: PRINT SPACE\\$(20)                'LOCATE 2, 1: PRINT \"bX = \"; bx                IF holdF < N * N THEN                    IF B2(bx, by) = N * N THEN                        B2(bx, by) = holdF: holdF = N * N                    END IF                ELSEIF holdF = N * N THEN                    IF B2(bx, by) < N * N THEN                        holdF = B2(bx, by): B2(bx, by) = N * N                    END IF                END IF 'my out of range            END IF        END IF    END IF    IF solved THEN        COLOR hue(9)        LOCATE 2, 1: centerPrint \"Congratulations puzzle solved!\"        _DISPLAY        _DELAY 3        EXIT WHILE    END IF    ky = INKEY\\$    IF LEN(ky) THEN        IF ky = \"q\" THEN            showSolution            COLOR hue(9)            LOCATE 2, 1: centerPrint \"Here is solution (for 10 secs), Goodbye!\"            _DISPLAY            _DELAY 10            SYSTEM        END IF    END IF    _DISPLAY    _LIMIT 100WENDCOLOR hue(9): LOCATE 2, 1: centerPrint SPACE\\$(50): LOCATE 2, 1centerPrint \"Press enter to play again, any + enter ends... \"_DISPLAYagain = INKEY\\$WHILE LEN(again) = 0: again = INKEY\\$: _LIMIT 200: WENDIF ASC(again) = 13 THEN GOTO restart ELSE SYSTEMFUNCTION solved    'since it is possible that a different tile combination could be a valid solution we have to check points    DIM x, y    'first check that there is a puzzle piece in every slot of b2    FOR y = 0 TO Nm1        FOR x = 0 TO Nm1            IF B2(x, y) = N * N THEN EXIT FUNCTION        NEXT    NEXT    'check left and right triangle matches in b2    FOR y = 0 TO Nm1        FOR x = 0 TO Nm1 - 1            IF POINT(topLeftB2X + x * sq + sq2 + sq4, topY + y * sq + sq2) <> POINT(topLeftB2X + (x + 1) * sq + sq4, topY + y * sq + sq2) THEN EXIT FUNCTION        NEXT    NEXT    'check to and bottom triangle matches in b2    FOR y = 0 TO Nm1 - 1        FOR x = 0 TO Nm1            'the color of tri4 in piece below = color tri1 of piece above            IF POINT(topLeftB2X + x * sq + sq2, topY + y * sq + sq2 + sq4) <> POINT(topLeftB2X + x * sq + sq2, topY + (y + 1) * sq + sq4) THEN EXIT FUNCTION        NEXT    NEXT    'if made it this far then solved    solved = -1END FUNCTIONSUB showSolution    DIM x, y, index    FOR y = 0 TO Nm1        FOR x = 0 TO Nm1            drawSquare index, x * sq + topLeftB2X, y * sq + topY            index = index + 1        NEXT    NEXTEND SUBSUB showB (board)    DIM x, y, index    FOR y = 0 TO Nm1        FOR x = 0 TO Nm1            IF board = 1 THEN                index = B1(x, y)                drawSquare index, x * sq + topLeftB1X, y * sq + topY            ELSE                index = B2(x, y)                drawSquare index, x * sq + topLeftB2X, y * sq + topY            END IF        NEXT    NEXTEND SUBSUB drawSquare (index, x, y)    LINE (x, y)-STEP(sq, sq), &HFF000000, BF    LINE (x, y)-STEP(sq, sq), &HFFFFFFFF, B    IF index < N * N THEN        LINE (x, y)-STEP(sq, sq), &HFFFFFFFF        LINE (x + sq, y)-STEP(-sq, sq), &HFFFFFFFF        PAINT (x + sq2 + sq4, y + sq2), hue(C(index, 0)), &HFFFFFFFF        PAINT (x + sq2, y + sq2 + sq4), hue(C(index, 1)), &HFFFFFFFF        PAINT (x + sq4, y + sq2), hue(C(index, 2)), &HFFFFFFFF        PAINT (x + sq2, y + sq4), hue(C(index, 3)), &HFFFFFFFF    END IFEND SUBSUB assignColors ()    'the pieces are indexed 0 to N X N -1  (NxNm1)    ' y(index) = int(index/N) : x(index) = index mod N    ' index(x, y) = (y - 1) * N + x    DIM i, j, x, y    'first assign a random color rc to every triangle    FOR i = 0 TO NxNm1 'piece index        FOR j = 0 TO 3 'tri color index for piece            C(i, j) = rand(1, 9)        NEXT    NEXT    'next match c0 to c3 of square to right    FOR y = 0 TO Nm1        FOR x = 0 TO Nm1 - 1            'the color of tri3 of next square piece to right = color of tri0 to left of it            C(y * N + x + 1, 2) = C(y * N + x, 0)        NEXT    NEXT    FOR y = 0 TO Nm1 - 1        FOR x = 0 TO Nm1            'the color of tri4 in piece below = color tri1 of piece above            C((y + 1) * N + x, 3) = C(y * N + x, 1)        NEXT    NEXT    ' C() now contains one solution for puzzle, may not be the only one    ' scramble pieces to box1    DIM t(0 TO NxNm1), index 'temp array    FOR i = 0 TO NxNm1: t(i) = i: NEXT    FOR i = NxNm1 TO 1 STEP -1: SWAP t(i), t(rand(0, i)): NEXT    FOR y = 0 TO Nm1        FOR x = 0 TO Nm1            B1(x, y) = t(index)            index = index + 1            B2(x, y) = N * N            'PRINT B1(x, y), B2(x, y)        NEXT    NEXTEND SUBFUNCTION hue~& (n)    SELECT CASE n        CASE 0: hue~& = &HFF000000        CASE 1: hue~& = &HFFA80062        CASE 2: hue~& = &HFF000050        CASE 3: hue~& = &HFFE3333C        CASE 4: hue~& = &HFFFF0000        CASE 5: hue~& = &HFF008000        CASE 6: hue~& = &HFF0000FF        CASE 7: hue~& = &HFFFF64FF        CASE 8: hue~& = &HFFFFFF00        CASE 9: hue~& = &HFF00EEEE        CASE 10: hue~& = &HFF663311    END SELECTEND FUNCTIONFUNCTION rand% (n1, n2)    DIM hi, lo    IF n1 > n2 THEN hi = n1: lo = n2 ELSE hi = n2: lo = n1    rand% = (RND * (hi - lo + 1)) \\ 1 + loEND FUNCTIONSUB intro 'use intro to select number of pieces    DIM test AS INTEGER    CLS: COLOR hue(8): LOCATE 3, 1    centerPrint \"TriQuad Instructions:\": PRINT: COLOR hue(9)    centerPrint \"This puzzle has two boxes that contain up to N x N square pieces of 4 colored triangles.\"    centerPrint \"The object is to match up the triangle edges from left Box to fill the Box on the right.\": PRINT    centerPrint \"You may move any square piece to an empty space on either board by:\"    centerPrint \"1st clicking the piece to disappear it,\"    centerPrint \"then clicking any empty space for it to reappear.\": PRINT    centerPrint \"You may press q to quit and see the solution displayed.\": PRINT    centerPrint \"Hint: the colors without matching\"    centerPrint \"complement, are edge pieces.\": PRINT    centerPrint \"Good luck!\": COLOR hue(5)    LOCATE CSRLIN + 2, 1: centerPrint \"Press number key for square pieces per side (3 to 9, 1 to quit)...\"    WHILE test < 3 OR test > 9        test = VAL(INKEY\\$)        IF test = 1 THEN SYSTEM    WEND    N = test ' pieces per side of 2 boards    Nm1 = N - 1 ' FOR loops    NxNm1 = N * N - 1 ' FOR loop of piece index    'sizing    sq = (xmax / 2 - 1.5 * margin) / N 'square piece side size    sq2 = sq / 2: sq4 = sq / 4    ymax = sq * N + 2 * margin    REDIM B1(Nm1, Nm1), B2(Nm1, Nm1), C(NxNm1, 3)    SCREEN _NEWIMAGE(xmax, ymax, 32)    '_SCREENMOVE 300, 40    'need again?    'PRINT ymaxEND SUBSUB centerPrint (s\\$)    LOCATE CSRLIN, (xmax / 8 - LEN(s\\$)) / 2: PRINT s\\$END SUB`\n« Last Edit: July 21, 2019, 02:08:23 am by B+ »\n\n#### Rick3137\n\n• Guest", null, "« Reply #1 on: July 21, 2019, 08:47:24 pm »\nAwesome!!\n\nMuch better than the one I made. Thanks for sharing.\n\nI noticed a slight problem with qb64, when I was downloading. I have a habit of copy and paste to notepad or wordpad when I get a short program from a forum. This does not work with qb64.\nI had to paste straight to the qb64 editor. There is some problem somewhere with the text format that causes errors.\n\n#### B+\n\n• Guest", null, "" ]
[ null, "https://retrobasic.allbasic.info/Themes/default/images/topic/normal_post.gif", null, "https://retrobasic.allbasic.info/Themes/default/images/post/clip.gif", null, "https://retrobasic.allbasic.info/Themes/default/images/post/xx.gif", null, "https://retrobasic.allbasic.info/Themes/default/images/post/xx.gif", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.67801917,"math_prob":0.9977542,"size":7765,"snap":"2021-43-2021-49","text_gpt3_token_len":2926,"char_repetition_ratio":0.13013788,"word_repetition_ratio":0.20206939,"special_character_ratio":0.3742434,"punctuation_ratio":0.13030832,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.98836577,"pos_list":[0,1,2,3,4,5,6,7,8],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-12-07T11:03:45Z\",\"WARC-Record-ID\":\"<urn:uuid:a38a8018-e67c-45cb-8027-f4c5954394a6>\",\"Content-Length\":\"36839\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:081264c5-def5-4ae9-b476-331bd0c74767>\",\"WARC-Concurrent-To\":\"<urn:uuid:a7798c5f-ee6f-4abf-8f24-5c1a50f671cb>\",\"WARC-IP-Address\":\"23.90.90.90\",\"WARC-Target-URI\":\"https://retrobasic.allbasic.info/index.php?topic=825.msg6575\",\"WARC-Payload-Digest\":\"sha1:6UARIB62XAQA3OQE62YAUD7JTIG2C5V2\",\"WARC-Block-Digest\":\"sha1:AFUVC5MNHH53XUWOIQJA7VRUUZMVKCDP\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-49/CC-MAIN-2021-49_segments_1637964363376.49_warc_CC-MAIN-20211207105847-20211207135847-00556.warc.gz\"}"}
https://fdocument.org/document/atomic-theory-amp-structure-weebly.html
[ "of 15 /15\n\nothers\n• Category\n\n## Documents\n\n• view\n\n2\n\n0\n\nEmbed Size (px)\n\n### Transcript of Atomic Theory & Structure - Weebly", null, "", null, "", null, "c = λνE = hν\n\nc = speed of light (2.998 x 108 m/s)\n\nλ = wavelength (m) ν = frequency (Hz) h = Planck’s constant\n\n(6.626 x 10-34 J·s)", null, "Photons of light shining on a metal causes electrons to be emitted from the surface.\n\nWhat energy does the photon need to cause this to happen?", null, "When an atom absorbs energy, it is able to emit photons of light with specific energies.", null, "Only orbits, corresponding to these energies, exist for the electron in a hydrogen atom.\n\nElectrons in these allowed energy state do not radiate energy, and as a result, does not spiral in to the radius.\n\nAs an electron changes energy states, it emits or absorbs energy as a photon with an energy equal to the difference in the two energy states.", null, "Bohr just assumed that electrons would not spiral into the nucleus.\n\nHe didn’t explain WHY this doesn’t happen!\n\nBohr’s model says that all electrons in the same principal energy level have the same energy.\n\nPhotoelectron spectroscopy (PES) proves that this isn’t true!", null, "It is impossible for us to know the exact momentum (energy) and exact location (orbital) of an electron at the same time!\n\nThis opened the door for the Quantum Mechanical Model.", null, "Describes the probability of finding an electron with a given energy in a certain region of space in an atom.", null, "Principal QN (n) = 1, 2, 3, …\n\nHigher n Larger orbital (further from nucleus) with higher energy\n\nAngular momentum QN (l) = 0, 1, 2, …, (n-1)\n\nShape of orbital (0 = s, 1 = p, 2 = d, 3 = f)\n\nMagnetic QN (ml) = -l, …, -1, 0, 1, …, l\n\nOrientation of orbital around nucleus\n\nSpin QN (ms) = +1/2, -1/2\n\nSpin of electron", null, "No two electrons can have the same set of 4 quantum numbers\n\nMaximum of 2 electrons in the same orbital\n\nElectrons in the same orbital must have opposite spins", null, "", null, "For degenerate orbitals, the lowest energy exists when there are the maximum number of electrons with the same spin.", null, "Shows the noble-gas core of an atom by a bracketed symbol and includes the valence electrons.", null, "" ]
[ null, "data:image/gif;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAQAAAC1HAwCAAAAC0lEQVR42mM8Uw8AAh0BTZud3BwAAAAASUVORK5CYII=", null, "data:image/gif;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAQAAAC1HAwCAAAAC0lEQVR42mM8Uw8AAh0BTZud3BwAAAAASUVORK5CYII=", null, "data:image/gif;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAQAAAC1HAwCAAAAC0lEQVR42mM8Uw8AAh0BTZud3BwAAAAASUVORK5CYII=", null, "data:image/gif;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAQAAAC1HAwCAAAAC0lEQVR42mM8Uw8AAh0BTZud3BwAAAAASUVORK5CYII=", null, "data:image/gif;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAQAAAC1HAwCAAAAC0lEQVR42mM8Uw8AAh0BTZud3BwAAAAASUVORK5CYII=", null, "data:image/gif;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAQAAAC1HAwCAAAAC0lEQVR42mM8Uw8AAh0BTZud3BwAAAAASUVORK5CYII=", null, "data:image/gif;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAQAAAC1HAwCAAAAC0lEQVR42mM8Uw8AAh0BTZud3BwAAAAASUVORK5CYII=", null, "data:image/gif;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAQAAAC1HAwCAAAAC0lEQVR42mM8Uw8AAh0BTZud3BwAAAAASUVORK5CYII=", null, "data:image/gif;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAQAAAC1HAwCAAAAC0lEQVR42mM8Uw8AAh0BTZud3BwAAAAASUVORK5CYII=", null, "data:image/gif;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAQAAAC1HAwCAAAAC0lEQVR42mM8Uw8AAh0BTZud3BwAAAAASUVORK5CYII=", null, "data:image/gif;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAQAAAC1HAwCAAAAC0lEQVR42mM8Uw8AAh0BTZud3BwAAAAASUVORK5CYII=", null, "data:image/gif;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAQAAAC1HAwCAAAAC0lEQVR42mM8Uw8AAh0BTZud3BwAAAAASUVORK5CYII=", null, "data:image/gif;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAQAAAC1HAwCAAAAC0lEQVR42mM8Uw8AAh0BTZud3BwAAAAASUVORK5CYII=", null, "data:image/gif;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAQAAAC1HAwCAAAAC0lEQVR42mM8Uw8AAh0BTZud3BwAAAAASUVORK5CYII=", null, "data:image/gif;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAQAAAC1HAwCAAAAC0lEQVR42mM8Uw8AAh0BTZud3BwAAAAASUVORK5CYII=", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.8364835,"math_prob":0.9857069,"size":2037,"snap":"2023-40-2023-50","text_gpt3_token_len":528,"char_repetition_ratio":0.1500246,"word_repetition_ratio":0.010781671,"special_character_ratio":0.25429553,"punctuation_ratio":0.1004902,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9793023,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-09-28T22:11:54Z\",\"WARC-Record-ID\":\"<urn:uuid:dce24754-5566-4984-9c52-0a56b41af9e8>\",\"Content-Length\":\"112190\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:4d04c2b4-0a6f-48b8-94d9-bb5989b3e4b4>\",\"WARC-Concurrent-To\":\"<urn:uuid:785cbd38-bb3c-44ca-aa43-233db5e05427>\",\"WARC-IP-Address\":\"104.21.92.144\",\"WARC-Target-URI\":\"https://fdocument.org/document/atomic-theory-amp-structure-weebly.html\",\"WARC-Payload-Digest\":\"sha1:N2MVLIAP2TVCP2GV5JSPVBLCV2XRYXVF\",\"WARC-Block-Digest\":\"sha1:X2CLLMKLJHY2QV7IJSUH4YF6E27OOPMX\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-40/CC-MAIN-2023-40_segments_1695233510454.60_warc_CC-MAIN-20230928194838-20230928224838-00648.warc.gz\"}"}
http://jsoc.stanford.edu/cvs/JSOC/proj/sharp/apps/sw_functions.c.diff?r1=1.28&r2=1.29
[ "", null, "Return to sw_functions.c CVS log", null, "", null, "Up to [Development] / JSOC / proj / sharp / apps\n\n### Diff for /JSOC/proj/sharp/apps/sw_functions.c between version 1.28 and 1.29\n\nversion 1.28, 2014/03/13 18:40:43 version 1.29, 2014/05/16 21:55:54\n Line 17\n Line 17\nMEANPOT Mean photospheric excess magnetic energy density in ergs per cubic centimeter  MEANPOT Mean photospheric excess magnetic energy density in ergs per cubic centimeter\nTOTPOT Total photospheric magnetic energy density in ergs per cubic centimeter  TOTPOT Total photospheric magnetic energy density in ergs per cubic centimeter\nMEANSHR Mean shear angle (measured using Btotal) in degrees  MEANSHR Mean shear angle (measured using Btotal) in degrees\nR_VALUE Karel Schrijver's R parameter\n\nThe indices are calculated on the pixels in which the conf_disambig segment is greater than 70 and  The indices are calculated on the pixels in which the conf_disambig segment is greater than 70 and\npixels in which the bitmap segment is greater than 30. These ranges are selected because the CCD  pixels in which the bitmap segment is greater than 30. These ranges are selected because the CCD\n Line 1035  int computeShearAngle(float *bx_err, flo\n Line 1036  int computeShearAngle(float *bx_err, flo\n} }\n\n/*===========================================*/ /*===========================================*/\n/* Example function 15: R parameter as defined in Schrijver, 2007 */\n//\n// Note that there is a restriction on the function fsample()\n// If the following occurs:\n//      nx_out > floor((ny_in-1)/scale + 1)\n//      ny_out > floor((ny_in-1)/scale + 1),\n// where n*_out are the dimensions of the output array and n*_in\n// are the dimensions of the input array, fsample() will usually result\n// in a segfault (though not always, depending on how the segfault was accessed.)\n\nint computeR(float *bz_err, float *los, int *dims, float *Rparam, float cdelt1, int computeR(float *bz_err, float *los, int *dims, float *Rparam, float cdelt1,\nfloat *rim, float *p1p0, float *p1n0, float *p1p, float *p1n, float *p1,              float *rim, float *p1p0, float *p1n0, float *p1p, float *p1n, float *p1,\nfloat *pmap, int nx1, int ny1)              float *pmap, int nx1, int ny1)\n{ {\n\nint nx = dims;     int nx = dims;\nint ny = dims;     int ny = dims;\nint i = 0;     int i = 0;\n Line 1058  int computeR(float *bz_err, float *los,\n Line 1068  int computeR(float *bz_err, float *los,\ninit_fresize_gaussian(&fresgauss,sigma,20,1);     init_fresize_gaussian(&fresgauss,sigma,20,1);\n\nfsample(los, rim, nx, ny, nx, nx1, ny1, nx1, scale, 0, 0, 0.0);     fsample(los, rim, nx, ny, nx, nx1, ny1, nx1, scale, 0, 0, 0.0);\n\nfor (i = 0; i < nx1; i++)     for (i = 0; i < nx1; i++)\n{     {\nfor (j = 0; j < ny1; j++)         for (j = 0; j < ny1; j++)\n\nLegend:\n Removed from v.1.28 changed lines Added in v.1.29" ]
[ null, "http://jsoc.stanford.edu/icons/small/back.gif", null, "http://jsoc.stanford.edu/icons/small/text.gif", null, "http://jsoc.stanford.edu/icons/small/dir.gif", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.52516586,"math_prob":0.99454814,"size":2663,"snap":"2023-14-2023-23","text_gpt3_token_len":872,"char_repetition_ratio":0.16133885,"word_repetition_ratio":0.4957627,"special_character_ratio":0.38753286,"punctuation_ratio":0.19438878,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.972729,"pos_list":[0,1,2,3,4,5,6],"im_url_duplicate_count":[null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-06-10T04:42:13Z\",\"WARC-Record-ID\":\"<urn:uuid:9dfc5352-b0c8-4b8e-9dda-ed3ce7c2e923>\",\"Content-Length\":\"11218\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:6c5cf84d-e7ac-4503-a124-a550e7a32181>\",\"WARC-Concurrent-To\":\"<urn:uuid:1fe60bb9-a97e-4bb8-9a53-32f02f1eb306>\",\"WARC-IP-Address\":\"171.64.103.244\",\"WARC-Target-URI\":\"http://jsoc.stanford.edu/cvs/JSOC/proj/sharp/apps/sw_functions.c.diff?r1=1.28&r2=1.29\",\"WARC-Payload-Digest\":\"sha1:P4PHSBVXFPKIUF5NJUC5F4N3NJXEIEGI\",\"WARC-Block-Digest\":\"sha1:5WYSC5SWTIN4I3CV2OWZOPLUE2AK24OM\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-23/CC-MAIN-2023-23_segments_1685224656963.83_warc_CC-MAIN-20230610030340-20230610060340-00432.warc.gz\"}"}
https://www.scholars.northwestern.edu/en/publications/dsubpsub-convergence-and-regularity-theorems-for-entropy-and-scal
[ "# dp –convergence and –regularity theorems for entropy and scalar curvature lower bounds\n\nMan Chun Lee, Aaron Naber, Robin Tonra Neumayer\n\nResearch output: Contribution to journalArticlepeer-review\n\n1 Scopus citations\n\n## Abstract\n\nConsider a sequence of Riemannian manifolds.Min; gi/whose scalar curvatures and entropies are bounded from below by small constants Ri; The goal of this paper is to understand notions of convergence and the structure of limits for such spaces. As a first issue, even in the seemingly rigid case ! 0, we will construct examples showing that from the Gromov–Hausdorff or intrinsic flat points of view, such a sequence may converge wildly, in particular to metric spaces with varying dimensions and topologies and at best a Finsler-type structure. On the other hand, we will see that these classical notions of convergence are the incorrect ones to consider. Indeed, even a metric space is the wrong underlying category to be working on. Instead, we will introduce a weaker notion of convergence called dp –convergence, which is valid for a class of rectifiable Riemannian spaces. These rectifiable spaces will have a well-behaved topology, measure theory and analysis. This includes the existence of gradients of functions and absolutely continuous curves, though potentially there will be no reasonably associated distance function. Under this dp notion of closeness, a space with almost nonnegative scalar curvature and small entropy bounds must in fact always be close to Euclidean space, and this will constitute our –regularity theorem. In particular, any sequence.Min; gi/with lower scalar curvature and entropies tending to zero must dp –converge to Euclidean space. More generally, we have a compactness theorem saying that sequences of Riemannian manifolds.Min; gi/with small lower scalar curvature and entropy bounds Ri; must dp –converge to such a rectifiable Riemannian space X. In the context of the examples from the first paragraph, it may be that the distance functions of Mi are degenerating, even though in a well-defined sense the analysis cannot be. Applications for manifolds with small scalar and entropy lower bounds include an L1 –Sobolev embedding and a priori Lp scalar curvature bounds for p < 1.\n\nOriginal language English (US) 227-350 124 Geometry and Topology 27 1 https://doi.org/10.2140/GT.2023.27.227 Published - 2023\n\n## ASJC Scopus subject areas\n\n• Geometry and Topology\n\n## Fingerprint\n\nDive into the research topics of 'dp –convergence and –regularity theorems for entropy and scalar curvature lower bounds'. Together they form a unique fingerprint." ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.88563806,"math_prob":0.74727523,"size":6255,"snap":"2023-40-2023-50","text_gpt3_token_len":1448,"char_repetition_ratio":0.10542313,"word_repetition_ratio":0.87265134,"special_character_ratio":0.2188649,"punctuation_ratio":0.10554562,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9541885,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-09-21T20:01:57Z\",\"WARC-Record-ID\":\"<urn:uuid:f6c0b924-d9cd-4d87-9d78-2344fa3df11b>\",\"Content-Length\":\"56464\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:e77244a3-c32a-449f-9d72-0d833ebba754>\",\"WARC-Concurrent-To\":\"<urn:uuid:0f93cc2b-09f4-49d1-b525-21dd568f5fee>\",\"WARC-IP-Address\":\"3.90.122.189\",\"WARC-Target-URI\":\"https://www.scholars.northwestern.edu/en/publications/dsubpsub-convergence-and-regularity-theorems-for-entropy-and-scal\",\"WARC-Payload-Digest\":\"sha1:KZTZRV3FCQDPJ65Y5UWRQUI7SJARIBT3\",\"WARC-Block-Digest\":\"sha1:LZNHQ6K344KHPYUIU5REGOE2FPX33535\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-40/CC-MAIN-2023-40_segments_1695233506029.42_warc_CC-MAIN-20230921174008-20230921204008-00181.warc.gz\"}"}
https://linuxhint.com/sql-rank-over/
[ "SQL Standard\n\n# SQL Rank Over\n\nRanking in SQL allows you to calculate the rank of each record within a partition within a result set.\n\nThe rank() will return a 1-based index for each record in an ordered partition in Standard SQL. Remember that the function will assign the same rank value to the partitions with similar values.\n\nThe number of previous rank values increments each consequent row rank value. If you wish to increment the rank value by 1, use the dense_rank() function.\n\n## Rank() Function Syntax\n\nThe syntax for the rank function is as shown below:\n\nRANK() OVER (\n\n[PARTITION BY expression, ]\n\nORDER BY expression (ASC | DESC) );\n\n);\n\nTo illustrate how to use this function, consider the example below:\n\ncreate table users(\n\nid serial primary key,\n\nfirst_name varchar(100),\n\nlast_name varchar(100),\n\nstate varchar(25),\n\nactive bool\n\n);\n\ninsert into users(first_name, last_name, state, active) values (\n\n'Mary', 'Smith', 'New York', TRUE);\n\ninsert into users(first_name, last_name, state, active) values (\n\ninsert into users(first_name, last_name, state, active) values (\n\n'Taylor', 'Moore', 'Utah', TRUE);\n\ninsert into users(first_name, last_name, state, active) values (\n\n'Susan', 'Wilson', 'Washington', TRUE);\n\ninsert into users(first_name, last_name, state, active) values (\n\n'Mary', 'Smith', 'New York', TRUE);\n\ninsert into users(first_name, last_name, state, active) values (\n\n'Taylor', 'Moore', 'Utah', TRUE);\n\nThe above queries create and insert sample data into the table.\n\nTo assign a rank to the records in the result set, we can use the rank() function as illustrated below.\n\nselect id, first_name, last_name, state, active,\n\nrank () over (partition by active order by id) rank_value\n\nfrom users;\n\nIn the above query, we partition the data by the active column. The column contains Boolean values. We then rank over each item in the partitions.\n\nThe resulting set is as shown:", null, "Note that the result contains two partitions, one containing false values and the other containing true values.\n\nIn the “false’ partition, the function assigns the rank values. The same case for the “true” partition. Note that the function starts the rank value from 1 in a new partition.\n\n## Closing\n\nThis tutorial showed you how to perform row ranking by partitioning using the rank() function. Check the documentation for your database engine to learn more.", null, "" ]
[ null, "data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20808%20240'%3E%3C/svg%3E", null, "data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20112%20112'%3E%3C/svg%3E", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.627537,"math_prob":0.88876104,"size":2030,"snap":"2022-27-2022-33","text_gpt3_token_len":454,"char_repetition_ratio":0.16732478,"word_repetition_ratio":0.16993465,"special_character_ratio":0.2413793,"punctuation_ratio":0.18911918,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9539153,"pos_list":[0,1,2,3,4],"im_url_duplicate_count":[null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-08-09T11:14:42Z\",\"WARC-Record-ID\":\"<urn:uuid:23cc6f65-1402-4d7b-a376-3687b1ba61cf>\",\"Content-Length\":\"186027\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:3885d6eb-4c05-4979-bb0b-9cd1a7466b53>\",\"WARC-Concurrent-To\":\"<urn:uuid:5f5d6083-b2c2-40d6-95d0-d7c31773973f>\",\"WARC-IP-Address\":\"172.67.209.252\",\"WARC-Target-URI\":\"https://linuxhint.com/sql-rank-over/\",\"WARC-Payload-Digest\":\"sha1:IUXGGU47TFX6YEG73YHWVWGVIMPIR4RR\",\"WARC-Block-Digest\":\"sha1:YYJ4EZLTTCXSU7WWEL5U63CQEG4DUXPT\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-33/CC-MAIN-2022-33_segments_1659882570921.9_warc_CC-MAIN-20220809094531-20220809124531-00714.warc.gz\"}"}
http://gooddealvn.com/addition-and-subtraction-worksheets-pdf/
[ "# Addition And Subtraction Worksheets Pdf\n\nAddition And Subtraction Worksheets Pdf addition and subtraction worksheets pdf halloween add or subtract worksheet 3 free. addition and subtraction worksheets pdf 17 sample addition subtraction worksheets free pdf documents free. addition and subtraction worksheets pdf 17 sample addition subtraction worksheets free pdf documents template. Addition And Subtraction Worksheets Pdf addition and subtraction worksheets pdf 17 sample addition subtraction worksheets free pdf documents download. addition and subtraction worksheets pdf 17 sample addition subtraction worksheets free pdf documents templates. addition and subtraction worksheets pdf math addition subtraction worksheets dongola. Addition And Subtraction Worksheets Pdf addition and subtraction worksheets pdf subtraction worksheets addition with regrouping worksheets sample templates.", null, "Addition And Subtraction Worksheets Pdf Halloween Add Or Subtract Worksheet 3 Free", null, "Addition And Subtraction Worksheets Pdf 17 Sample Addition Subtraction Worksheets Free Pdf Documents Free", null, "Addition And Subtraction Worksheets Pdf 17 Sample Addition Subtraction Worksheets Free Pdf Documents Template", null, "Addition And Subtraction Worksheets Pdf 17 Sample Addition Subtraction Worksheets Free Pdf Documents Download", null, "Addition And Subtraction Worksheets Pdf 17 Sample Addition Subtraction Worksheets Free Pdf Documents Templates", null, "Addition And Subtraction Worksheets Pdf Math Addition Subtraction Worksheets Dongola", null, "Addition And Subtraction Worksheets Pdf Subtraction Worksheets Addition With Regrouping Worksheets Sample Templates\n\nAddition And Subtraction Worksheets Pdf addition and subtraction worksheets pdf 17 sample addition subtraction worksheets free pdf documents free. addition and subtraction worksheets pdf 17 sample addition subtraction worksheets free pdf documents template. addition and subtraction worksheets pdf 17 sample addition subtraction worksheets free pdf documents download. addition and subtraction worksheets pdf 17 sample addition subtraction worksheets free pdf documents templates. addition and subtraction worksheets pdf math addition subtraction worksheets dongola.\n\n### Related Post to Addition And Subtraction Worksheets Pdf\n\nThis site uses Akismet to reduce spam. Learn how your comment data is processed." ]
[ null, "http://gooddealvn.com/wp-content/uploads/2018/11/addition-and-subtraction-worksheets-pdf-halloween-add-or-subtract-worksheet-3-free.jpg", null, "http://gooddealvn.com/wp-content/uploads/2018/11/addition-and-subtraction-worksheets-pdf-17-sample-addition-subtraction-worksheets-free-pdf-documents-free.jpg", null, "http://gooddealvn.com/wp-content/uploads/2018/11/addition-and-subtraction-worksheets-pdf-17-sample-addition-subtraction-worksheets-free-pdf-documents-template.jpg", null, "http://gooddealvn.com/wp-content/uploads/2018/11/addition-and-subtraction-worksheets-pdf-17-sample-addition-subtraction-worksheets-free-pdf-documents-download.jpg", null, "http://gooddealvn.com/wp-content/uploads/2018/11/addition-and-subtraction-worksheets-pdf-17-sample-addition-subtraction-worksheets-free-pdf-documents-templates.jpg", null, "http://gooddealvn.com/wp-content/uploads/2018/11/addition-and-subtraction-worksheets-pdf-math-addition-subtraction-worksheets-dongola.jpg", null, "http://gooddealvn.com/wp-content/uploads/2018/11/addition-and-subtraction-worksheets-pdf-subtraction-worksheets-addition-with-regrouping-worksheets-sample-templates.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.7529644,"math_prob":0.41221446,"size":1414,"snap":"2019-35-2019-39","text_gpt3_token_len":209,"char_repetition_ratio":0.2964539,"word_repetition_ratio":0.8034682,"special_character_ratio":0.14497878,"punctuation_ratio":0.06349207,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9995685,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14],"im_url_duplicate_count":[null,2,null,2,null,2,null,2,null,2,null,2,null,2,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-08-17T11:04:52Z\",\"WARC-Record-ID\":\"<urn:uuid:69cca92b-cdf4-4137-ba3a-9cb032a6d3ce>\",\"Content-Length\":\"46590\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:75f73ff9-42f2-44b0-b78f-e73e376b89ba>\",\"WARC-Concurrent-To\":\"<urn:uuid:d1adf81d-cfb4-4e69-a9cd-804a5b4d65ae>\",\"WARC-IP-Address\":\"104.31.77.96\",\"WARC-Target-URI\":\"http://gooddealvn.com/addition-and-subtraction-worksheets-pdf/\",\"WARC-Payload-Digest\":\"sha1:DGABPWQO27CB2IO7OHUS4GH2ETVN246N\",\"WARC-Block-Digest\":\"sha1:L62XGWCEFUC5R5SQHNIXLEOSTACJ5YTS\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-35/CC-MAIN-2019-35_segments_1566027312128.3_warc_CC-MAIN-20190817102624-20190817124624-00191.warc.gz\"}"}
https://stanford.library.sydney.edu.au/archives/win2015/entries/spacetime-supertasks/
[ "First published Tue Jun 29, 1999; substantive revision Wed Nov 11, 2009\n\nSupertasks have posed problems for philosophy since the time of Zeno of Elea. The term ‘supertask’ is new but it designates an idea already present in the formulation of the old motion paradoxes of Zeno, namely the idea of an infinite number of actions performed in a finite amount of time. The main problem lies in deciding what follows from the performance of a supertask. Some philosophers have claimed that what follows is a contradiction and that supertasks are, therefore, logically impossible. Others have denied this conclusion, and hold that the study of supertasks can help us improve our understanding of the physical world, or even our theories about it.\n\n## 1. What is a Supertask\n\n### 1.1 Definitions\n\nA supertask may be defined as an infinite sequence of actions or operations carried out in a finite interval of time. The terms ‘action’ and ‘operation’ must not be understood in their usual sense, which involves a human agent. Human agency may be involved but it is not necessary. To show this, let us see how actions can be characterised precisely without any references to man. We will assume that at each instant of time the state of the world relevant to a specific action can be described by a set S of sentences. Now an action or operation applied to a state of the world results in a change in that state, that is, in the set S corresponding to it. Consequently, an arbitrary action a will be defined (Allis and Koetsier 1995) as a change in the state of the world by which the latter changes from state S before the change to state a(S) after it. This means that an action has a beginning and an end, but does not entail that there is a finite lapse of time between them. For instance, take the case of a lamp that is on at t = 0 and remains so until t = 1, an instant at which it suddenly goes off. Before t =1 the state of the lamp (which is the only relevant portion of the world here) can be described by the sentence ‘lamp on’, and after t =1 by the sentence ‘lamp off’, without there being a finite lapse of time between the beginning and the end of the action. Some authors have objected to this consequence of the definition of action, and they might be right if we were dealing with the general philosophical problem of change. But we need not be concerned with those objections at this stage, since in the greatest majority of the relevant supertasks instantaneous actions (i.e., actions without any duration) can be replaced by actions lasting a finite amount of time without affecting the analysis at any fundamental point.\n\nThere is a particular type of supertask called hypertasks. A hypertask is a non-numerable infinite sequence of actions or operations carried out in a finite interval of time. Therefore, a supertask which is not a hypertask will be a numerable infinite sequence of actions or operations carried out in a finite interval of time. Finally, a task can be defined as a finite sequence of actions or operations carried out in a finite interval of time.\n\n### 1.2 The Philosophical Problem of Supertasks\n\nTo gain a better insight into the fundamental nature of the philosophical problem posed by supertasks, consider the distinction between tasks in general (finite sequences of actions of the type (a1, a2, a3, … , an)) and one particular type of supertasks, namely those consisting of an infinite sequence of actions of the type (a1, a2, a3, … , an, … ) and thus having the same type of order as the natural order of positive integers: 1, 2, 3, … , n, … (it is customary to denote this type of order with letter ‘w’ and so the related supertasks can be called supertasks of type w).\n\nIn the case of a task T = (a1, a2, a3, … , an) it is natural to say that T is applicable in state S if:\n\na1 is applicable to S,\na2 is applicable to a1(S),\na3 is applicable to a2(a1(S)),\n… , and,\nan is applicable to an−1(an−2(… (a2(a1(S)))… )).\n\nThe successive states of the world relevant to task T can be defined by means of the finite sequence of sets of sentences:\n\nS, a1(S), a2(a1(S)), a3(a2(a1(S))), …, an(an−1(an−2 (… (a2(a1(S)))…))),\n\nwhose last term will therefore describe the relevant state of the world after the performance of T. Or, equivalently, the state resulting from applying T to S will be T(S) =\n\nan(an−1(an−2 (… (a2(a1(S)))… ))).\n\nNow take the case of a supertask T = (a1, a2, a3, …, an, …). Let us give the name Tn to the task which consists in performing the first n actions of T. That is, Tn = (a1, a2, a3, …, an). Now it is natural to say that T is applicable in state S if Tn is applicable in S for each natural number n, and, obviously,\n\nTn(S) = an(an−1(an−2 (…(a2(a1(S)))…))).\n\nThe successive states of the world relevant to supertask T can be described by means of the infinite sequence of sets of sentences:\n\nS, T1(S), T2(S), …, Tn(S), …\n\nA difficulty arises, however, when we want to specify the set of sentences which describe the relevant state of the world after the performance of supertask T, because the infinite sequence above lacks a final term. Put equivalently, it is difficult to specify the relevant state of the world resulting from the application of supertask T to S because there seems to be no final state resulting from such an application. This inherent difficulty is increased by the fact that, by definition, supertask T is performed in a finite time, and so there must exist one first instant of time t* at which it can be said that the performance happened. Now notice that the world must naturally be in a certain specific state at t*, which is the state resulting from the application of T, but that, nevertheless, we have serious trouble to specify this state, as we have just seen.\n\n### 1.3 Supertask: A Fuzzy Concept\n\nSince we have defined supertasks in terms of actions and actions in terms of changes in the state of the world, there is a basic indeterminacy regarding what type of processes taking place in time should be considered supertasks, which is linked to the basic indeterminacy that there is regarding which type of sets of sentences are to be allowed in descriptions of the state of the world and which are not. For this reason, there are some processes that would be regarded as supertasks by virtually every philosopher and some about which opinions differ. For an instance of the first sort of process, take the one known as ‘Thomson's lamp’. Thomson's lamp is basically a device consisting of a lamp and a switch set on an electrical circuit. The switch can be in one of just two positions and the lamp has got to be lit — when the switch is in position ‘on’ — or else dim — when the switch is in position ‘off’. Assume that initially (at t = 12 A.M., say) the lamp is dim and that it is thenceforth subject to the following infinite sequence of actions: when half of the time remaining until t* = 1 P.M. has gone by, we carry out the action a1 of turning the switch into position ‘on’ and, as a result, the lamp is lit (a1 is thus performed at t = 1/2 P.M.); when half the time between the performance of a1 and t* = 1 P.M. has gone by, we carry out action a2 of turning to the switch into position ‘off’ and, as a result, the lamp is dim (a2 is thus performed at t = 1/2 + 1/4 P.M.); when half the time between the performance of a2 and t* = 1 P.M. has gone by, we carry out the action of turning the switch into position ‘on’ and, as a result, the lamp is lit (a3 is thus performed at t = 1/2 + 1/4 + 1/8), and so on. When we get to instant t* = 1 P.M. we will have carried out an infinite sequence of actions, that is, a supertask T = (a1, a2, a3, … , an, … ). If, for the sake of simplicity, we are only concerned about the evolution of the lamp (not the switch) the state of the world relevant to the description of our supertask admits of only two descriptions, one through the unitary set of sentences {lamp lit} and the other through the set {lamp dim}.\n\nAs an instance of the second sort of processes we referred to above, those about which no consensus has been reached as to whether they are supertasks, we can take the process which is described in one of the forms of Zeno's dichotomy paradox. Suppose that initially (at t = 12 A.M., say) Achilles is at point A (x = 0) and moving in a straight line, with a constant velocity v = 1 km/h, towards point B (x = 1), which is 1 km. away from A. Assume, in addition, that Achilles does not modify his velocity at any point. In that case, we can view Achilles's run as the performance of a supertask, in the following way: when half the time until t* = 1 P.M. has gone by, Achilles will have carried out the action a1 of going from point x = 0 to point x = 1/2 (a1 is thus performed in the interval of time between t =12 A.M. and t = 1/2 P.M.), when half the time from the end of the performance of a1 until t* = 1 P.M. will have elapsed, Achilles will have carried out the action a2 of going from point x = 1/2 to point x = 1/2 + 1/4 (a2 is thus performed in the interval of time between t = 1/2 P.M. and t = 1/2 + 1/4 P.M.), when half the time from the end of the performance of a2 until t* = 1 P.M. will have elapsed, Achilles will have carried out the action a3 of going from point x = 1/2 + 1/4 to point x = 1/2 + 1/4 + 1/8 (a3 is thus performed in the interval of time between t = 1/2 + 1/4 P.M. and t = 1/2 + 1/4 + 1/8 P.M.), and so on. When we get to instant t* = 1 P.M., Achilles will have carried out an infinite sequence of actions, that is, a supertask T = (a1, a2, a3, … , an, … ), provided we allow the state of the world relevant for the description of T to be specified, at any arbitrary instant, by a single sentence: the one which specifies Achilles's position at that instant. Several philosophers have objected to this conclusion, arguing that, in contrast to Thomson's lamp, Achilles's run does not involve an infinity of actions (acts) but of pseudo-acts. In their view, the analysis presented above for Achilles's run is nothing but the breakdown of one process into a numerable infinity of subprocesses, which does not make it into a supertask. In Allis and Koetsier's words, such philosophers believe that a set of position sentences is not always to be admitted as a description of the state of the world relevant to a certain action. In their opinion, a relevant description of a state of the world should normally include a different type of sentences (as is the case with Thomson's lamp) or, in any case, more than simply position sentences.\n\n## 2. On The Conceptual Possibility Of Supertasks\n\nIn section 1.2 I have pointed out and illustrated the fundamental philosophical problem posed by supertasks. Obviously, one will only consider it a problem if one deems the concepts employed in its formulation acceptable. In fact, some philosophers reject them, because they regard the very notion of supertask as problematic, as leading to contradictions or at least to insurmountable conceptual difficulties. Among these philosophers the first well-known one is Zeno of Elea.\n\nConsider the dichotomy paradox in the formulation of it given in section 1.3. According to Zeno, Achilles would never get to point B (x = 1) because he would first have to reach the mid point of his run (x = 1/2), after that he would have to get to the mid point of the span which he has left (x = 1/2 + 1/4), and then to the mid point of the span which is left (x = 1/2 + 1/4 + 1/8), and so on. Whatever the mid point Achilles may reach in his journey, there will always exist another one (the mid point of the stretch that is left for him to cover) that he has not reached yet. In other words, Achilles will never be able to reach point B and finish his run. According to Owen (Owen 1957–58), in this as well as in his other paradoxes, Zeno was concerned to show that the Universe is a simple, global entity which is not comprised of different parts. He tried to demonstrate that if we take to making divisions and subdivisions we will obtain absurd results (as in the dichotomy case) and that we must not yield to the temptation of breaking up the world. Now the notion of supertask entails precisely that, division into parts, as it involves breaking up a time interval into successive intervals. Therefore, supertasks are not feasible in the Zenonian world and, since they lead to absurd results, the notion of supertask itself is conceptually objectionable.\n\nIn stark contrast to Zeno, the dichotomy paradox is standardly solved by saying that the successive distances covered by Achilles as he progressively reaches the mid points of the spans he has left to go through — 1/2, 1/4, 1/8, 1/16, … — form an infinite series 1/2 + 1/4 + 1/8 + 1/16 + … whose sum is 1. Consequently, Achilles will indeed reach point B (x = 1) at t* = 1 P.M. (which is to be expected if he travels with velocity v = 1 km/h, as has been assumed). Then there is no problem whatsoever in splitting up his run into smaller sub-runs and, so, no inherent problem about the notion of supertask. An objection can be made, however, to this standard solution to the paradox: it tells us where Achilles is at each instant but it does not explain where Zeno's argument breaks down. Importantly, there is another objection to the standard solution, which hinges on the fact that, when it is claimed that the infinite series 1/2 + 1/4 + 1/8 + 1/16 + … adds up to 1, this is substantiated by the assertion that the sequence of partial sums 1/2, 1/2 + 1/4, 1/2 + 1/4 + 1/8, … has limit 1, that is, that the difference between the successive terms of the sequence and number 1 becomes progressively smaller than any positive integer, no matter how small. But it might be countered that this is just a patch up: the infinite series 1/2 + 1/4 + 1/8 + … seems to involve infinite sums and thus the performance of a supertask, and the proponent of the standard solution is in fact presupposing that supertasks are feasible just in order to justifiy that they are. To this the latter might reply that the assertion that the sum of the series is 1 presupposes no infinite sum, since, by definition, the sum of a series is the limit to which its partial (and so finite) sums approach. His opponent can now express his disagreement with the response that the one who supports the standard solution is deducing a matter of fact (that Achilles is at x = 1 at t* = 1 P.M.) from a definition pertaining to the arithmetic of infinite series, and that it is blatantly unacceptable to deduce empirical propositions from mere definitions.\n\n### 2.3 On Thomson's Impossibility Arguments\n\nThomson (1954–55) put forward one more argument against the logical possibility of his lamp. Let us assign to the lamp the value 0 when it is dim and the value 1 when it is lit. Then lighting the lamp means adding one unity (going from 0 to 1) and dimming it means subtracting one unity (going from 1 to 0). It thus seems that the final state of the lamp at t* = 1 P.M., after an infinite, and alternating, sequence of lightings (additions of one unity) and dimmings (subtractions of one unity), should be described by the infinite series 1−1+1−1+1… If we accept the conventional mathematical definition of the sum of a series, this series has no sum, because the partial sums 1, 1−1, 1−1+1, 1−1+1−1, … , etc. take on the values 1 and 0 alternatively, without ever approaching a definite limit that could be taken to be the proper sum of the series. But in that case it seems that the final state of the lamp can neither be dim (0) nor lit (1), which contradicts our assumption that the lamp is at all times either dim or lit. Benacerraf's (1962) reply was that even though the first, second, third, … , n-th partial sum of the series 1−1+1−1+1… does yield the state of the lamp after one, two, three, … , n actions ai (of lighting or dimming), it does not follow from this that the final state of the lamp after the infinite sequence of actions ai must of necessity be given by the sum of the series, that is, by the limit to which its partial sums progressively approach. The reason is that a property shared by the partial sums of a series does not have to be shared by the limit to which those partial sums tend. For instance, the partial sums of the series 0.3 + 0.03 + 0.003 + 0.0003 + … are 0.3, 0.3 + 0.03 = 0.33, 0.3 + 0.03 + 0.003 = 0.333,… , all of them, clearly, numbers less than 1/3; however, the limit to which those partial sums tend (that is, the sum of the original series) is 0.3333… , which is precisely the number 1/3.\n\n### 2.4 On Black's Impossibility Argument\n\nAnother one of the classical arguments against the logical possibility of supertasks comes from Black (1950–51) and is constructed around the functioning of an infinity machine of his own invention. An infinity machine is a machine that can carry out an infinite number of actions in a finite time. Black's aim is to show that an infinity machine is a logical impossibility. Consider the case of one such machine whose sole task is to carry a ball from point A (x = 0) to point B (x = 1) and viceversa. Assume, in addition, that initially (at t = 12 A.M., say) the ball is at A and that the machine carries out the following infinite sequence of operations: when half the time until t* = 1 P.M. has gone by, it does the action a1 of taking the ball from position A to position B (a1 is thus carried out at t = 1/2 P.M.); when half the time between the performance of a1 and t* = 1 P.M. has gone by, it does the action a2 of taking the ball from position B to position A (a2 is thus carried out at t = 1/2 + 1/4 P.M.); when half the time between the performance of a2 and t* = 1 P.M. has gone by, the machine does the action a3 of taking the ball from position A to position B (a3 is thus performed in t = 1/2 + 1/4 + 1/8 P.M.), and so on. When we get to instant t* = 1 P.M. the machine will have carried out an infinite sequence of actions, that is, a supertask T = (a1, a2, a3, … , an, … ). The parallelism with Thomson's lamp is clear when it is realised that the ball in position A corresponds to the dim lamp and the ball in position B corresponds to the lit lamp. Nevertheless, Black believes that by assuming that at each instant the ball is either in A or else in B (and note that assuming this means that the machine transports the ball from A to B and viceversa instantaneously, but we need not be worried by this, since all that we are concerned with now is logical or conceptual possibility, not physical possibility), he can deduce, by a totally different route from Thomson's based on the symmetrical functioning of his machine, a contradiction regarding its state at t* = 1 P.M.. However, Benacerraf's criticisms also applies to Black's argument. In effect, the latter hinges on how the machine works, and as this has only been specified for instants of time previous to t* = 1 P.M., it follows that what can be logically inferred from the functioning of the machine is only applicable to those instants previous to t* = 1 P.M.. Black seeks to deduce a contradiction at t* = 1 P.M. but he fails at the same point as Thomson: whatever happens to the ball at t* = 1 P.M. cannot be a logical consequence of what has happened to it before. Of course, one can always specify the functioning of the machine for instants t greater than or equal to 1 P.M. by saying that at all those instants the machine will not perform any actions at all, but that is not going to help Black. His argument is fallacious because he seeks to reach a logical conclusion regarding instant t* = 1 P.M. from information relative to times previous to that instant.. In the standard argument against Zeno's dichotomy one could similarly specify Achilles's position at t* = 1 P.M. saying, for instance, that he is at B (x = 1), but there is no way that this is going to get us a valid argument out of a fallacious one, which seeks to deduce logically where Achilles will be at t* = 1 P.M. from information previous to that instant of time.\n\n### 2.5 Benacerraf's Critique and the Dichotomy Arguments\n\nThe cases dealt with above are examples of how Benacerraf's strategy can be used against supposed demonstrations of the logical impossibility of supertasks. We have seen that the strategy is based on the idea that\n\n(I) the state of a system at an instant t* is not a logical consequence of which states he has been in before t* (where by ‘state’ I mean ‘relevant state of the world’, see section 1.1)\n\nand occasionally on the idea that\n\n(II) the properties shared by the partial sums of a series do not have to be shared by the limit to which those partial sums tend.\n\nSince the partial sums of a series make up a succession (of partial sums), (II) may be rewritten as follows:\n\n(III) the properties shared by the terms of a succession do not have to be shared by the limit to which that succession tends.\n\nIf we keep (I), (II) and (III) well in mind, it is easy not to yield to the perplexing implications of certain supertasks dealt with in the literature. And if we do not yield to the perplexing results, we will also not fall into the trap of considering supertasks conceptually impossible. (III), for instance, may be used to show that it is not impossible for Achilles to perform the supertasks of the inverse and the direct dichotomy of Zeno. Take the case of the direct dichotomy: the limit of the corresponding succession of instants of time t1, t2, t3, … at which each one of Achilles's successive sub-runs is finished can be the instant at which Achilles's supertask has been accomplished, even if such a supertask is not achieved at any one of the instants in the infinite succession t1, t2, t3, … (all of this in perfect agreement with (III)).\n\n## 3. On The Physical Possibility Of Supertasks\n\nWe have gone through several arguments for the conceptual impossibility of supertasks and counterarguments to these. Those who hold that supertasks are conceptually possible may however not agree as to whether they are also physically possible. In general, when this issue is discussed in the literature, by physical possibility is meant possibility in relation with certain broad physical principles, laws or ‘circumstances’ which seems to operate in the real world, at least as far as we know. But it is a well-known fact that authors do not always agree about which those principles, laws or circumstances are.\n\n### 3.1 Kinematical Impossibility\n\nIn our model of Thomson's lamp we are assuming that at each moment the switch can be in just one of two set positions (‘off’, ‘on’). If there is a fixed distance d between them, then clearly, since the switch swings an infinite number of times from the one to the other from t = 12 A.M. until t* = 1 P.M., it will have covered an infinite distance in one hour. For this to happen it is thus necessary for the speed with which the switch moves to increase unboundedly during this time span. Grünbaum has taken this requirement to be physically impossible to fulfil. Grünbaum (1970) believes that there is a sort of physical impossibility of a purely kinematical nature (kinematical impossibility) and describes it in more precise terms by saying that a supertask is kinematically impossible if:\n\na) At least one of the moving bodies travels at an unboundedly increasing speed,\n\nb) For some instant of time t*, the position of at least one of the moving bodies does not approach any defined limit as we get arbitrarily closer in time to t*.\n\nIt is clear then that the Thomson's lamp supertask, in the version presented so far, is kinematically (and eo ipso physically) impossible, since not only does the moving switch have to travel at a speed that increases unboundedly but also—because it oscillates between two set positions which are a constant distance d apart—its position does not approach any definite limit as we get closer to instant t* = 1 P.M., at which the supertask is accomplished. Nevertheless, Grünbaum has also shown models of Thomson's lamp which are kinematically possible. Take a look at Figure 1, in which the switch (in position ‘on’ there) is simply a segment AB of the circuit connecting generator G with lamp L. The circuit segment AB can shift any distance upwards so as to open the circuit in order for L to be dimmed. Imagine we push the switch successively upwards and downwards in the way illustrated in Figure 2, so that it always has the same velocity v = 1.", null, "Figure 1", null, "Figure 2\n\nThe procedure is the following. Initially (t = 0) the switch is in position AB′ (lamp dim) a height of 0.2 above the circuit and moving downwards (at v = 1). At t = 0.2 it will be in position AB (lamp lit) and will begin moving upwards (v = 1). At t = 0.2 + 0.01 it will be in position AB″ (lamp dim) and will begin moving downwards (v = 1). At t = 0.2 + 0.01 + 0.01 = 0.2 + 0.02 it will be in position AB (lamp lit) and will begin moving upwards (v = 1). At t = 0.2 + 0.02 + 0.001 it will be in position A′′′B′′′ (lamp dim), and so on. Obviously, between t = 0 and t* = 0.2 + 0.02 + 0.002 + … = 0.2222… = 2/9, the lamp is in the states ‘dim’ and ‘lit’ an infinite number of times, and so a supertask is accomplished. But this supertask is not kinematically impossible, because it has been so designed that the switch always moves with velocity v = 1 — and, therefore, condition (a) for kinematical impossibility is not fulfilled — and that, additionally, as we get closer to the limit time t* = 2/9 (the only one which could cause us any trouble) the switch approaches more and more a well-defined limit position, position AB (lamp lit)—and, therefore, condition (b) for kinematical impossibility is not fulfilled either. Once the kinematical possibility has been established, what is the state of the lamp at t* = 2/9? What has been said so far does not enable us to give a determinate answer to this question (just as the obvious kinematical possibility of Achilles's supertask in the dichotomy paradox does not suffice to determine where Achilles will be at t* = 1 P.M.), but there exists a ‘natural’ result. It seems intuitively acceptable that the position the switch will occupy at t* = 2/9 will be position AB, and so the lamp will be lit at that instant. There is no mysterious asymmetry about this result. Figure 3 shows a model of Thomson's lamp with a switch that works according to exactly the same principles as before, but which will yield the ‘natural’ result that the lamp will in the end be dim at t* = 2/9. In effect, the switch will now finally end up in the ‘natural’ position AB at t* = 2/9 and will thereby bring about an electrical short-circuit that will make all the current in the generator pass through the cable on which the switch is set, leaving nothing for the more resistant path where the lamp is.", null, "Figure 3\n\nThere are some who believe that the very fact that there exist Thomson's lamps yielding an intuitive result of ‘lamp lit’ when the supertask is accomplished but also other lamps whose intuitive result is ‘lamp dim’ brings up back to the contradiction which Thomson thought to have found originally. But we have nothing of that sort. What we do have is different physical models with different end-results. This does not contradict but rather corroborates the results obtained by Benacerraf: the final state is not logically determined by the previous sequence of states and operations. This logical indeterminacy can indeed become physical determinacy, at least sometimes, depending on what model of Thomson's lamp is employed.\n\nA conspicuous instance of a supertask which is kinematically impossible is the one performed by Black's infinity machine, whose task it is to transport a ball from position A (x = 0) to position B (x = 1) and from B to A an infinite number of times in one hour. As with the switch in our first model of Thomson's lamp, it is obvious that the speed of the ball increases unboundedly (and so condition a) for impossibility is met), while at the same time, as we approach t* = 1 P.M., its position does not tend to any defined limit, due to the fact that it must oscillate continuously between two set positions A and B one unity distance apart from each other (and so also condition b) for impossibility is met).\n\n### 3.2 The Principle Of Continuity and the Solution to the Philosophical Problem of Supertasks\n\nSince Benacerraf's critique, we know that there is no logical connection between the position of Achilles at t* = 1 P.M. and his positions at instants previous to t* = 1 P.M. Sainsbury (1988) has tried to bridge the gap opened by Benacerraf. He claims that this can be achieved by drawing a distinction between abstract space of a mathematical kind and physical space. No distinction between mathematical and physical space has to be made, however, to attain that goal; one need only appeal to a single principle of physical nature, which is, moreover, simple and general, namely, that the trajectories of material bodies are continuous lines. To put it more graphically, what this means is that we can draw those trajectories without lifting our pen off the paper. More precisely, that the trajectory of a material body is a continuous line means that, whatever the instant t, the limit to which the position occupied by the body tends as time approaches t coincides precisely with the position of the body at t. Moreover, the principle of continuity is highly plausible as a physical hypothesis: the trajectories of all physical bodies in the real world are in fact continuous. What matters is that we realise that, aided by this principle, we can now finally demonstrate that after the accomplishment of the dichotomy supertask, that is, at t* = 1 P.M., Achilles will be in point B (x = 1). We know, in fact, that as the time Achilles has spent running gets closer and closer to t* = 1 P.M., his position will approach point x = 1 more and more, or, equivalently, we know that the limit to which the position occupied by Achilles tends as time get progressively closer to t* = 1 P.M. is point B (x = 1). As Achilles's trajectory must be continuous, by the definition of continuity (applied to instant t = t* = 1 P.M.) we obtain that the limit to which the position occupied by Achilles tends as time approaches t* = 1 P.M. coincides with Achilles's position at t* = 1 P.M. Since we also know that this limit is point B (x = 1), it finally follows that Achilles's position at t* = 1 P.M. is point B (x = 1). Now is when we can spot the flaw in the standard argument against Zeno mentioned in section 2.1, which was grounded on the observation that the sequence of distances covered by Achilles (1/2, 1/2 + 1/4, 1/2 + 1/4 + 1/8, … ) has 1 as its limit. This alone does not suffice to conclude that Achilles will reach point x = 1, unless it is assumed that if the distances run by Achilles have 1 as their limit, then Achilles will as a matter of fact reach x = 1, but assuming this entails using the principle of continuity. This principle affords us a rigorous demonstration of what, in any event, was already plausible and intuitively ‘natural’: that after having performed the infinite sequence of actions (a1, a2, a3, … , an, … ) Achilles will have reached point B (x = 1). In addition, now it is easy to show how, with a switch like the one in Figure 2, Thomson's lamp in Figure 1 will reach t* = 2/9 with its switch in position AB and will therefore be lit. We have in fact already pointed out (3.1) that in this case, as we get closer to the limit time t* = 2/9, the switch indefinitely approaches a well-defined limit position—position AB. Due to the fact that the principle of continuity applies to the switch, because it is a physical body, this well-defined limit position must coincide precisely with the position of the switch at t* = 2/9. Therefore, at t* = 2/9 the latter will be in positon AB and, consequently, the lamp will be lit. By the same token, it can also be shown that the lamp in Figure 3 will be dim at time t* = 2/9.\n\n### 3.4 On Burke's Impossibility Argument\n\nBurke (2000b) proposed a new argument for the physical impossibility of supertasks based on the idea that their execution would entail the possibility of violating Newton's first law: a body cannot alter its state of motion without some external force acting on it. He imagines a passive Achilles being moved successively by an infinite numerable set of machines Mn. My presentation differs in secondary details from Burke's to concentrate on the essential issues. For each positive integer n, Mn will only act on Achilles in an interval of time of the magnitude 1/n − 1/(n+1), and will proceed as follows: if at some moment Achilles is at point xn = 1/n2 then it will take him to the point xn+1 = 1/(n+1)2 in a time 1/n − 1/(n+1) and (vice versa) if at any time Achilles is at xn+1 = 1/(n+1)2 it will take him and transfer him to xn = 1/n2 in a time 1/n − 1/(n+1). Now suppose that Achilles places himself at x1 = 1 in t = 1. Presumably the machines Mn will act successively on him, collectively performing a supertask that will bring the warrior in t = 2 to rest at x = 0 (as, under the principle of continuity, Achilles' path must be continuous). Is this true? Burke appeals to the temporal symmetry of the physical laws involved to argue that, if this is the case, then the machines Mn must also be capable of taking Achilles to x1 = 1 in t = 1 if he is initially at rest at x = 0 in t = 0 (executing the reverse process to the previous one). But, says Burke, if Achilles is at rest at x = 0 in t = 0, the machines Mn will be incapable of taking him to x1 = 1 in t = 1 for the simple reason that each machine operates at a finite distance to the right of x = 0. So, none of them is capable of setting him in motion, which means that Achilles remains at x = 0 even after t = 0 (Newton's first law). This means that the reverse process is not physically possible and, for reasons of temporal symmetry, the direct one is not possible either. And as the direct process is a standard supertask, its physical impossibility justifies the physical impossibility of supertasks in general.\n\nThe argument is original and refuting it involves an idea important in the context of other problems associated with supertasks, as we shall see later on. The key lies in recognizing that the fact that no Mn can take Achilles away from x = 0 is not enough to conclude that, in the absence of any other possible influence, Achilles cannot leave x = 0. We might consider the set of Mn as a new machine, ‘super M’, which obviously can exert a non-null force on Achilles at points arbitrarily close to x = 0 (unlike any individual machine). The Mn are individually incapable of setting somebody (Achilles) to their left in motion, but it does not follow that they are also incapable of doing so collectively. Burke's argument fails here. Furthermore (as Pérez Laraudogoitia argues in (2006a) and is immediately verifiable) we can design machines M*n capable of guaranteeing that, by handling Achilles exactly as the Mn would, an Achilles at rest at x = 0 in t = 0 would be taken by them to x1 = 1 in t = 1. It is enough to program each M*n thus: whatever the point at which Achilles is at in the instant tn+1 = 1/(n+1), it shall take him to xn = 1/n2 in the instant tn = 1/n.\n\n## 4. The Physics of Supertasks\n\nAs we do not know exactly what laws of nature there are, it goes without saying that the question whether a particular supertask is physically possible (that is, compatible with those laws) cannot be given a definitive answer in general. What we have done in 3 above is rather to set out necessary conditions for physical possibility which are plausible (such as the principle of continuity) and sufficient conditions for physical impossibility which are likewise plausible (such as Grünbaum's criterion of kinematical impossibility). In this section we shall look into a problem related to the one just dealt with, but one to which a definitive answer can be given: the problem of deciding whether a certain supertask is possible within the framework of a given physical theory, that is, whether it is compatible with the principles of that theory. These are two distinct problems. At this stage our object are theories whereas in 3 above we were concerned with the real world. What we are after is supertasks formulated within the defined framework of a given physical theory which can tell us something exciting and/or new about that theory. We will discover that this search will lead us right into the heart of basic theoretical problems.\n\n### 4.1 A New Form of Indeterminism: Spontaneous Self-Excitation\n\nClassical dynamics is a theory that studies the motion of physical bodies which interact among themselves in various ways. The vast majority of interesting examples of supertasks within this theory have been elaborated under the assumption that the particles involved only interact with one another by means of elastic collisions, that is, collisions in which no energy is dissipated. We shall see here that supertasks of type w* give rise to a new form of indeterministic behaviour of dynamical systems. The most simple type of case (Pérez Laraudogoitia 1996) is illustrated by the particle system represented in Figure 4 at three distinct moments. It consists of an infinite set of identical point particles P1, P2, P3, … , Pn, … arranged in a straight line. Take the situation depicted in Figure 4A first. In it P1 is at one unity distance from the coordinate origin O, P2 at a distance 1/2 of O, P3 at a distance 1/3 of O and so on. In addition, let it be that all the particles are at rest, except for P1, which is approaching O with velocity v = 1. Suppose that all this takes place at t = 0. Now we will employ", null, "Figure 4\n\nThe previous model of supertask in the form of spontaneous self-excitation is valid in relativistic classical dynamics as well as non-relativistic classical dynamics and can also be extended—though not in a completely obvious way, see Pérez Laraudogoitia (2001)—to the Newtonian theory of universal gravitation. The core idea behind indeterministic behaviour in all these cases is that the configuration of a physical system consisting of a denumerable infinite number of parts can be such that the solutions to the dynamic equations—in principle, one for each one of the parts—turn out to be coupled. A particular case of this situation (but probably the most important case, as it is the one that can be generalised more straightforwardly) is that in which the connection between solutions stems from the fact that the dynamic equations themselves are coupled as a result of the configuration of the system. Norton (1999) has availed himself of precisely this possibility, thus introducing a model of spontaneous self-excitation in quantum mechanics. Even though the indeterminism vanishes in this case when the normalizability of the state vector is imposed, this does not make his proposal any less interesting: after all, the free particle solutions to Schrodinger's equation are not normalizable either.\n\nFor reference purposes, we shall call the type of spontaneous self-excitation we have considered until now a type I self-excitation, which is characterized by the fact that the internal energy of an isolated system of particles changes (increases) suddenly and unpredictably. But the physics of supertasks allows, in the specific case of non-relativistic classical dynamics, a qualitatively different variety of self-excitation that we shall call a type II self-excitation: this is the self-excitation of a void (Pérez Laraudogoitia, 1998). To see how it works, we should remember once again the configuration of Figure 4B, which we modify trivially in two steps: a) by ensuring all the particles Pi are at rest in xi = (1/(i+1)) − 1 = − i/(i+1), which means taking them en bloc one unit to the left and b) by simultaneously placing a numerable infinity of particles P*i (identical to Pi) at rest at x*i = i/(i+1). The resulting configuration is symmetrical with respect to the origin of coordinates O, with the asterisk particles to the right and the non-asterisk ones to the left. We already know that both the set of particles to the left of the origin and the set of particles to the right may spontaneously and unpredictably self-excite provoking the successive movement of the particles at any velocity (for the sake of brevity we shall then say they self-excite at the particular velocity in question). Suppose now that: 1) in t = 1 the particles on the left self-excite at velocity v = 2 (the excitation will extinguish in t = 1+1), 2) in t = 1+1 the particles to the right self-excite at velocity v = 4 (the excitation will extinguish in t = 1+1+(1/2)), 3) in t = 1+1+(1/2)) the particles on the left self-excite at velocity v = 8 (the excitation will extinguish in t = 1+1+(1/2)+(1/4)), 4) in t = 1+1+(1/2)+(1/4) the particles on the right self-excite at at velocity v = 16 (the excitation will extinguish in t = 1+1+(1/2)+(1/4)+(1/8)), and so on successively. In t = 1+1+1 = 3 a numerable infinity of self-excitations of type I will have occurred. During this (finite) time, any one particle will have oscillated an infinite number of times between its initial position and the position of the particle to its right that was initially closest to it. As there is a finite distance between these two positions that will have been covered an infinite number of times in a finite time, the particle in question essentially evolves like Black's particle analyzed in section 2.4. It will therefore disappear in t = 3. In other words, in t = 3 the infinity of particles Pi, P*i will have disappeared leaving a void. By now performing the temporal reversion of this whole process of disappearance, what occurs is in fact a complex process of self-excitation of the void by means of which, spontaneously and unpredictably, there emerges a numerable infinity of identical particles. This is an example of type II self-excitation. The disappearance in t = 3 of the infinity of particles Pi, P*i certainly violates the Postulate of Permanence introduced in section 3.3 (and also the necessary conditions for kinematic possibility of Grünbaum, as seen in section 3.1) but what is important here is that it does not violate any of the postulates of classical mechanics. In particular, the standard formulation of the principle of conservation of mass: ‘Particle World lines do not have beginning or end points and mass is constant along a World line’ (Earman 1986) is not contradicted, because none of the World lines of particles Pi, P*i genuinely has an end point.\n\nUntil now we have only seen examples of self-excitations in systems of infinite mass, but this is not an essential condition. Taking advantage of the structural similarity between the equations of the dynamics of translation and the dynamics of rotation, Pérez Laraudogoitia (2007a) proposed an analogous model to the one in Figure 4, but in the dynamics of rotation, in which, instead of infinite particles of equal mass placed in a line, infinite rectangular-shaped thin rigid rods of equal momentum of inertia are included in one another. Despite having a finite mass, this system may self-excite as simply as the one in Figure 4B, although its spatial extension must be infinite to maintain the condition of equal momentums of inertia. Atkinson (2007) proved that the spatially limited system of particles in Figure 4B can also spontaneously self-excite in classical mechanics when the mass of Pn is mn = (2/(n+1)) − (2/(n+2)), which obviously corresponds to a total mass of unit value. Finally, Pérez Laraudogoitia (2007b) showed that, for this same system but in the relativistic case, the spontaneous self-excitation is possible providing qn+1 = (kqn+k)/(1+k+k2kqn) (where qn = mn+1/mn, with 0 < k < 1), and which also corresponds to a case of total finite mass if q1 < k.\n\n### 4.2 A New Form of Indeterminism: Global Interaction\n\nA simple modification of the initial conditions illustrated in Figure 4A leads to a qualitatively different type of supertask that is interesting in itself. Now suppose that all the particles P1, P2, P3, … are at rest at the beginning, while a new particle P0 (identical to them) approaches the origin O at unit velocity but from the left of O. Alper & Bridger (1998) were the first to consider this situation, arguing that it is incompatible with Newtonian mechanics. Their argument went like this: P0 cannot hit Pi because in order to do so P0 must have passed through Pi+1, the particle lying immediately to the left of Pi. Therefore P0 cannot hit any particle. On the other hand, if P0 does not hit any particle, then its motion is undisturbed, and it arrives at, for example, position x = 1/2 at a certain instant of time. But there is a particle, namely P2, at x = 1/2. P0 must hit P2, contradicting the conclusion that P0 hits none of the particles. As Pérez Laraudogoitia (2005) underscored, this argument is fallacious. To see why, consider the innocent example of the collision between two identical solid spheres (of, let us say, unit ratio), X and Y. Let us suppose that Y is mentally divided into an infinite number of concentric spheres Yi in the following way: Y1 is a solid sphere of radius 1/2 and Yi (i > 1) is a hollow sphere of interal radius (i−1)/i and external radius i/(i+1). Clearly, although X collides with Y it does not collide with any of the Yi (Yi is pushed at most by Yi+1 and Yi−1) and this despite the fact that Y is the set of Yis. This may seem enigmatic at first sight, largely because we tend to pass inadvertently from\n\n(A) If X collides with Y then at least one division into parts of Y exists such that X collides with one of the parts\n\nwhich is true, to\n\n(B) If X collides with Y then for all divisions into parts of Y, X collides with one of the parts\n\nwhich is false. In the process, one goes fallaciously from an existential to a universal statement, and after wrongly settling on (B), one finds it impossible for X to collide with Y given the division of Y into Yi parts, none of which collides with X. One then commits a fallacy of composition by assuming here that the whole must have the properties of its parts: if none of the Yi parts collides with X then Y cannot collide with X. Of course Y collides with X, and as Y is the set of Yis it turns out that X collides with the set of Yis, but does not collide with any Yi separately. One can say that X collides collectively, but not distributively, with the set of Yis and, in more physical terms, that X interacts (collides) globally with the Yis. We thus recover the idea of collective action seen in the analysis of Burke's argument concerning impossibility in 3.4. The fact that the Yis were obtained by a process of mental division of Y is irrelevant. One may convert them, if one so desires, into ‘physical’ parts by supposing that Yi is made from matter with density i/(i+1). The conclusion, then, is that a physical system S1 can collide (globally) with another system S2 without colliding with any of the physical parts of which S2 is made. Now the error in Alper and Bridger's argument becomes clear: the particle P0 collides (globally) with the set of the Pi (i > 0) without doing so with any separately, which means that their statement ‘if P0 does not hit any particle, then its motion is undisturbed’ is not justified. This of course means that the conclusion (based on the foregoing statement) that their system is incompatible with Newtonian mechanics is not justified either.\n\nIndeed, the global collision of P0 with the set of the Pi leads to a new form of indeterminism. If, as in a typical elastic collision, we impose the classical laws of the conservation of energy and linear momentum, then one possible evolution from the instant of the global collision is one in which P0 excites the infinite system of the Pi (i > 0) at unit velocity (remember the terminology of section 4.1) before coming to rest and P1 finally moving away from origin O at that unit velocity. But there is also the possibility of P0 rebounding backwards after its global collision to provoke the excitation of the system of the Pi at not one but two different velocities. For instance, readers may verify that the laws of conservation referred to are observed in Newtonian mechanics if, in the final state, P0 moves away from the origin O to the left at velocity 1/4 whereas finally P1 moves away to the right at velocity (5+51/2)/8 and P2 at velocity (5−51/2)/8 while the other Pi come to rest. It is not difficult to verify that the global collision of P0 could also excite the system of the Pi with any number greater than 2 of different velocities. Having seen in section 4.1 that the self-excitation of a dynamical system entailed a new source of indeterminism, we now verify that global interaction provides another, different source, although linked to the previous one by the fact that it causes excitations that, in absence of external influences, could be spontaneous.\n\nPeijnenburg & Atkinson (2008 and 2010) also analyzed the problem proposed by Alper & Bridger (1998), proposing a different solution, although still closely linked to the previous one. They reject the latter's path to contradiction at the same point at which Pérez Laraudogoitia (2005) does, namely: ‘if P0 does not hit any particle, then its motion is undisturbed’ is not justified. But their rejection has another formulation. They propose distinguishing between ‘collision’ as ‘ making contact’ (when two bodies X and Y collide, then X and Y come in contact with one another, in the sense that at least one point of X occupies the same location in space as does one point of Y) and ‘collision’ as ‘zero distance’. Although both notions coincide in topologically closed bodies, this is not the case when topologically open bodies are involved, like the set of particles Pi (i > 0). In the instant P0 arrives at the origin O it does not collide with the other particles in the first sense of ‘making contact’. But under the definition of ‘ collision’ as ‘zero distance ’, P0 does indeed collide with the set of stationary balls at the origin O. Although Peijnenburg & Atkinson's treatment might seem equivalent to Pérez Laraudogoitia's, it is in fact less general, as there are cases of global interaction that it can't account for. Simplifying the model proposed in Pérez Laraudogoitia (2006b), let us assume that for t < 0 we have, in the plane z = 0, a rigid disc D of radius r = 2 at rest and centred on the origin, and above it, in the plane z = 1, we have in t = 0 a denumerable infinite set of rigid rings Ri of equal mass, null thickness, radii ri = i/(i+1) and velocities vi = i moving towards D. In no instant subsequent to t = 0 may D still be in the plane z = 0, because in that case it would have been ‘pierced through’ by an infinite number of rigid rings. This means that, in t = 0, D interacts globally with the infinite set of Ri in Pérez Laraudogoitia's sense, despite the fact that, the distance between D and the Ri being equal in this instant to the unit, D cannot collide with the Ri in any of the senses considered by Peijnenburg & Atkinson. Peijnenburg & Atkinson's analysis fails when faced with situations like this, demonstrating that it is not sufficiently general.\n\n### 4.3 Energy and Momentum Conservation in Supertasks\n\nIn sections 4.1 and 4.2 we considered the problem of indeterminism in supertasks formulated principally in the sphere of classical mechanics or relativistic mechanics. This section provides a brief review of the closely related issue of energy and momentum conservation in supertasks generated from initial states topologically similar to the ones in Figure 4A in the following precise sense: P1 may have any velocity (towards the left) while the rest of the particles will be at rest to the left of P1 in arbitrary positions on P1's line of advance (but with Pj to the left of Pi if j > i) and such that these positions have a point of accumulation O.\n\nFrom 4.1 it obviously follows that when the total mass is infinite both energy conservation and momentum conservation may be violated (in classical and relativistic mechanics alike). They are violated, for instance, when all the particles are identical. Atkinson (2007) proposed the first model with total finite mass in Newtonian mechanics in which the energy was not conserved, although momentum was, and showed that in this mechanics momentum will be conserved provided that: C1) total mass is finite, C2) if j > i the mass of Pj is less than those of the Pi, and C3) each particle Pn+1 undergoes in the process exactly two collisions (one with each of its immediate neighbours) while P1 undergoes just one. He also demonstrated that, in relativistic mechanics and under these same three conditions, energy conservation will be violated if and only if momentum conservation is violated (in marked contrast to the classical case), and that such violations will in fact take place unless the masses of the particles Pn decrease very rapidly with n (Atkinson 2008 shows that violation will occur, for example, if mn = 2n·m0). Finally, Atkinson & Johnson (forthcoming) have shown that the temporal reversal of the state resulting from a process performed under conditions C1), C2) and C3) lead in turn to an indeterministic process: there is an arbitrary parameter in the general solution to the equations of the particles' movement that corresponds to the injection of an arbitrary amount of energy (classically), or energy-momentum (relativistically), into the system at the point of accumulation of the locations of these particles. This last, highly general result poses the question of whether in the classical (or relativistic) dynamics of supertasks there is an intrinsic connection between indeterminism and the non-conservation of energy. Pérez Laraudogoitia (2009a) proves there isn't by showing a specific example of supertask (although qualitatively different from the ones considered by Atkinson & Johnson) in which the energy is conserved despite the evolution of the physical system analized being indeterministic. This latter model is also of interest because it remains valid when the rigid bodies assumed in its description are replaced, whether classically or relativistically, by deformable solids. Furthermore, as the total mass may be as small as one wishes without affecting the description of the evolution, it might be argued that even the inclusion of gravitation will not affect the results. This is probably the clearest example of how supertasks are possible in the context of specific physical theories that also make realistic assumptions.\n\n### 4.4 Actions without Interaction\n\nThe configuration of identical particles introduced in section 4.1, and the resulting possibility of spontaneous self-excitation, has inspired a new type of problem that can be formulated in terms of supertasks (although not only in terms of supertasks), that is qualitatively different to the ones considered until now. It is a commonplace that, when we act physcally on a system (which entails exerting influence in some way on its evolution), we do so by interacting with it. However, Pérez Laraudogoitia (2009b) has shown that a numerable infinity of actors (Gods, or machines suitably programmed) may act physically on an infinite set of particles provoking its self-excitation without interacting with the set in question. Let us consider the system of identical particles in Figure 4A, with the sole difference that P1 is also at rest (in general, Pi is at rest at xi = 1/i). We know that it may spontaneously self-excite at any moment at any velocity, although we shall assume that in t = 0 all the Pi are at rest. Let God1, God2, God3, … be a numerable totality of Gods (machines) such that Godn has the capacity to control particle Pn and only particle Pn. Taking t* > 0, let us suppose that the Gods now decide to pursue the following course of action: Godn shall prevent, at any 0 < t < t* + (1/n), Pn from abandoning point xn = 1/n, but if, from t* + (1/n), Pn does not acquire a unit velocity towards the right by other means (although even for a limited time) then it (Godn) shall provide it (n = 1, 2, 3, …). The interesting, and surprising, thing in this case is that the Gods will manage to make the system of particles self-excite at t* at unit velocity and they will do so without interacting with it, meaning we will indeed have a case of action without interaction that does, however, alter the dynamic state of the particles (all at rest in t = 0). This is easy to see in two steps:\n\n(I) For every n, Pn will acquire from t* + (1/n) unit velocity to the right (although, for n > 1, for a limited time). This is so because, should there be no other process providing it with unit velocity from t* + (1/n), we know that Godn will provide it.\n\n(II) For every n, Pn will acquire from t* + (1/n) unit velocity to the right as a result of receiving the impact of Pn+1. This is so because, according to (I), Pn+1 acquired from t* + (1/(n+1)) unit velocity to the right which led it to collide with Pn at t* + (1/(n+1)) + ((1/n) − (1/(n+1))) = t* + (1/n), transmitting that velocity to it from t* + (1/n), which implies that Godn does not in fact interact with Pn.\n\nFrom (II) it follows that the set of particles will self-excite precisely at t*, that no Godn interacts with any particle, but that the set of Gods caused this self-excitation by acting physically without interaction on the set in question on the basis of the policy referred to earlier. Indeed, if only the particles existed (without Gods), then from the configuration in t = 0 an infinity of different possibilities of evolution would be open to them, an infinity that the Gods have reduced significantly by preventing any self-excitation before t* and provoking one in t*: this is precisely how they acted on them. From this Pérez Laraudogoitia (2009b) concludes that indeterminism is a necessary condition for actions without interaction.\n\nBenardete (1964) formulates what has since then come to be known as the spaceship paradox in the following terms: ‘Indeed one minute will suffice to enable us to exhaust an infinite world. We have only to launch a rocket and travel one thousand miles into outer space during the first 1/2 minute, another one thousand miles after that during the next 1/4 minute, still another one thousand miles during the next 1/8 minute, &c. ad infinitum . At the end of the minute we shall have succeeded in travelling an infinite distance’ (p. 149). The situation described here has all the characteristic ingredients of a classical supertask and the whiff of paradox arises when we wonder, like Benardete: ‘At the end of the minute we find ourselves an infinite distance from Earth … Where in the World are we?’ The question only makes sense in a Newtonian universe, where there is no limit to the velocity that a material body can achieve. Indeed, Pérez Laraudogoitia (1997) constructed a model of the spaceship paradox in classical particle mechanics in which a numerable infinity of identical particles, distributed along the positive X axis with unbounded velocities, collide with each other in an orderly fashion in a finite time, each transmitting to the following one progressively increasing velocities in accordance with a process essentially identical to the one imagined by Benardete. Oppy (2006) rejected the possibility of this kind of process, reasoning that there is no possible World in which the speed of the spaceship is infinite. However, his criticism is not convincing to the extent that in Benardete's scenario only the average velocity (and average acceleration) needs to be infinite, not the instantaneous velocity (or acceleration). In any case the air of paradox disappears if we apply coherently the principle of continuity seen in section 3.2. From that, it follows that at the end of the minute Benardete's spaceship will not be anywhere, as we saw occurring in section 4.1 with Black's particle introduced previously in section 2.4.\n\nThe temporal reversion of this curious evolution of a flight to infinity is an unpredictable process of arrival from infinity, which would appear to sanction an odd asymmetry between the two situations: the escape is deterministic while the arrival from infinity is not. However, Pérez Laraudogoitia (forthcoming) has shown that this asymmetry is much less profound than it appears. By elaborating an infinite sequence of suitably programmed finite tasks (which recall, although with far greater complexity, the ones taken on by the Gods in section 4.4 to achieve actions without interaction), it is possible to design supertasks capable of ‘bringing’ a spaceship from infinity in a perfectly planned and deterministic way. The intriguing possibility of manipulating the conditions at infinity to predict what we are going to ‘take’ from there (consistently, certainly, with the principle of mass conservation announced in section 4.1) is a further example of the new conceptual possibilities opened up by the supertask concept.\n\nHowever, to date we have only discussed models of supertasks in classical mechanics, relativistic mechanics and quantum mechanics. The physics of supertasks in the context of the other major closed physical theory, general relativity, will be the topic of the following two subsections.\n\nWithin relativity theory, supertasks have been approached from a radically different perspective from the one adopted here so far. This new perspective is inherently interesting, since it links the problem of supertasks up with the relativistic analysis of the structure of space-time. To get an insight into the nature of that connection, let us first notice that, according to the theory of relativity, the duration of a process will not be the same in different reference systems but will rather vary according to the reference system within which it is measured. This leaves open the possibility that a process which lasts an infinite amount of time when measured within reference system O may last a finite time when measured within a different reference system O′.\n\nThe supertask literature has needed to exploit space-times with sufficiently complicated structure that global reference systems cannot be defined in them. In these and other cases, the time of a process can be represented by its ‘proper time’. If we represent a process by its world-line in space-time, the proper time of the process is the time read by a good clock that moves with the process along its world-line. A familiar example of its use is the problem of the twins in special relativity. One twin stays home on earth and grows old. Forty years of proper time, for example, elapses along his world-line. The travelling twin accelerates off into space and returns to find his sibling forty years older. But much less time — say only a year of proper time — will have elapsed along the travelling twin world-line if he has accelerated to sufficiently great speeds.\n\nIf we take this into account it is easily seen that the definition of supertask that we have been using is ambiguous. In section 1 above we defined a supertask as an infinite sequence of actions or operations carried out in a finite interval of time. But we have not specified in whose proper time we measure the finite interval of time. Do we take the proper time of the process under consideration? Or do we take the proper time of some observer who watches the process? It turns out that relativity theory allows the former to be infinite while the latter is finite. This fact opens new possibilities for supertasks. Relativity theory thus forces us to disambiguate our definition of supertask, and there is actually one natural way to do it. We can use Black's idea — presented in 2.4 — of an infinity machine, a device capable of performing a supertask, to redefine a supertask as an infinite sequence of actions or operations carried out by an infinity machine in a finite interval of the machine's own proper time measured within the reference system associated to the machine. This redefinition of the notion of supertask does not change anything that has been said until now; our whole discussion remains unaffected so long as ‘finite interval of time’ is read as ‘finite interval of the machine's proper time’. This notion of supertask, disambiguated so as to accord with relativity theory, will be denoted by the expression ‘supertask-1’. Thus:\n\nSupertask-1: an infinite sequence of actions or operations carried out by an infinity machine in a finite interval of the machine's proper time.\n\nHowever we might also imagine a machine that carries out an infinite sequence of actions or operations in an infinite machine proper time, but that the entire process can be seen by an observer in a finite amount of the observer's proper time.\n\nIt is convenient at this stage to introduce a contrasting notion:\n\nSupertask-2: an infinite sequence of actions or operations carried out by a machine in a finite interval of an observer's proper time.\n\nWhile we did not take relativity theory into account, the notions of supertask-1 and supertask-2 coincided. The duration of an interval of time between two given events is the same for all observers. However in relativistic spacetimes this is no longer so and the two notions of supertasks become distinct. Even though all supertasks-1 are also supertasks-2, there may in principle be supertasks-2 which are not supertasks-1. For instance, it could just so happen that there is a machine (not necessarily an infinity machine) which carries out an infinite number of actions in an interval of its own proper time of infinite duration, but in an interval of some observer's proper time of finite duration. Such a machine would have performed a supertask-2 but not a supertask-1.\n\n### 4.7 Bifurcated Supertasks and the Solution to the Philosophical Problem of Supertasks\n\nWhat shape does the philosophical problem posed by supertasks — introduced in Section 1.2 — take on now? Remember that the problem lay in specifying the set of sentences which describe the state of the world after the supertask has been performed. The problem will now be to specify the set of sentences which describe the relevant state of the world after the bifurcated supertask has been performed. Before this can done, of course, the question needs to be answered whether a bifurcated supertask is physically possible. Given that we agree that compatibility with relativity theory is a necessary and sufficient condition of physical possibility, we can reply in the affirmative.\n\nPitowsky (1990) first showed how this compatibility might arise. He considered a Minkowski spacetime, the spacetime of special relativity. He showed that an observer O* who can maintain a sufficient increase in his acceleration will find that only a finite amount of proper time elapses along his world-line in the course of the complete history of the universe, while other unaccelerated observers would find an infinite proper time elapsing on theirs.\n\nLet us suppose that some machine M accomplishes a bifurcated supertask in such a way that the infinite sequence of actions involved happens in a finite interval of an observer O's proper time. If we imagine such an observer at some event on his world-line, all those events from which he can retrieve information are in the ‘past light cone’ of the observer. That is, the observer can receive signals travelling at or less than the speed of light from any event in his past light cone. The philosophical problem posed by the bifurcated supertask accomplished by M has a particularly simple solution when the infinite sequence of actions carried out by M is fully contained within the past light cone of an event on observer O's world-line. In such a case the relevant state of the world after the bifurcated supertask has been performed is M's state, and this, in principle, can be specified, since O has causal access to it. Unfortunately, a situation of this type does not arise in the simple bifurcated supertask devised by Pitowsky (1990). In his supertask, while the accelerated observer O* will have a finite upper bound on the proper time elapsed on his world-line, there will be no event on his world-line from which he can look back and see an infinity of time elapsed along the world-line of some unaccelerated observer.\n\nTo find a spacetime in which the philosophical problem posed by bifurcated supertasks admits of the simple solution that has just been mentioned, we will move from the flat spacetime of special relativity to the curved spacetimes of general relativity. One type of spacetime in the latter class that admits of this simple solution has been dubbed Malament-Hogarth spacetime, from the names of the first scholars to use them (Hogarth 1992). An example of such a spacetime is an electrically charged black hole (the Reissner-Nordstroem spacetime). A well known property of black holes is that, in the view of those who remain outside, unfortunates who fall in appear to freeze in time as they approach the event horizon of the black hole. Indeed those who remain outside could spend an infinite lifetime with the unfortunate who fell in frozen near the event horizon. If we just redescribe this process from the point of view of the observer who does fall in to the black hole, we discover that we have a bifurcated supertask. The observer falling in perceives no slowing down of time in his own processes. He sees himself reaching the event horizon quite quickly. But if he looks back at those who remain behind, he sees their processes sped up indefinitely. By the time he reaches the event horizon, those who remain outside will have completed infinite proper time on their world-lines. Of course, the cost is high. The observer who flings himself into a black hole will be torn apart by tidal forces and whatever remains after this would be unable to return to the world in which he started.\n\n## 5. What Supertasks Entail for the Philosophy of Mathematics\n\n### 5.1 A Critique of Intuitionism\n\nAs Benacerraf and Putnam (1964) have observed, the acknowledgement that supertasks are possible has a profound influence on the philosophy of mathematics: the notion of truth (in arithmetic, say) would no longer be doubtful, in the sense of dependent on the particular axiomatisation used. The example mentioned earlier in connection with Goldbach's conjecture can indeed be reproduced and generalised to all other mathematical statements involving numbers (although, depending on the complexity of the statement, we might need to use several infinity machines instead of just one), and so, consequently, supertasks will enable us to decide on the truth or falsity of any arithmetical statement; our conclusion will no longer depend on provability in some formal system or constructibility in a more or less strict intuitionistic sense. This conclusion seems to lead to a Platonist philosophy of mathematics.\n\nHowever, the situation here is more subtle than the previous comments suggest. Above I introduced a supertask of type w that can settle the truth or falsity of Goldbach's conjecture, but the reference (essential in it) to time contrasts with the lack of specification regarding how to make the necessary computations.When one tries to make up for this omission one discovers that the defence of Platonism is more debatable than it seems at first sight. Davies (2001) has proposed a model of an infinite machine (an infinite machine is a computer which can carry out an infinite number of computations within a finite length of time) based on the Newtonian dynamics of continuous media which reveals the nature of the difficulty. One cannot attempt to decide on mathematical questions such as Goldbach's conjecture by using a mechanical computer which carries out operations at an increasing speed, as if it were a Turing machine. The reason is that the different configurations the computer adopts at increasingly short intervals of time eventually (if the conjecture is true) lead to a paradox of the type of Thomson's lamp, where (if we do not assume continuity in the sense of section 3.2) the final state of the computer is indeterminate, which makes it useless for our purpose. Davies's clever solution consists in assuming an infinite machine capable of building a replica of itself that has twice its own memory but is smaller and works at greater speed. The replica can in its turn build another (even smaller and quicker) replica of itself and so on. With the details Davies gives about the working of his infinite machines, it is clear that they will in no case lead to an indeterminacy paradox (since each replica carries out only a finite part of the task).The problem is that to settle questions like Goldbach's conjecture (if, as I said above, it is true) a numerable (actual) infinity of replicating machines is required, and this will surely be rejected by anyone who, like intuitionists, has a strong dislike of the actual infinity. In more abstract words, the mathematical theory that models the computation process presupposes a Platonic conception of the infinite and thus begs the question by, circularly, supporting Platonism.\n\n### 5.2 The Importance of the Malament-Hogarth Spacetime\n\nAt first sight, the intuitionistic criticism of the possibility of supertasks is less effective in the case of bifurcated supertasks, because in this latter case it is not required that there is any sort of device capable of carrying out an infinite number of actions or operations in a finite time (measured in the reference system associated to the device in question, which is the natural reference system to consider). In contrast, from the possibility of bifurcated supertasks in Malament-Hogarth space-times strong arguments seem to follow against an intuitionistic philosophy of mathematics. But, again, one must be very cautious at this point, as we were at the end of our previous section 5.1. The mathematical theory which models a bifurcated supertask is general relativity, and this theory, as it fully embraces classical mathematical analysis, entails a strong commitment to the—intuitionistically unacceptable—objective status of the set of all natural numbers. It is difficult to believe, therefore, that a radical constructivist lets himself be influenced by the current literature on bifurcated supertasks. This does not make that literature less interesting, as, in establishing unthought-of connections between computability and the structure of space-time, it enriches (as does the existing literature on supertasks in general) the set of consequences that can be derived from our most interesting physical theories.\n\n## Bibliography\n\n• Allis, V. and Koetsier, T., 1991, ‘On Some Paradoxes of the Infinite’, British Journal for the Philosophy of Science, 42: 187–194.\n• Allis, V. and Koetsier, T., 1995, ‘On Some Paradoxes of the Infinite II’, British Journal for the Philosophy of Science, 46: 235–247.\n• Alper, J.S. and Bridger, M., 1998, ‘Newtonian Supertasks: A Critical Analysis’ Synthese, 114: 355–369.\n• Alper, J.S., Bridger, M., Earman , J. and Norton , J.D., 2000, ‘What is a Newtonian System? The Failure of Energy Conservation and Determinism in Supertasks’ Synthese, 124: 281–293.\n• Aristotle, Physics, (W. Charlton, trans.), Oxford: Oxford University Press, 1970.\n• Atkinson, D., 2007, ‘Losing Energy in Classical, Relativistic, and Quantum Mechanics’, Studies in History and Philosophy of Modern Physics, 38: 170–180.\n• Atkinson, D., 2008, ‘A Relativistic Zeno Effect’, Synthese, 160: 77–86.\n• Atkinson, D. and Johnson, P.W., 2009, ‘Nonconservation of Energy and Loss of Determinism. I. Infinitely many colliding balls’, Foundations of Physics, 39: 937–957. [Atkinson and Johnson 2009 available online].\n• Benacerraf, P., 1962, ‘Tasks, Super-Tasks, and Modern Eleatics’, Journal of Philosophy, LIX: 765–784; reprinted in Salmon .\n• Benacerraf, P. and Putnam, H., 1964, Introduction, Philosophy of Mathematics: Selected Readings, P. Benacerraf and H. Putnam (eds.), 2nd edition, Cambridge: Cambridge University Press, pp. 1–27.\n• Benardete, J.A., 1964, Infinity: An Essay in Metaphysics, Oxford: Clarendon Press.\n• Berresford, G. C., 1981, ‘A Note on Thomson's Lamp “Paradox”’, Analysis, 41: 1–7.\n• Black, M., 1950–1, ‘Achilles and the Tortoise’, Analysis, XI: 91–101; reprinted in Salmon .\n• Black, M., 1954, Problems of Analysis, Ithaca: Cornell University Press.\n• Black, R., 2002, ‘Solution to a small infinite puzzle’, Analysis, 62(4): 345–346.\n• Bokulich, A., 2003, ‘Quantum measurement and supertasks’, International Studies in the Philosophy of Science, 17(2): 127–136.\n• Bostock, D., 1972–73, ‘Aristotle, Zeno and the Potential Infinite’, Proceedings of the Aristotelian Society, 73: 37–51.\n• Burke, M.B., 1984, ‘The Infinitistic Thesis’, The Southern Journal of Philosophy, 22: 295–305.\n• Burke, M.B., 2000a, ‘The Impossibility of Superfeats’, The Southern Journal of Philosophy, XXXVIII: 207–220.\n• Burke, M.B., 2000b, ‘The Staccato Run: a Contemporary Issue in the Zenonian Tradition’, The Modern Schoolman, LXXVIII: 1–8.\n• Bridger, M., and Alper, J. S., 1999, ‘On the Dynamics of Perez-Laraudogoitia's Supertask’, Synthese, 119: 325–337.\n• Chihara, C., 1965, ‘On the Possibility of Completing an Infinite Task’, Philosophical Review, LXXIV: 74–87.\n• Cooke, M.C., 2003, ‘Infinite Sequences: Finitist Consequence’, British Journal for the Philosophy of Science, 54: 591–599.\n• Cotogno, P., 2003, ‘Hypercomputation and the Physical Church-Turing Thesis’, British Journal for the Philosophy of Science, 54: 181–223.\n• Davies, E.B., 2001, ‘Building Infinite Machines’, British Journal for the Philosophy of Science, 52: 671–682.\n• Earman, J., 1986, A Primer on Determinism, Dordrecht: Reidel.\n• Earman, J., 1994, Bangs, Crunches, Shrieks, and Whimpers: Singularities and Acausalities in Relativistic Spacetimes, New York: Oxford University Press.\n• Earman, J., and Norton, J.D., 1993, ‘Forever Is a Day: Supertasks in Pitowsky and Malament-Hogarth Spacetimes’, Philosophy of Science, 60: 22–42.\n• Earman, J., and Norton, J. D., 1996, ‘Infinite Pains: The Trouble with Supertasks’, in Benacerraf and His Critics, A. Morton and S. Stich (eds.), Oxford: Blackwell, pp. 231–261.\n• Earman, J., and Norton, J. D., 1998, ‘Comments on Laraudogoitia's “Classical Particle Dynamics, Indeterminism and a Supertask”’, British Journal for the Philosophy of Science, 49: 123–133.\n• Faris, J. A., 1996, The Paradoxes of Zeno, Aldershot: Avebury.\n• Forrest, P., 1999, ‘Supertasks and material objects’, Logique et Analyse, 166–167: 441–446.\n• Friedman, K.S., 2002, ‘A small infinite puzzle’, Analysis, 62(4): 344–345.\n• Gale, R. M. (ed.), 1968, The Philosophy of Time, London: MacMillan.\n• Glazebrook, T., 2001, ‘Zeno Against Mathematical Physics’, Journal of the History of Ideas, 62: 193–210.\n• Groarke, L., 1982, ‘Zeno's Dichotomy: Undermining the Modern Response’, Auslegung, 9: 67–75.\n• Grünbaum, A. 1950–52 ‘Messrs. Black and Taylor on Temporal Paradoxes’, Analysis, 11–12: 144–148.\n• Grünbaum, A., 1967, Modern Science and Zeno's Paradoxes, Middletown, CT: Wesleyan University Press.\n• Grünbaum, A., 1968, ‘Are “Infinity Machines” Paradoxical?’, Science, CLIX: 396–406.\n• Grünbaum, A., 1969, ‘Can an Infinitude of Operations be Performed in a Finite Time?’, British Journal for the Philosophy of Science, 20: 203–218.\n• Grünbaum, A., 1970, ‘Modern Science and Zeno's Paradoxes of Motion’, in Salmon , pp. 200–250.\n• Hawthorne, J., 2000, “Before-Effect and Zeno Causality”, Noˆs, 34(4): 622–633.\n• Hogarth, M. L., 1992, ‘Does General Relativity Allow an Observer to View an Eternity in a Finite Time?’, Foundations of Physics Letters, 5: 173–181.\n• Hogarth, M. L., 1994, ‘Non-Turing Computers and Non-Turing Computability’, in PSA 1994, D. Hull, M. Forbes and R.M. Burian (eds.), 1, East Lansing: Philosophy of Science Association, pp. 126–138.\n• Holgate, P., 1994, ‘Discussion: Mathematical Notes on Ross's Paradox’, British Journal for the Philosophy of Science, 45: 302–304.\n• Koetsier, T. and Allis, V., 1997, ‘Assaying Supertasks’, Logique & Analyse, 159: 291–313.\n• McLaughlin, W. I., 1998, ‘Thomson's Lamp is Dysfunctional’, Synthese, 116: 281–301.\n• Moore, A. W., 1989–90, ‘A Problem for Intuitionism: The Apparent Possibility of Performing Infinitely Many Tasks in a Finite Time’, Proceedings of the Aristotelian Society, 90: 17–34.\n• Moore, A. W., 1990, The Infinite, London: Routledge.\n• Norton, J. D., 1999, ‘A Quantum Mechanical Supertask’, Foundations of Physics, 29: 1265–1302.\n• Oppy, G., 2006, Philosophical Perspectives on Infinity, Cambridge: Cambridge University Press.\n• Owen, G. E. L., 1957–58, ‘Zeno and the Mathematicians’, Proceedings of the Aristotelian Society, LVIII: 199–222, reprinted in Salmon .\n• Parsons, J., 2004, ‘The Eleatic hangover cure’, Analysis, 64: 364–366.\n• Parsons, J., 2006, ‘Topological drinking problems’, Analysis, 66: 149–154.\n• Peijnenburg, J. and Atkinson, D., 2008, ‘Achilles, the Tortoise and Colliding Balls’, History of Philosophy Quarterly, 25: 187–201.\n• Peijnenburg, J. and Atkinson, D., 2010, ‘Lamps, cubes, balls and walls: Zeno problems and solutions’, Philosophical Studies, 150: 49–59.\n• Pérez Laraudogoitia, J., 1996, ‘A Beautiful Supertask’, Mind, 105: 81–83.\n• –––, 1997, ‘Classical Particle Dynamics, Indeterminism and a Supertask’, British Journal for the Philosophy of Science, 48: 49–54.\n• –––, 1998, ‘Infinity Machines and Creation Ex Nihilo’, Synthese, 115: 259–265.\n• –––, 2001, ‘Indeterminism, classical gravitation and non-collision singularities’, International Studies in the Philosophy of Science, 15(3): 269–274.\n• –––, 2005, ‘An Interesting Fallacy Concerning Dynamical Supertasks’, British Journal for the Philosophy of Science, 56: 321–334.\n• –––, 2006a, ‘A Look at the Staccato Run’, Synthese, 148: 433–441.\n• –––, 2006b, ‘Global Interaction in Classical Mechanics’, International Studies in the Philosophy of Science, 20: 173–183.\n• –––, 2007a, ‘Avoiding Infinite Masses’, Synthese, 156: 21–31.\n• –––, 2007b, ‘Supertasks, dynamical attractors and indeterminism’, Studies in History and Philosophy of Modern Physics, 38: 724–731.\n• –––, 2009a, ‘On Energy Conservation in Infinite Systems’, in Energy Conservation: New Research, G. Spadoni (ed.), New York: Nova Science Publishers, pp. 3–12.\n• –––, 2009b, ‘Physical Action Without Interaction’, Erkenntnis, 70: 365–377.\n• –––, forthcoming, ‘The Inverse Spaceship Paradox’, Synthese.\n• Pitowsky, I., 1990, ‘The Physical Church Thesis and Physical Computational Complexity’, Iyyun, 39: 81–99.\n• Priest, G., 1982, ‘To Be and Not to Be: Dialectical Tense Logic’, Studia Logica, XLI: 157–176.\n• Ray, C., 1991, Time, Space and Philosophy, London: Routledge.\n• Sainsbury, R. M., 1988, Paradoxes, Cambridge: Cambridge University Press.\n• Salmon, W., (ed.), 1970, Zeno's Paradoxes, Indianapolis: Bobbs-Merril.\n• Salmon, W., 1980, Space, Time and Motion: A Philosophical Introduction, Minneapolis: University of Minnesota Press.\n• Smith, J. W., 1986, Reason, Science and Paradox, London: Croom Helm.\n• Sorabji, R., 1983, Time, Creation and the Continuum, London: Gerald Duckworth and Co. Ltd.\n• Svozil, K., 1993, Randomness and Undecidability in Physics, Singapore: World Scientific.\n• Taylor, R., 1951–52, ‘Mr. Black on Temporal Paradoxes’, Analysis, XII: 38–44.\n• Taylor, R., 1952–53, ‘Mr. Wisdom on Temporal Paradoxes’, Analysis, XIII: 15–17.\n• Thomson, J., 1954–55, ‘Tasks and Super-Tasks’, Analysis, XV: 1–13; reprinted in Salmon .\n• Thomson, J., 1967, ‘Infinity in Mathematics and Logic’, in Encyclopedia of Philosophy, P. Edwards (ed.), 4, New York: MacMillan, pp. 183–90.\n• Thomson, J., 1970, ‘Comments on Professor Benacerraf's Paper’, in Salmon , pp. 130–38.\n• Van Bendegem, J. P., 1994, ‘Ross' Paradox is an Impossible Super Task’, British Journal for the Philosophy of Science, 45: 743–48.\n• Van Bendegem, J. P., 1995–1997, ‘In Defence of Discrete Space and Time’, Logique & Analyse, 150–151–152: 127–150.\n• Vlastos, G., 1966, ‘Zeno's Race Course’, Journal of the History of Philosophy, IV: 95–108.\n• Vlastos, G., 1967, ‘Zeno of Elea’, in Encyclopedia of Philosophy, P. Edwards (ed.), 8, New York: MacMillan, pp. 369–79.\n• Watling, J., 1953, ‘The Sum of an Infinite Series’, Analysis, XIII: 39–46.\n• Wedeking, G. A., 1968, ‘On a Finitist “Solution” to Some Zenonian Paradoxes’, Mind, 77: 420–26.\n• Weyl, H., 1949, Philosophy of Mathematics and Natural Science, Princeton: Princeton University Press.\n• Whitrow, G. J., 1961, The Natural Philosophy of Time, Edinburgh: Thomas Nelson & Sons.\n• Wisdom, J. O., 1951–52, ‘Achilles on a Physical Racecourse’, Analysis, XII: 67–72, reprinted in Salmon .", null, "How to cite this entry.", null, "Preview the PDF version of this entry at the Friends of the SEP Society.", null, "Look up this entry topic at the Indiana Philosophy Ontology Project (InPhO).", null, "Enhanced bibliography for this entry at PhilPapers, with links to its database." ]
[ null, "https://stanford.library.sydney.edu.au/archives/win2015/entries/spacetime-supertasks/figure1.gif", null, "https://stanford.library.sydney.edu.au/archives/win2015/entries/spacetime-supertasks/figure2.gif", null, "https://stanford.library.sydney.edu.au/archives/win2015/entries/spacetime-supertasks/figure3.gif", null, "https://stanford.library.sydney.edu.au/archives/win2015/entries/spacetime-supertasks/figure4.gif", null, "https://stanford.library.sydney.edu.au/archives/win2015/symbols/sepman-icon.jpg", null, "https://stanford.library.sydney.edu.au/archives/win2015/symbols/sepman-icon.jpg", null, "https://stanford.library.sydney.edu.au/archives/win2015/symbols/inpho.png", null, "https://stanford.library.sydney.edu.au/archives/win2015/symbols/pp.gif", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.9330311,"math_prob":0.9052578,"size":106229,"snap":"2022-27-2022-33","text_gpt3_token_len":25602,"char_repetition_ratio":0.16265474,"word_repetition_ratio":0.09184783,"special_character_ratio":0.23913433,"punctuation_ratio":0.1217894,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.95830274,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16],"im_url_duplicate_count":[null,1,null,1,null,1,null,1,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-06-25T02:28:56Z\",\"WARC-Record-ID\":\"<urn:uuid:74a22935-9c59-4bc8-b26d-64400b642f10>\",\"Content-Length\":\"142155\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:49e795fc-06e5-4ad9-9d0c-61747e524d7f>\",\"WARC-Concurrent-To\":\"<urn:uuid:0ddc8a28-8423-455f-a7cc-6908862b0e04>\",\"WARC-IP-Address\":\"3.104.175.10\",\"WARC-Target-URI\":\"https://stanford.library.sydney.edu.au/archives/win2015/entries/spacetime-supertasks/\",\"WARC-Payload-Digest\":\"sha1:MINFA4SFSS7EBUZ4U2TC2DH5RDP375IQ\",\"WARC-Block-Digest\":\"sha1:4VAAYJ7KQ6SFDEFLS6NCL4MKVCL26HEH\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-27/CC-MAIN-2022-27_segments_1656103033925.2_warc_CC-MAIN-20220625004242-20220625034242-00725.warc.gz\"}"}
https://www.gradesaver.com/textbooks/math/algebra/algebra-1/chapter-1-foundations-for-algebra-chapter-review-1-7-the-distributive-property-page-71/82
[ "## Algebra 1\n\n$y-3$\nThe distributive property states that for any real numbers $a, b$, and $c$, $a(b+c) = a\\cdot b + a\\cdot c$ Use the formula above to obtain: $=(6y-5y)-3 \\\\=(6-5)y - 3 \\\\=1(y)-3 \\\\=y-3$" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.78051,"math_prob":1.0000032,"size":461,"snap":"2023-14-2023-23","text_gpt3_token_len":134,"char_repetition_ratio":0.10065646,"word_repetition_ratio":0.0,"special_character_ratio":0.30368763,"punctuation_ratio":0.08080808,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9998166,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-06-05T12:52:15Z\",\"WARC-Record-ID\":\"<urn:uuid:96790f46-0952-4b12-b776-b2d2697a9b88>\",\"Content-Length\":\"86547\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:2354aedb-834c-4d4d-8a47-1328824b88cb>\",\"WARC-Concurrent-To\":\"<urn:uuid:aa4c43d4-5bb8-480a-b8fd-e2a5a4c0c66c>\",\"WARC-IP-Address\":\"44.198.254.134\",\"WARC-Target-URI\":\"https://www.gradesaver.com/textbooks/math/algebra/algebra-1/chapter-1-foundations-for-algebra-chapter-review-1-7-the-distributive-property-page-71/82\",\"WARC-Payload-Digest\":\"sha1:KW7O62B4AHATMXXQCOVNEFQZ4PSKE5D3\",\"WARC-Block-Digest\":\"sha1:YTOYIAIGC3PMPTLIOHJFIZQV7GZFFNGV\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-23/CC-MAIN-2023-23_segments_1685224652116.60_warc_CC-MAIN-20230605121635-20230605151635-00025.warc.gz\"}"}
https://www.mathway.com/examples/calculus/exponential-and-logarithmic-functions/exponential-equations?id=208
[ "# Calculus Examples\n\nStep 1\nTake the natural logarithm of both sides of the equation to remove the variable from the exponent.\nStep 2\nExpand by moving outside the logarithm.\nStep 3\nSimplify the left side.\nStep 3.1\nApply the distributive property.\nStep 4\nMove all the terms containing a logarithm to the left side of the equation.\nStep 5\nMove all terms not containing to the right side of the equation.\nStep 5.1\nSubtract from both sides of the equation.\nStep 5.2\nAdd to both sides of the equation.\nStep 6\nDivide each term in by and simplify.\nStep 6.1\nDivide each term in by .\nStep 6.2\nSimplify the left side.\nStep 6.2.1\nCancel the common factor of .\nStep 6.2.1.1\nCancel the common factor.\nStep 6.2.1.2\nDivide by .\nStep 6.3\nSimplify the right side.\nStep 6.3.1\nCancel the common factor of .\nStep 6.3.1.1\nCancel the common factor.\nStep 6.3.1.2\nDivide by .\nStep 7\nThe result can be shown in multiple forms.\nExact Form:\nDecimal Form:" ]
[ null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.736559,"math_prob":0.984162,"size":924,"snap":"2023-40-2023-50","text_gpt3_token_len":282,"char_repetition_ratio":0.19347826,"word_repetition_ratio":0.10843374,"special_character_ratio":0.27380952,"punctuation_ratio":0.18695652,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9991339,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-11-30T04:05:42Z\",\"WARC-Record-ID\":\"<urn:uuid:645e55d1-d104-4571-b80b-6153af923aa0>\",\"Content-Length\":\"119000\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:d4365740-ec20-47f4-897b-8b9b16916852>\",\"WARC-Concurrent-To\":\"<urn:uuid:76e750f4-8369-4b9f-814b-99da6226ac2e>\",\"WARC-IP-Address\":\"3.162.125.24\",\"WARC-Target-URI\":\"https://www.mathway.com/examples/calculus/exponential-and-logarithmic-functions/exponential-equations?id=208\",\"WARC-Payload-Digest\":\"sha1:YBCOJ3PRXC27SBBHJKOGXEIZDJ3T3OUY\",\"WARC-Block-Digest\":\"sha1:LEV4R2EROH3ITH7UBO46LIMPPZC5IH4B\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-50/CC-MAIN-2023-50_segments_1700679100164.87_warc_CC-MAIN-20231130031610-20231130061610-00163.warc.gz\"}"}
https://en.khanacademy.org/math/algebra2/x2ec2f6f830c9fb89:logs/x2ec2f6f830c9fb89:log-intro/v/plotting-exponential-logarithm
[ "If you're seeing this message, it means we're having trouble loading external resources on our website.\n\nIf you're behind a web filter, please make sure that the domains *.kastatic.org and *.kasandbox.org are unblocked.\n\n## Algebra 2\n\n### Course: Algebra 2>Unit 8\n\nLesson 1: Introduction to logarithms\n\n# Relationship between exponentials & logarithms: graphs\n\nGiven a few points on the graph of an exponential function, Sal plots the corresponding points on the graph of the corresponding logarithmic function. Created by Sal Khan.\n\n## Want to join the conversation?\n\n• Hi,\n\nThis might be a silly question but how is y = log_b (X) the inverse of y=b^x? Isn't the inverse of y=b^x this log_b (y) = X?\n\nThanks", null, "•", null, "I guess if you look at the function as y = f(x) = b^x. The inverse of the function would be x = f(y) = b^y. So, the logarithmic form of the inverse function is log_b(x) = y.\nEy that's just my take, might be wrong too lol.\n• How did he know to use points 1,4, and 16 in the second chart? I thought that, given the question, he would have taken the x values from the existing points and plugged them into the 2nd function.", null, "•", null, "", null, "For anyone who watches this video and has a similar question, think about it this way:\ny = b^x can be rewritten as log_b(y) = x.\n\nSo for b = 4 (you can deduce that from the graph) and y = 1, 4, 16 (also deduced from the graph) you have\n\nlog_4(1) = 0\nlog_4(4) = 1\nlog_4(16) = 2\n\nWhich represent points (1, 0), (4, 1) and (16,2) the inverse of the points on the given graph!\n• at around , why is sal taking the y values of the first table and using them as the x values of the second table?", null, "• I had a little trouble on this too, but here's what I figured: The purpose of an exponential function is to find what value a number equals when it is raised to the power of x. However, the *purpose of a logarithm is to find the exponent (x value)* that gives you a certain amount when you raise a base by the unknown x value. Though it might sound complicated, if you try to define the purpose yourself, you'll end up with the same answer. For this reason, they are like the inverse functions of each other, just like multiplication and division.\n\nIn other words, the logarithm tries to lead you to the exponent needed to reach the value, while the exponential graph tries to lead you to the value given by the exponent's use.\n\nTherefore, they are inverse operations as they undo each other. Furthermore, they reflect over the y=x line, and their coordinates are switched. If you check at , you'll see Sal agrees. If you check the background at this time, you'll also see how when the b= 4, everything fits together perfectly.\n\nHope this helps.\n• Sorry about this but I have two questions. The first might be silly, but here goes: How does one solve for x when it is an exponent such as 2^x=1/64. I've been having to guess this whole time and try for answers on my calculator, because solving for x has not been working. I think I might be doing it wrong...\nSecond is, I didn't understand this video too well. I don't understand what the graph has\nto do with any of this, even though I've been okay with everything pertaining to logarithms so far. Any answer is much appreciated. Thank you!", null, "• When the variable is in the exponent, you need to use logarithms of whatever the base of the exponent is.\nFor 2^x = 1 / 64, the base is 2. Therefore, we'll be taking log base 2 of each side of the equation.\nBut before doing that, it's usually easiest to express both sides of the equation using the same base.\nSo, 2^x = 1 / 64 = 1 / 2^6 = 2^(-6)\nlog_2 ( 2^x ) = log_2 ( 2^-6 )\nx = - 6\nHope this helps.\n(I'll let someone else pick up on your question about the graph.)\n• At , how do we know that b raised to the power 1 is equal to four. Is it a definite variable with its value", null, "• Hi, can you please explain how did you know that y=log_b(x) is inverse of y=b^x. a detailed answer would be appreciated. Thanks.", null, "• The actual definition of a logarithm that proves this is several years ahead of the math you're having now, so it wouldn't mean much to you at this stage.\n\nBut, the short answer is that the logarithm was invented to be the inverse operation of an exponential function. In other words, there is a difficult mathematical process that was worked out over the course of about 80 years by Nicholas Mercator, Leonhard Euler and others. The term \"log\" is just a shorthand way of expressing this difficult bit of math.\n\nSo, a log is just a quick way of writing the inverse function of an exponential function. Thus, by definition, the log must be the inverse function of the exponential function.\n\nSo, the reason you are not given exactly what a log is or how to compute it by hand at this level of study is that it is very difficult math. Since we have calculators that can do this math for us, it is possible for people to use logs without having to master very advanced and difficult computations.\n\nBut, just for reference, here is one way to write the actual definition of a logarithm\nlog_b (x)= lim n→0 [x^(n) - 1] / [b^(n) - 1]\nwhere b is the base of the logarithm.\n• I'm sorry but I'm confused by this video. I've understood everything so far but I got lost. How does this work?", null, "• To solve for other points, couldn't I figure out that b=4 from the pattern in y=b^x and go from there?", null, "• From this set it is obvious that b=4, but the point of the exercise is to highlight the fact that the logarithmic function is an inverse of the exponential function, meaning that you still could have mapped the second set of points simply by reflecting over the line y = x, even if the values present did not provide a simple/obvious value for b.\n• I've seen a notation such as 10 log (25/5) = 10 log (5). I'm confused about the \"10\" and the \"log\" placement. Is this the same as saying log_10 5? Another (very similar) notation is 20 log (0.1/2)=20 log (0.05). Again, why put the 10 and the 20 before the \"log\"? Thank You!\n(1 vote)", null, "• My book has the following example:\nYou can choose a prize of either a \\$20,000 car or one penney on the first day, double that (2cents) on the 2nd day, and so on for a month. On what day would you receive more than the value of the car?\n\\$20,000 is 2,000,000 cents. One day you would receive 1 cent, or 2^0 cents. On day 2, you would receive 2 cents or 2^1, and so on. So, on day n you would receive 2^(n-1) cents.\nHere is the solution:\n2^(n-1)>2X10^6\nlog 2^(n-1)>log(2X10^6)\n(n-1 log 2>log 2+log10^6\n(n-1)log2>log2 +6\nn-1>(log2+6)/log2\nn>(0.301+6)/(0.301)+1\nn>21.93\nThe answer is : On day 22\n\nNow based on the problem above the book asks:\nSuppose that you receive triple the amount each day. On what day would you receive at least 1 millon dollars?\n\nI solved it the following way but I could not get the right answer which is day 18.\n3^(n-1)>10^6\nlog 2(n-1)>log10^6\n(n-1)log3 >lo 10^6\n(n-1)log3>6\nn-1 >6/log3\nn >6/log3 +1\nI got 13.58, but the book says 18 days", null, "" ]
[ null, "https://cdn.kastatic.org/images/avatars/svg/blobby-green.svg", null, "https://cdn.kastatic.org/images/badges/moon/good-answer-40x40.png", null, "https://cdn.kastatic.org/images/avatars/svg/blobby-green.svg", null, "https://cdn.kastatic.org/images/badges/earth/great-answer-40x40.png", null, "https://cdn.kastatic.org/images/badges/moon/good-answer-40x40.png", null, "https://cdn.kastatic.org/images/avatars/svg/blobby-green.svg", null, "https://cdn.kastatic.org/images/avatars/svg/blobby-green.svg", null, "https://cdn.kastatic.org/images/avatars/svg/blobby-green.svg", null, "https://cdn.kastatic.org/images/avatars/svg/blobby-green.svg", null, "https://cdn.kastatic.org/images/avatars/svg/blobby-green.svg", null, "https://cdn.kastatic.org/images/avatars/svg/blobby-green.svg", null, "https://cdn.kastatic.org/images/avatars/svg/blobby-green.svg", null, "https://cdn.kastatic.org/images/avatars/svg/blobby-green.svg", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.95129204,"math_prob":0.9612986,"size":10968,"snap":"2023-14-2023-23","text_gpt3_token_len":2915,"char_repetition_ratio":0.14675301,"word_repetition_ratio":0.054066762,"special_character_ratio":0.2748906,"punctuation_ratio":0.105714284,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9988393,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-05-29T16:04:35Z\",\"WARC-Record-ID\":\"<urn:uuid:1097ed58-cd9f-4107-85d7-b2ab2457e9ea>\",\"Content-Length\":\"703284\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:a5f566bc-de23-4d6d-ab24-5973703f45e5>\",\"WARC-Concurrent-To\":\"<urn:uuid:56f31155-6b12-4af1-b5e2-46e9a02343a2>\",\"WARC-IP-Address\":\"146.75.33.42\",\"WARC-Target-URI\":\"https://en.khanacademy.org/math/algebra2/x2ec2f6f830c9fb89:logs/x2ec2f6f830c9fb89:log-intro/v/plotting-exponential-logarithm\",\"WARC-Payload-Digest\":\"sha1:JKUJV4MYQCP6R43B7WPNXEANRTCV6Y7I\",\"WARC-Block-Digest\":\"sha1:WJEBKZF2JCCP7SUDEEQS22HLUSH5NGP3\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-23/CC-MAIN-2023-23_segments_1685224644867.89_warc_CC-MAIN-20230529141542-20230529171542-00058.warc.gz\"}"}
https://www.thermal-engineering.org/what-is-reynolds-number-definition/
[ "# What is Reynolds Number – Definition\n\nThe Reynolds number is the ratio of inertial forces to viscous forces and is a convenient parameter for predicting if a flow condition will be laminar or turbulent. Thermal Engineering\n\n## Reynolds Number\n\nThe Reynolds number is the ratio of inertial forces to viscous forces and is a convenient parameter for predicting if a flow condition will be laminar or turbulent. It can be interpreted that when the viscous forces are dominant (slow flow, low Re) they are sufficient enough to keep all the fluid particles in line, then the flow is laminar. Even very low Re indicates viscous creeping motion, where inertia effects are negligible. When the inertial forces dominate over the viscous forces (when the fluid is flowing faster and Re is larger) then the flow is turbulent.", null, "It is a dimensionless number comprised of the physical characteristics of the flow. An increasing Reynolds number indicates an increasing turbulence of flow.\n\nwhere:\nV is the flow velocity,\nD is a characteristic linear dimension, (travelled length of the fluid; hydraulic diameter etc.)\nρ fluid density (kg/m3),\nμ dynamic viscosity (Pa.s),\nν kinematic viscosity (m2/s);  ν = μ / ρ.\n\n[/su_accordion]\n\n## Laminar vs. Turbulent Flow\n\nLaminar flow:\n\n• Re < 2000\n• ‘low’ velocity\n• Fluid particles move in straight lines\n• Layers of water flow over one another at different speeds with virtually no mixing between layers.\n• The flow velocity profile for laminar flow in circular pipes is parabolic in shape, with a maximum flow in the center of the pipe and a minimum flow at the pipe walls.\n• The average flow velocity is approximately one half of the maximum velocity.\n• Simple mathematical analysis is possible.\n• Rare in practice in water systems.\n\nTurbulent Flow:\n\n• Re > 4000\n• ‘high’ velocity\n• The flow is characterized by the irregular movement of particles of the fluid.\n• Average motion is in the direction of the flow\n• The flow velocity profile for turbulent flow is fairly flat across the center section of a pipe and drops rapidly extremely close to the walls.\n• The average flow velocity is approximately equal to the velocity at the center of the pipe.\n• Mathematical analysis is very difficult.\n• Most common type of flow.\n\nClassification of Flow Regimes\nFrom a practical engineering point of view the flow regime can be categorized according to several criteria.\n\nAll fluid flow is classified into one of two broad categories or regimes. These two flow regimes are:\n\n• Single-phase Fluid Flow\n• Multi-phase Fluid Flow (or Two-phase Fluid Flow)\n\nThis is a basic classification. All of the fluid flow equations (e.g. Bernoulli’s Equation) and relationships that were discussed in this section (Fluid Dynamics) were derived for the flow of a single phase of fluid whether liquid or vapor. Solution of multi-phase fluid flow is very complex and difficult and therefore it is usually in advanced courses of fluid dynamics.", null, "Another usually more common classification of flow regimes is according to the shape and type of streamlines. All fluid flow is classified into one of two broad categories. The fluid flow can be either laminar or turbulent and therefore these two categories are:\n\n• Laminar Flow\n• Turbulent Flow\n\nLaminar flow is characterized by smooth or in regular paths of particles of the fluid. Therefore the laminar flow is also referred to as streamline or viscous flow. In contrast to laminar flow, turbulent flow is characterized by the irregular movement of particles of the fluid. The turbulent fluid does not flow in parallel layers, the lateral mixing is very high, and there is a disruption between the layers. Most industrial flows, especially those in nuclear engineering are turbulent.\n\nThe flow regime can be also classified according to the geometry of a conduit or flow area. From this point of view, we distinguish:\n\n• Internal Flow\n• External Flow\n\nInternal flow is a flow for which the fluid is confined by a surface. Detailed knowledge of behaviour of internal flow regimes is of importance in engineering, because circular pipes can withstand high pressures and hence are used to convey liquids. On the other hand, external flow is such a flow in which boundary layers develop freely, without constraints imposed by adjacent surfaces. Detailed knowledge of behaviour of external flow regimes is of importance especially in aeronautics and aerodynamics.\n\nTable from Life in Moving Fluids\n\n## Reynolds Number Regimes", null, "Laminar flow. For practical purposes, if the Reynolds number is less than 2000, the flow is laminar. The accepted transition Reynolds number for flow in a circular pipe is Red,crit = 2300.\n\nTransitional flow. At Reynolds numbers between about 2000 and 4000 the flow is unstable as a result of the onset of turbulence. These flows are sometimes referred to as transitional flows.\n\nTurbulent flow. If the Reynolds number is greater than 3500, the flow is turbulent. Most fluid systems in nuclear facilities operate with turbulent flow.\n\n## Reynolds Number and Internal Flow\n\nThe internal flow (e.g. flow in a pipe) configuration is a convenient geometry for heating and cooling fluids used in energy conversion technologies such as nuclear power plants.\n\nIn general, this flow regime is of importance in engineering, because circular pipes can withstand high pressures and hence are used to convey liquids. Non-circular ducts are used to transport low-pressure gases, such as air in cooling and heating systems.\n\nFor internal flow regime an entrance region is typical. In this region a nearly inviscid upstream flow converges and enters the tube. To characterize this region the hydrodynamic entrance length is introduced and is approximately equal to:", null, "The maximum hydrodynamic entrance length, at ReD,crit = 2300 (laminar flow), is Le = 138d, where D is the diameter of the pipe. This is the longest development length possible. In turbulent flow, the boundary layers grow faster, and Le is relatively shorter. For any given problem, Le / D has to be checked to see if Le is negligible when compared to the pipe length. At a finite distance from the entrance, the entrance effects may be neglected, because the boundary layers merge and the inviscid core disappears. The tube flow is then fully developed.\n\nFlow Velocity Profile - Power-law velocity profile", null, "Source: U.S. Department of Energy, THERMODYNAMICS, HEAT TRANSFER, AND FLUID FLOW. DOE Fundamentals Handbook, Volume 1, 2 and 3. June 1992.\n\n## Power-law velocity profile – Turbulent velocity profile", null, "The velocity profile in turbulent flow is flatter in the central part of the pipe (i.e. in the turbulent core) than in laminar flow. The flow velocity drops rapidly extremely close to the walls. This is due to the diffusivity of the turbulent flow.\n\nIn case of turbulent pipe flow, there are many empirical velocity profiles. The simplest and the best known is the power-law velocity profile:", null, "where the exponent n is a constant whose value depends on the Reynolds number. This dependency is empirical and it is shown at the picture. In short, the value n increases with increasing Reynolds number. The one-seventh power-law velocity profile approximates many industrial flows.\n\n## Hydraulic Diameter\n\nSince the characteristic dimension of a circular pipe is an ordinary diameter D and especially reactors contains non-circular channels, the characteristic dimension must be generalized.\n\nFor these purposes the Reynolds number is defined as:", null, "where Dh is the hydraulic diameter:", null, "", null, "The hydraulic diameter, Dh, is a commonly used term when handling flow in non-circular tubes and channels. The hydraulic diameter transforms non-circular ducts into pipes of equivalent diameter. Using this term, one can calculate many things in the same way as for a round tube. In this equation A is the cross-sectional area, and P is the wetted perimeter of the cross-section. The wetted perimeter for a channel is the total perimeter of all channel walls that are in contact with the flow.\n\nExample: Reynolds number for a primary piping and a fuel bundle\n`It is an illustrative example, following data do not correspond to any reactor design.`\n\nPressurized water reactors are cooled and moderated by high-pressure liquid water (e.g. 16MPa). At this pressure water boils at approximately 350°C (662°F). Inlet temperature of the water is about 290°C (⍴ ~ 720 kg/m3). The water (coolant) is heated in the reactor core to approximately 325°C (⍴ ~ 654 kg/m3) as the water flows through the core.\n\nThe primary circuit of typical PWRs is divided into 4 independent loops (piping diameter ~ 700mm), each loop comprises a steam generator and one main coolant pump. Inside the reactor pressure vessel (RPV), the coolant first flows down outside the reactor core (through the downcomer). From the bottom of the pressure vessel, the flow is reversed up through the core, where the coolant temperature increases as it passes through the fuel rods and the assemblies formed by them.\n\nAssume:\n\n• the primary piping flow velocity is constant and equal to 17 m/s,\n• the core flow velocity is constant and equal to 5 m/s,\n• the hydraulic diameter of the fuel channel, Dh, is equal to 1 cm\n• the kinematic viscosity of the water at 290°C is equal to 0.12 x 10-6 m2/s\n\nDetermine\n\n• the flow regime and the Reynolds number inside the fuel channel\n• the flow regime and the Reynolds number inside the primary piping\n\nThe Reynolds number inside the primary piping is equal to:\n\nReD = 17 [m/s] x 0.7 [m] / 0.12×10-6 [m2/s] = 99 000 000\n\nThis fully satisfies the turbulent conditions.\n\nThe Reynolds number inside the fuel channel is equal to:\n\nReDH = 5 [m/s] x 0.01 [m] / 0.12×10-6 [m2/s] = 416 600\n\nThis also fully satisfies the turbulent conditions.\n\n## Reynolds Number and External Flow\n\nThe Reynolds number describes naturally the external flow as well. In general, when a fluid flows over a stationary surface, e.g. the flat plate, the bed of a river, or the wall of a pipe, the fluid touching the surface is brought to rest by the shear stress to at the wall. The region in which flow adjusts from zero velocity at the wall to a maximum in the main stream of the flow is termed the boundary layer.\n\nBasic characteristics of all laminar and turbulent boundary layers are shown in the developing flow over a flat plate. The stages of the formation of the boundary layer are shown in the figure below:", null, "Boundary layers may be either laminar, or turbulent depending on the value of the Reynolds number.\n\nAlso here the Reynolds number represents the ratio of inertia forces to viscous forces and is a convenient parameter for predicting if a flow condition will be laminar or turbulent. It is defined as:", null, "in which V is the mean flow velocity, D a characteristic linear dimension, ρ fluid density, μ dynamic viscosity, and ν kinematic viscosity.\n\nFor lower Reynolds numbers, the boundary layer is laminar and the streamwise velocity changes uniformly as one moves away from the wall, as shown on the left side of the figure. As the Reynolds number increases (with x) the flow becomes unstable and finally for higher Reynolds numbers, the boundary layer is turbulent and the streamwise velocity is characterized by unsteady (changing with time) swirling flows inside the boundary layer.\n\nTransition from laminar to turbulent boundary layer occurs when Reynolds number at x exceeds Rex ~ 500,000. Transition may occur earlier, but it is dependent especially on the surface roughness. The turbulent boundary layer thickens more rapidly than the laminar boundary layer as a result of increased shear stress at the body surface.\n\nThe external flow reacts to the edge of the boundary layer just as it would to the physical surface of an object. So the boundary layer gives any object an “effective” shape which is usually slightly different from the physical shape. We define the thickness of the boundary layer as the distance from the wall to the point where the velocity is 99% of the “free stream” velocity.\n\nTo make things more confusing, the boundary layer may lift off or “separate” from the body and create an effective shape much different from the physical shape. This happens because the flow in the boundary has very low energy (relative to the free stream) and is more easily driven by changes in pressure.\n\nSpecial reference: Schlichting Herrmann, Gersten Klaus. Boundary-Layer Theory, Springer-Verlag Berlin Heidelberg, 2000, ISBN: 978-3-540-66270-9\n\nExample: Transition Layer\nA long thin flat plate is placed parallel to a 1 m/s stream of water at 20°C. Assume that kinematic viscosity of water at 20°C is equal to 1×10-6 m2/s.\n\nAt what distance x from the leading edge will be the transition from laminar to turbulent boundary layer (i.e. find Rex ~ 500,000).\n\nSolution:\n\nIn order to locate the transition from laminar to turbulent boundary layer, we have to find x at which Rex ~ 500,000.\n\nx = 500 000 x 1×10-6 [m2/s] / 1 [m/s] = 0.5 m\n\nReferences:\nReactor Physics and Thermal Hydraulics:\n1. J. R. Lamarsh, Introduction to Nuclear Reactor Theory, 2nd ed., Addison-Wesley, Reading, MA (1983).\n2. J. R. Lamarsh, A. J. Baratta, Introduction to Nuclear Engineering, 3d ed., Prentice-Hall, 2001, ISBN: 0-201-82498-1.\n3. W. M. Stacey, Nuclear Reactor Physics, John Wiley & Sons, 2001, ISBN: 0- 471-39127-1.\n4. Glasstone, Sesonske. Nuclear Reactor Engineering: Reactor Systems Engineering, Springer; 4th edition, 1994, ISBN: 978-0412985317\n5. Todreas Neil E., Kazimi Mujid S. Nuclear Systems Volume I: Thermal Hydraulic Fundamentals, Second Edition. CRC Press; 2 edition, 2012, ISBN: 978-0415802871\n6. Zohuri B., McDaniel P. Thermodynamics in Nuclear Power Plant Systems. Springer; 2015, ISBN: 978-3-319-13419-2\n7. Moran Michal J., Shapiro Howard N. Fundamentals of Engineering Thermodynamics, Fifth Edition, John Wiley & Sons, 2006, ISBN: 978-0-470-03037-0\n8. Kleinstreuer C. Modern Fluid Dynamics. Springer, 2010, ISBN 978-1-4020-8670-0.\n9. U.S. Department of Energy, THERMODYNAMICS, HEAT TRANSFER, AND FLUID FLOW. DOE Fundamentals Handbook, Volume 1, 2 and 3. June 1992.\n10. White Frank M., Fluid Mechanics, McGraw-Hill Education, 7th edition, February, 2010, ISBN: 978-0077422417" ]
[ null, "https://www.thermal-engineering.org/wp-content/uploads/2019/05/Reynolds-Number.png", null, "https://thermal-engineering.org/wp-content/uploads/2019/05/Flow-Regime-300x175.png", null, "https://thermal-engineering.org/wp-content/uploads/2019/05/Flow-Regime-300x175.png", null, "https://www.thermal-engineering.org/wp-content/uploads/2019/05/hydrodynamic-entrance-length.png", null, "https://www.thermal-engineering.org/wp-content/uploads/2019/05/velocity-profiles-internal-flow.png", null, "https://thermal-engineering.org/wp-content/uploads/2019/05/Power-law-velocity-profile-300x171.png", null, "https://www.thermal-engineering.org/wp-content/uploads/2019/05/Power-law-velocity-profile-equation.png", null, "https://www.thermal-engineering.org/wp-content/uploads/2019/05/Reynolds-number-hydraulic-diameter.png", null, "https://www.thermal-engineering.org/wp-content/uploads/2019/05/Hydraulic-Diameter-equation.png", null, "https://thermal-engineering.org/wp-content/uploads/2019/05/Hydraulic-Diameter-non-circular-tubes-232x300.png", null, "https://thermal-engineering.org/wp-content/uploads/2019/05/Boundary-layer-on-flat-plate-1024x357.png", null, "https://www.thermal-engineering.org/wp-content/uploads/2019/05/Reynolds-number-formula.png", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.88713205,"math_prob":0.93573064,"size":7595,"snap":"2023-40-2023-50","text_gpt3_token_len":1572,"char_repetition_ratio":0.15347122,"word_repetition_ratio":0.04130262,"special_character_ratio":0.20223832,"punctuation_ratio":0.09885387,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9766631,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24],"im_url_duplicate_count":[null,null,null,null,null,null,null,10,null,null,null,10,null,10,null,7,null,null,null,null,null,null,null,9,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-09-25T12:52:37Z\",\"WARC-Record-ID\":\"<urn:uuid:4262525b-d976-4f1e-8841-0c495f8f4ae7>\",\"Content-Length\":\"477663\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:67844aca-bd34-4b44-8fb2-b173f6c8079b>\",\"WARC-Concurrent-To\":\"<urn:uuid:f05f57dc-2e80-4428-92e1-3bd8725ed136>\",\"WARC-IP-Address\":\"172.67.147.159\",\"WARC-Target-URI\":\"https://www.thermal-engineering.org/what-is-reynolds-number-definition/\",\"WARC-Payload-Digest\":\"sha1:LF27LRLB2T25NIMU2TOSSJRR2GJ4KBLY\",\"WARC-Block-Digest\":\"sha1:MCZ7G56LM522NYK7M72L6TKLHDGWYHCV\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-40/CC-MAIN-2023-40_segments_1695233508977.50_warc_CC-MAIN-20230925115505-20230925145505-00820.warc.gz\"}"}
https://statnmap.com:443/2020-07-31-buffer-area-for-nearest-neighbour/
[ "", null, "# Buffer areas for nearest neighbours or national marine areas delineation\n\nA few weeks ago, Christina Buelow asked on Twitter how she could create the polygons of coastal waters using the land polygons, and making sure there is no overlap in buffer areas. This would make it possible to know which land area is closest to any place in the sea. Let’s explore what solution emerged from the discussions.\n\n## TL;DR\n\n``````# Define where to save the dataset\nextraWD <- tempdir()\n# Get some data available to anyone\nif (!file.exists(file.path(extraWD, \"departement.zip\"))) {\ngithubURL <- \"https://github.com/statnmap/blog_tips/raw/master/2018-07-14-introduction-to-mapping-with-sf-and-co/data/departement.zip\"\nunzip(file.path(extraWD, \"departement.zip\"), exdir = extraWD)\n}``````\n• Reduce the dataset to a small region\n``````library(sf)\n# remotes::install_github(\"statnmap/cartomisc\")\nlibrary(cartomisc)\nlibrary(dplyr)\nlibrary(ggplot2)\n\ndepartements_l93 <- read_sf(dsn = extraWD, layer = \"DEPARTEMENT\")\n\n# Reduce dataset\nbretagne_l93 <- departements_l93 %>%\nfilter(NOM_REG == \"BRETAGNE\")``````\n• Calculate the regional buffer area using `regional_seas()`\n``````bretagne_regional_2km_l93 <- regional_seas(\nx = bretagne_l93,\ngroup = \"NOM_DEPT\",\ndist = units::set_units(30, km), # buffer distance\ndensity = units::set_units(0.5, 1/km) # density of points (the higher, the more precise the region attribution)\n)``````\n• Plot the data\n``````ggplot() +\ngeom_sf(data = bretagne_regional_2km_l93,\naes(colour = NOM_DEPT, fill = NOM_DEPT),\nalpha = 0.25) +\ngeom_sf(data = bretagne_l93,\naes(fill = NOM_DEPT),\ncolour = \"grey20\",\nalpha = 0.5) +\nscale_fill_viridis_d() +\nscale_color_viridis_d() +\ntheme_bw()``````", null, "If you want to know the long story, you can continue reading this blog post, otherwise, you have everything you need to start on your own data !\n\n## Create buffer area around adjacent polygons\n\nAs always when trying to figure out a solution to a specific problem, let’s start with a reproducible example, commonly called “reprex” among R users. This means, we create the minimal code that allows anyone to execute the code, face the same problem and show everything we tested. In the present case, I couldn’t find enough time to reach a solution during the discussions, so I prepared a gist showing what I tried, what point I reached, and more importantly what I plan to achieve.\n\n``````library(sf)\nlibrary(ggplot2)\nlibrary(dplyr)\n\nmy_blue <- \"#1e73be\"``````\n\n``````# Define where to save the dataset\nextraWD <- \".\"\n# Get some data available to anyone\nif (!file.exists(file.path(extraWD, \"departement.zip\"))) {\ngithubURL <- \"https://github.com/statnmap/blog_tips/raw/master/2018-07-14-introduction-to-mapping-with-sf-and-co/data/departement.zip\"\nunzip(file.path(extraWD, \"departement.zip\"), exdir = extraWD)\n}``````\n\nI reduce the dataset to better see what I am doing. Here, I filter the Brittany area.\nAs you can see, there are 4 departments in this region, thus 4 spatial features.\n\n``````departements_l93 <- read_sf(dsn = extraWD, layer = \"DEPARTEMENT\")\n\n# Reduce dataset\nbretagne_l93 <- departements_l93 %>%\nfilter(NOM_REG == \"BRETAGNE\")\n\nbretagne_l93``````\n``````## Simple feature collection with 4 features and 11 fields\n## Geometry type: MULTIPOLYGON\n## Dimension: XY\n## Bounding box: xmin: 99217.1 ymin: 6704195 xmax: 400572.3 ymax: 6881964\n## Projected CRS: RGF93_Lambert_93\n## # A tibble: 4 x 12\n## ID_GEOFLA CODE_DEPT NOM_DEPT CODE_CHF NOM_CHF X_CHF_LIEU Y_CHF_LIEU X_CENTROID\n## * <chr> <chr> <chr> <chr> <chr> <int> <int> <int>\n## 1 DEPARTEM… 35 ILLE-ET… 238 RENNES 351870 6789646 326237\n## 2 DEPARTEM… 22 COTES-D… 278 SAINT-… 274947 6839206 260216\n## 3 DEPARTEM… 29 FINISTE… 232 QUIMPER 171326 6789950 115669\n## 4 DEPARTEM… 56 MORBIHAN 260 VANNES 267889 6744074 256790\n## # … with 4 more variables: Y_CENTROID <int>, CODE_REG <chr>, NOM_REG <chr>,\n## # geometry <MULTIPOLYGON [m]>``````\n\nNow, I can plot the output of buffer areas around separate polygons.\n\n``````# Create buffer\nbretagne_buffer_l93 <- bretagne_l93 %>%\nst_buffer(\ndist =\nunits::set_units(10, km)\n)\n\nggplot() +\ngeom_sf(data = bretagne_buffer_l93, fill = my_blue, alpha = 0.2, colour = my_blue) +\ngeom_sf(data = bretagne_l93, fill = NA) +\ntheme_bw()``````", null, "You can see there are overlapping areas.\nThis is where Voronoï polygons come to help us. From here, I will take some ideas that Christina gathered during her Twitter discussions. Her complete code for coastal buffers is here.\n\n``````# Create a merged region entity\nbretagne_union_l93 <- bretagne_l93 %>%\nsummarise()\n\nggplot() +\ngeom_sf(data = bretagne_union_l93, colour = my_blue, fill = NA)``````", null, "``````# Create a doughnut for regional seas areas, 30km off coasts\nbretagne_seas_l93 <- bretagne_union_l93 %>%\nst_buffer(\ndist = units::set_units(30, km)\n) %>%\nst_cast()\n\nggplot() +\ngeom_sf(data = bretagne_seas_l93, colour = my_blue, fill = NA)``````", null, "``````# Remove inside terrestrial parts\nbretagne_donut_l93 <- bretagne_seas_l93 %>%\nst_difference(bretagne_union_l93) %>%\nst_cast()\n\nggplot() +\ngeom_sf(data = bretagne_donut_l93, colour = my_blue, fill = my_blue, alpha = 0.2)``````", null, "## Let’s divide this area in multiples polygons\n\nWe use the coastlines as a basis.\n\n``````# density <- units::set_units(0.1, 1/km)\n\n# First merge everything and transform as lines\nbretagne_points_l93 <- bretagne_union_l93 %>%\n# transform polygons as multi-lines\nst_cast(\"MULTILINESTRING\") %>%\n# transform multi-lines as separate unique lines\nst_cast(\"LINESTRING\") %>%\n# transform as points, 0.1 per km (= 1 every 10 km)\n# Choose density according to precision needed\nst_line_sample(density = units::set_units(0.1, 1/km)) %>%\nst_sf() #%>%\n# remove empty geometry (small islands where sample is not possible with this density)\n# filter(!st_is_empty(geometry))\n\nggplot() +\ngeom_sf(data = bretagne_points_l93, colour = my_blue, fill = NA)``````", null, "``````# Create voronoi polygons around points\nbretagne_voronoi_l93 <- bretagne_points_l93 %>%\nst_combine() %>%\nst_voronoi() %>%\nst_cast()\n\nggplot() +\ngeom_sf(data = bretagne_voronoi_l93, colour = my_blue, fill = NA)``````", null, "## Join voronoi and donut polygon\n\n``````bretagne_voronoi_donut_l93 <- bretagne_voronoi_l93 %>%\nst_intersection(bretagne_donut_l93) %>%\nst_cast() %>%\nst_sf()\n\nggplot() +\ngeom_sf(data = bretagne_voronoi_donut_l93, colour = my_blue, fill = NA)``````", null, "# Join voronoi-donut polygons to original dataset to intersect with regions\n\nWe realise sort of a `left_join` based on spatial attributes using `st_join()`. This will keep the original geometry of our voronoi-donut polygons, while retrieving variables of joined terrestrial dataset when there is intersection.\n\n``````# Equivalent to left_join\nbretagne_vd_region_l93 <- bretagne_voronoi_donut_l93 %>%\nst_join(bretagne_l93)\n\nggplot() +\ngeom_sf(data = bretagne_vd_region_l93,\naes(colour = NOM_DEPT, fill = NOM_DEPT),\nalpha = 0.25)``````", null, "``````# Interactive view\nmapview::mapview(bretagne_vd_region_l93, zcol = \"NOM_DEPT\")``````\n\nIf we zoom on the map using `mapview()`, you can see that polygons between two regions sees a double attribution. This is because voronoi intersect with both regions. If you want to reduce the size of the overlapping polygons, you can increase the density of points used to create the voronoi polygons in `st_line_sample()`. However, we will always have the double attribution. Remember that `st_join()` works like `left_join()`. If there are duplicate keys, entities are doubled.\nTo avoid this, we will have to choose between one region or the other. First, we give a number to the voronoi polygons before joining to be able to identify those that are doubled. Then, we will choose to keep only the first of them in the list. Note that `summarise_all` does not exists for {sf} objects. I cannot use `group_by(id_v) + summarise_all(first)` as for classical datasets, neither the new `across()` function. I use `distinct()` with parameter `keep_all = TRUE` so that it keeps all variables with the first entity for each voronoi polygon.\n\n``````bretagne_vd_region_distinct_l93 <- bretagne_voronoi_donut_l93 %>%\nmutate(id_v = 1:n()) %>%\nst_join(bretagne_l93) %>%\n# group_by(id_v) %>%\n# summarise(across(.cols = everything(), .fns = first)) # Not on {sf}\n# summarise_all(.funs = first) # Not on {sf}\ndistinct(id_v, .keep_all = TRUE)\n\nggplot() +\ngeom_sf(data = bretagne_vd_region_distinct_l93,\naes(colour = NOM_DEPT, fill = NOM_DEPT),\nalpha = 0.25)``````", null, "``````# Interactive view\nmapview::mapview(bretagne_vd_region_distinct_l93, zcol = \"NOM_DEPT\")``````" ]
[ null, "https://statnmap.com/post/2020-07-31-buffer-area-for-nearest-neighbour/2020-07-31-buffer-area-for-nearest-neighbour_header.png", null, "https://statnmap.com:443/post/2020-07-31-buffer-area-for-nearest-neighbour_files/figure-html/buffer-nearest-en04-1.jpeg", null, "https://statnmap.com:443/post/2020-07-31-buffer-area-for-nearest-neighbour_files/figure-html/buffer-nearest-en08-1.jpeg", null, "https://statnmap.com:443/post/2020-07-31-buffer-area-for-nearest-neighbour_files/figure-html/buffer-nearest-en09-1.jpeg", null, "https://statnmap.com:443/post/2020-07-31-buffer-area-for-nearest-neighbour_files/figure-html/buffer-nearest-en09-2.jpeg", null, "https://statnmap.com:443/post/2020-07-31-buffer-area-for-nearest-neighbour_files/figure-html/buffer-nearest-en09-3.jpeg", null, "https://statnmap.com:443/post/2020-07-31-buffer-area-for-nearest-neighbour_files/figure-html/buffer-nearest-en10-1.jpeg", null, "https://statnmap.com:443/post/2020-07-31-buffer-area-for-nearest-neighbour_files/figure-html/buffer-nearest-en10-2.jpeg", null, "https://statnmap.com:443/post/2020-07-31-buffer-area-for-nearest-neighbour_files/figure-html/unnamed-chunk-1-1.jpeg", null, "https://statnmap.com:443/post/2020-07-31-buffer-area-for-nearest-neighbour_files/figure-html/unnamed-chunk-2-1.jpeg", null, "https://statnmap.com:443/post/2020-07-31-buffer-area-for-nearest-neighbour_files/figure-html/unnamed-chunk-3-1.jpeg", null ]
{"ft_lang_label":"__label__en","ft_lang_prob":0.629864,"math_prob":0.87749785,"size":8368,"snap":"2022-27-2022-33","text_gpt3_token_len":2397,"char_repetition_ratio":0.12745099,"word_repetition_ratio":0.10929432,"special_character_ratio":0.29493308,"punctuation_ratio":0.143613,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9763091,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22],"im_url_duplicate_count":[null,4,null,2,null,2,null,2,null,2,null,2,null,2,null,2,null,2,null,2,null,2,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-08-12T03:25:55Z\",\"WARC-Record-ID\":\"<urn:uuid:b42ce630-1190-4424-9c0a-8eec62168482>\",\"Content-Length\":\"1048839\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:19b51e74-3872-49b8-8cf3-84bdbfbe083e>\",\"WARC-Concurrent-To\":\"<urn:uuid:f4f99eed-1cc8-4be4-bb8e-5dd17cfbb9d1>\",\"WARC-IP-Address\":\"213.186.33.19\",\"WARC-Target-URI\":\"https://statnmap.com:443/2020-07-31-buffer-area-for-nearest-neighbour/\",\"WARC-Payload-Digest\":\"sha1:UEU322WHIZBL5HTOWJDLCK43RE4O7AFN\",\"WARC-Block-Digest\":\"sha1:432ERTVOPFTAMIZ4SMWZPWEIJSVTW5KT\",\"WARC-Truncated\":\"length\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-33/CC-MAIN-2022-33_segments_1659882571538.36_warc_CC-MAIN-20220812014923-20220812044923-00225.warc.gz\"}"}