From b9fa03695619c80574e1371d6134018d02b07f37 Mon Sep 17 00:00:00 2001 From: ammar hassan Date: Fri, 29 Jun 2018 21:10:19 +0400 Subject: [PATCH 001/116] add String Concatenation example --- Strings/strings_example_en.py | 9 ++++++++- 1 file changed, 8 insertions(+), 1 deletion(-) diff --git a/Strings/strings_example_en.py b/Strings/strings_example_en.py index ed3ec8b..3b32c40 100644 --- a/Strings/strings_example_en.py +++ b/Strings/strings_example_en.py @@ -19,4 +19,11 @@ #example 3 #added by @remon str3 ="2018" -print(str3) \ No newline at end of file +print(str3) + +#example 4 +#added by @ammore +# this example explain how to Concatenate two strings +str1 = "hi " +str2 = "all" +print (str1 + str2) \ No newline at end of file From bfea6a92c26c954a937236f6bbda7b93b7145752 Mon Sep 17 00:00:00 2001 From: sundus Date: Fri, 29 Jun 2018 21:21:38 +0300 Subject: [PATCH 002/116] this code didnot know for solution --- Lists/lambda | 6 ++++++ 1 file changed, 6 insertions(+) create mode 100644 Lists/lambda diff --git a/Lists/lambda b/Lists/lambda new file mode 100644 index 0000000..009370b --- /dev/null +++ b/Lists/lambda @@ -0,0 +1,6 @@ +what is the output of this code? +gun = lambda x:x*x +dada = 1 +for i in range(1,3): + data+=gun(i) +print(gun(data)) From 2d0eaa1a8f4c3c030ee33362722a09a61e369ba0 Mon Sep 17 00:00:00 2001 From: Abdulaziz Abdulaziz Date: Fri, 29 Jun 2018 21:46:54 +0300 Subject: [PATCH 003/116] Add python file that print fibonacci --- Functions/python_exmple_fibonacci.py | 7 +++++++ 1 file changed, 7 insertions(+) create mode 100644 Functions/python_exmple_fibonacci.py diff --git a/Functions/python_exmple_fibonacci.py b/Functions/python_exmple_fibonacci.py new file mode 100644 index 0000000..fde44dc --- /dev/null +++ b/Functions/python_exmple_fibonacci.py @@ -0,0 +1,7 @@ +import numpy as np +def fibonacci_cube(num): + lis = [0,1] + for i in range(2,num): + lis.append(lis[i-2] + lis[i-1]) + return np.array(lis)**3 +print fibonacci_cube(8) From da5f01485a2511132f0cc2ab2b757868cba81aee Mon Sep 17 00:00:00 2001 From: MenaKamal Date: Fri, 29 Jun 2018 21:57:57 +0300 Subject: [PATCH 004/116] python101: add arithemtic operators --- python_bacics_101/Arithemtic_operators.py | 37 +++++++++++++++++++++++ 1 file changed, 37 insertions(+) create mode 100644 python_bacics_101/Arithemtic_operators.py diff --git a/python_bacics_101/Arithemtic_operators.py b/python_bacics_101/Arithemtic_operators.py new file mode 100644 index 0000000..53e0478 --- /dev/null +++ b/python_bacics_101/Arithemtic_operators.py @@ -0,0 +1,37 @@ +# Examples on how to uses python operators +a = 20 ; b = 10 + +# Addition operator +c = a + b +print "Addition value =" , c + +# Subtraction operator +c = a - b +print "Subtraction value = " , c + +# Multipliction operator +c = a * b +print "Multipliction value = " , c + +# Division operator +c = a / b +print "Division value = " , c + +# Mod operator +c = a % b +print "Mod value = " , c + +# Exponent or power operator +a = 2 ; b = 3 +c = a ** b +print "Exponent value = " , c + +# floor Division or integer division operator +''' +Note : +In Python the division of 5 / 2 will return 2.5 this is floating point division +the floor Division or integer divisio will return 2 mean return only the integer value +''' +a = 9 ; b = 4 +c = a // b +print "Integer Division value = " , c From d659a9bd764b935f301e943bcbf5eed2b9b44651 Mon Sep 17 00:00:00 2001 From: Abdulaziz Abdulaziz Date: Fri, 29 Jun 2018 22:15:55 +0300 Subject: [PATCH 005/116] Add comments to the file --- Functions/python_exmple_fibonacci.py | 7 ------- Functions/python_exmple_fibonacci_en.py | 16 ++++++++++++++++ 2 files changed, 16 insertions(+), 7 deletions(-) delete mode 100644 Functions/python_exmple_fibonacci.py create mode 100644 Functions/python_exmple_fibonacci_en.py diff --git a/Functions/python_exmple_fibonacci.py b/Functions/python_exmple_fibonacci.py deleted file mode 100644 index fde44dc..0000000 --- a/Functions/python_exmple_fibonacci.py +++ /dev/null @@ -1,7 +0,0 @@ -import numpy as np -def fibonacci_cube(num): - lis = [0,1] - for i in range(2,num): - lis.append(lis[i-2] + lis[i-1]) - return np.array(lis)**3 -print fibonacci_cube(8) diff --git a/Functions/python_exmple_fibonacci_en.py b/Functions/python_exmple_fibonacci_en.py new file mode 100644 index 0000000..a26c4c2 --- /dev/null +++ b/Functions/python_exmple_fibonacci_en.py @@ -0,0 +1,16 @@ +#this file print out the fibonacci of the function input + +#importing numpy for execute math with lists +import numpy as np +#define the function that takes one input +def fibonacci_cube(num): + #define a list that contains 0 and 1 , because the fibonacci always starts with 0 and 1 + lis = [0,1] + #this for loop takes the range of the parameter and 2 + for i in range(2,num): + #appending the sum of the previuos two numbers to the list + lis.append(lis[i-2] + lis[i-1]) + #finally returning the cube of the fibonacci content + return np.array(lis)**3 +#calling the function with 8 as an example +fibonacci_cube(8) From f3ab82a50698a6422a88eb757a85756b65dfd823 Mon Sep 17 00:00:00 2001 From: shorouq saad Date: Fri, 29 Jun 2018 22:47:31 +0300 Subject: [PATCH 006/116] add list_example_en.py file --- Lists/__pycache__/list_example_en.cpython-36.pyc | Bin 0 -> 221 bytes Lists/list_example_en.py | 14 ++++++++++++++ 2 files changed, 14 insertions(+) create mode 100644 Lists/__pycache__/list_example_en.cpython-36.pyc create mode 100644 Lists/list_example_en.py diff --git a/Lists/__pycache__/list_example_en.cpython-36.pyc b/Lists/__pycache__/list_example_en.cpython-36.pyc new file mode 100644 index 0000000000000000000000000000000000000000..908ea9684daeaf3a601dd0b02a933027a0f35f52 GIT binary patch literal 221 zcmXr!<>mU)Z5I8Sfq~&M5W@j0kmUfx#R@sY9iC Date: Fri, 29 Jun 2018 22:50:40 +0300 Subject: [PATCH 007/116] python def --- definitions/Python_Def_en.py | 23 +++++++++++++++++++++++ 1 file changed, 23 insertions(+) create mode 100644 definitions/Python_Def_en.py diff --git a/definitions/Python_Def_en.py b/definitions/Python_Def_en.py new file mode 100644 index 0000000..b526e20 --- /dev/null +++ b/definitions/Python_Def_en.py @@ -0,0 +1,23 @@ +#what is python + + +#added by @Dima +print("What is Python?") + +print("_______________________________________________________") + + +print(""" In technical terms, + Python is an object-oriented, + high-level programming language + with integrated dynamic + semantics primarily + for web and app development. + It is extremely attractive in the field of Rapid + Application Development + because it offers dynamic + typing and dynamic binding options""") + +print("________________________________________________________") + +input("press close to exit") From b7514302c0a9588be522d38ddc25a8b9025b55f9 Mon Sep 17 00:00:00 2001 From: dima almasri Date: Fri, 29 Jun 2018 23:19:50 +0300 Subject: [PATCH 008/116] Function Examples --- Functions/Functions_example_en.py | 37 +++++++++++++++++++++++++++++++ definitions/Function_Def_en.py | 18 +++++++++++++++ 2 files changed, 55 insertions(+) create mode 100644 Functions/Functions_example_en.py create mode 100644 definitions/Function_Def_en.py diff --git a/Functions/Functions_example_en.py b/Functions/Functions_example_en.py new file mode 100644 index 0000000..277a58c --- /dev/null +++ b/Functions/Functions_example_en.py @@ -0,0 +1,37 @@ +#Syntax +#def function_name( parameters ): ==>parameters means passing argument to function +#block of code +#retrun or print + +print ("Example 1") +def names(x): + print x +names("dima") +print ("----------------") + + +print ("Example 2") +def emplpyee_name(): + name=["Sara","Ahmad","Dima","Raed","Wael"] + return name +print emplpyee_name() +print ("----------------") + +print ("Example 3") +def sum(x,y): + s = x + y + return s +print sum(3,4) +print ("----------------") + +print ("Example 4") +def sum(x,y=6): + s = x + y + return s +print sum(3) +print ("----------------") + + + + + diff --git a/definitions/Function_Def_en.py b/definitions/Function_Def_en.py new file mode 100644 index 0000000..c3184b8 --- /dev/null +++ b/definitions/Function_Def_en.py @@ -0,0 +1,18 @@ +#what is Functions + + +#added by @Dima +print("What is Functions?") + +print("_______________________________________________________") + + +print(""" A function is a block of organized, +reusable code that is used to perform a single, +related action. Functions provide better +modularity for your application and a high +degree of code reusing""") + +print("________________________________________________________") + +input("press close to exit") From dfdcfe82faf36007a95bfb26768c23911aa7b876 Mon Sep 17 00:00:00 2001 From: MenaKamal Date: Fri, 29 Jun 2018 23:30:47 +0300 Subject: [PATCH 009/116] python101 : add Assignments operators --- python_bacics_101/Assignment_operators.py | 35 +++++++++++++++++++++++ 1 file changed, 35 insertions(+) create mode 100644 python_bacics_101/Assignment_operators.py diff --git a/python_bacics_101/Assignment_operators.py b/python_bacics_101/Assignment_operators.py new file mode 100644 index 0000000..ad6a0d2 --- /dev/null +++ b/python_bacics_101/Assignment_operators.py @@ -0,0 +1,35 @@ +# Examples on how to uses python Assignments operators +''' +Assignment operators means: +adding a new value to variable +like increase value / decrease / multiply and more +we usually use this kind of assignments in loops or condition statements +''' +a = 2 ; b = 1 ; c = 0 +print "values = ", "a=" , a , "b=" , b , "c=" , c + +# Addition or Subtraction c = c + a / c = c - b +c += a +print "Add c value by a =" , c +c -= b +print "Subtract c value by b =" , c + +# multiply c = c * a +c *= a +print "multiply c value by a =" , c + +# Divide c = c / a +c /= a +print "Divide c value by a = " , c + +# Mod of dividing c by a , c = c % a +c %= a +print "Mod c value by a = " , c + +# Exponent or power c by a , c = c ** a +c **= a +print "power c value by = " , c + +# floor Division or integer division c = c // a +c //= a +print "Integer Division c value by a = " , c From 1a6050d21a64ff45bcb97c39b24e3c0a59562710 Mon Sep 17 00:00:00 2001 From: imane Date: Fri, 29 Jun 2018 21:07:55 +0000 Subject: [PATCH 010/116] basic boolean operators_Fr --- True and False/Boolean_Type_Fr.py | 45 +++++++++++++++++++++++++++++++ 1 file changed, 45 insertions(+) create mode 100644 True and False/Boolean_Type_Fr.py diff --git a/True and False/Boolean_Type_Fr.py b/True and False/Boolean_Type_Fr.py new file mode 100644 index 0000000..8aa7495 --- /dev/null +++ b/True and False/Boolean_Type_Fr.py @@ -0,0 +1,45 @@ +#Booleen est un type de donnees qui ne peut prendre que deux valeurs logique: vrai (True) ou faux (False) +#Il utilise d'autre expression tell que: et(and) non(not) ou(or) +#A note il faut respecter l'ecriture des mots clea = 6 + +#voila un exemple simple d'expressions booleennes +A = 6 +print(A == 7) #renvoie la valeur logique False +print(A == 6) #True + +#l'utilisation de l'operateur non(not) renvoie l'oppose de la valeur +print '************ Operateur: not *************' +B = True +C = False +print(not B) # resultat sera l'oppose de la valeur logique True = False(faux) +print(not not B)#True +print(not C)#True + +#l'operateur and(et) renvoie Vrai si tous les valeurs sont vraies +print '************ Operateur: And *************' +print(True and True) #True +print(True and False) #False +print(False and True) #False +print(False and False) #False + +D = 8 +E = 9 +print (D == 8 and D==9)#False +print (E == 9 and D==8)#True +print (not D and E==9)#False + +#l'operateur or(ou) renvoie Vrai si ou moins une valeur est vraie +print '************ Operateur: or *************' +print(True or True) #True +print(True or False) #True +print(False or True) #True +print(False or False) #False + +F=3 +G=5 +print(F==3 or F==0)#True +print(F==0 or G==0)#False +print(not F==0 or G==0)#True + + + From fbe4e9cfd24103199cd4d32330da8076fda0a393 Mon Sep 17 00:00:00 2001 From: Remon Date: Fri, 29 Jun 2018 23:27:51 +0200 Subject: [PATCH 011/116] "add how to example file" --- how_to_example.py | 0 1 file changed, 0 insertions(+), 0 deletions(-) create mode 100644 how_to_example.py diff --git a/how_to_example.py b/how_to_example.py new file mode 100644 index 0000000..e69de29 From 8609fe707caf8ac4f1c74bef2a8260f903763e37 Mon Sep 17 00:00:00 2001 From: Remon Date: Fri, 29 Jun 2018 23:30:28 +0200 Subject: [PATCH 012/116] fix typo in contributing file --- CONTRIBUTING.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/CONTRIBUTING.md b/CONTRIBUTING.md index c6bea5d..5b4737d 100644 --- a/CONTRIBUTING.md +++ b/CONTRIBUTING.md @@ -13,8 +13,8 @@ If you want to be a participant in the Python Code project, you should follow th ``` -example 1 -#added by @remon +#example 1 +#added by @AuthorGithubUsername #This example show you how to print string print(str1) ``` From 78566167f0b2ee2e4b51f68f31bb1aa711ffa7a4 Mon Sep 17 00:00:00 2001 From: MenaKamal Date: Sat, 30 Jun 2018 00:31:00 +0300 Subject: [PATCH 013/116] python101: adding operators with description --- python_bacics_101/Arithemtic_operators.py | 26 +++++++++++++++++++++-- python_bacics_101/Assignment_operators.py | 17 +++++++++++++-- 2 files changed, 39 insertions(+), 4 deletions(-) diff --git a/python_bacics_101/Arithemtic_operators.py b/python_bacics_101/Arithemtic_operators.py index 53e0478..28acf9c 100644 --- a/python_bacics_101/Arithemtic_operators.py +++ b/python_bacics_101/Arithemtic_operators.py @@ -1,4 +1,26 @@ -# Examples on how to uses python operators +# Examples on how to uses Python Arithmetic Operators +''' +What is the operator in Python? +Operators are special symbols in Python that carry out arithmetic or logical computation. +The value that the operator operates on is called the operand. +for example: 2 + 3 = 5 +Here, + is the operator that performs addition. +2 and 3 are the operands and 5 is the output of the operation. + +what is Arithmetic Operators means ? + Operator | Description + --------------------------- + + Addition | Adds values on either side of the operator. + - Subtraction | Subtracts right hand operand from left hand operand. + * Multiplication | Multiplies values on either side of the operator + / Division | Divides left hand operand by right hand operand + % Modulus | Divides left hand operand by right hand operand and returns remainder + ** Exponent | Performs exponential (power) calculation on operators + // Floor Division | he division of operands where the result is the quotient in which the digits after the decimal point are removed. But if one of the operands is negative, the result is floored, i.e., rounded away from zero + +when do we use it ? +we use this kind of every where form basic math operation to loops or condition statements +''' a = 20 ; b = 10 # Addition operator @@ -29,7 +51,7 @@ # floor Division or integer division operator ''' Note : -In Python the division of 5 / 2 will return 2.5 this is floating point division +In Python 3 the division of 5 / 2 will return 2.5 this is floating point division the floor Division or integer divisio will return 2 mean return only the integer value ''' a = 9 ; b = 4 diff --git a/python_bacics_101/Assignment_operators.py b/python_bacics_101/Assignment_operators.py index ad6a0d2..334f602 100644 --- a/python_bacics_101/Assignment_operators.py +++ b/python_bacics_101/Assignment_operators.py @@ -1,10 +1,23 @@ # Examples on how to uses python Assignments operators ''' Assignment operators means: -adding a new value to variable -like increase value / decrease / multiply and more +adding a new value to variable , ike increase value / decrease / multiply and more + + Operator | Description + --------------------------- + = equal | Assigns values from right side operands to left side operand for example: a = 10 or c = a + b assigns value of a + b into c + += Add AND | It adds right operand to the left operand and assign the result to left operand + -= Subtract AND | It subtracts right operand from the left operand and assign the result to left operand + *= Multiply AND | It multiplies right operand with the left operand and assign the result to left operand + /= Divide AND | It divides left operand with the right operand and assign the result to left operand + %= Modulus AND | It takes modulus using two operands and assign the result to left operand + **= Exponent AND | Performs exponential (power) calculation on operators and assign value to the left operand + //= Floor Division | It performs floor division on operators and assign value to the left operand + +when do we use it ? we usually use this kind of assignments in loops or condition statements ''' + a = 2 ; b = 1 ; c = 0 print "values = ", "a=" , a , "b=" , b , "c=" , c From 024c2c8df1a56cb47a87c1c562098c1e490b33c0 Mon Sep 17 00:00:00 2001 From: Mena Kamal <39567541+MenaKamal@users.noreply.github.com> Date: Sat, 30 Jun 2018 00:39:49 +0300 Subject: [PATCH 014/116] fix description typo --- python_bacics_101/Assignment_operators.py | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/python_bacics_101/Assignment_operators.py b/python_bacics_101/Assignment_operators.py index 334f602..01dc7ef 100644 --- a/python_bacics_101/Assignment_operators.py +++ b/python_bacics_101/Assignment_operators.py @@ -3,10 +3,10 @@ Assignment operators means: adding a new value to variable , ike increase value / decrease / multiply and more - Operator | Description - --------------------------- - = equal | Assigns values from right side operands to left side operand for example: a = 10 or c = a + b assigns value of a + b into c - += Add AND | It adds right operand to the left operand and assign the result to left operand + Operator | Description + ------------------------------------------ + = equal | Assigns values from right side operands to left side operand for example: a = 10 or c = a + b assigns value of a + b into c + += Add AND | It adds right operand to the left operand and assign the result to left operand -= Subtract AND | It subtracts right operand from the left operand and assign the result to left operand *= Multiply AND | It multiplies right operand with the left operand and assign the result to left operand /= Divide AND | It divides left operand with the right operand and assign the result to left operand From fde8010b508223e488d7372ed32fe5a671fe4a43 Mon Sep 17 00:00:00 2001 From: Tony Sader Date: Sat, 30 Jun 2018 00:43:27 +0300 Subject: [PATCH 015/116] Example 4 in English strings --- Strings/strings_example_en.py | 10 +++++++++- 1 file changed, 9 insertions(+), 1 deletion(-) diff --git a/Strings/strings_example_en.py b/Strings/strings_example_en.py index ed3ec8b..46c8501 100644 --- a/Strings/strings_example_en.py +++ b/Strings/strings_example_en.py @@ -19,4 +19,12 @@ #example 3 #added by @remon str3 ="2018" -print(str3) \ No newline at end of file +print(str3) + +#example 4 +#added by @tony.dx.3379aems5 +str4 = "Hello 2 My friends 3" +num1 = int(str4[str4.find("2")]) +num2 = int(str4[-1]) +result = num1 + num2 +print(result) \ No newline at end of file From ec02344061e5617f402b80125ac9febce59d98d1 Mon Sep 17 00:00:00 2001 From: Mena Kamal <39567541+MenaKamal@users.noreply.github.com> Date: Sat, 30 Jun 2018 00:46:13 +0300 Subject: [PATCH 016/116] fix description typo in arithmetic operators --- python_bacics_101/Arithemtic_operators.py | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/python_bacics_101/Arithemtic_operators.py b/python_bacics_101/Arithemtic_operators.py index 28acf9c..31c3a25 100644 --- a/python_bacics_101/Arithemtic_operators.py +++ b/python_bacics_101/Arithemtic_operators.py @@ -8,15 +8,15 @@ 2 and 3 are the operands and 5 is the output of the operation. what is Arithmetic Operators means ? - Operator | Description - --------------------------- - + Addition | Adds values on either side of the operator. + Operator | Description + ----------------------------------------------- + + Addition | Adds values on either side of the operator. - Subtraction | Subtracts right hand operand from left hand operand. * Multiplication | Multiplies values on either side of the operator - / Division | Divides left hand operand by right hand operand - % Modulus | Divides left hand operand by right hand operand and returns remainder - ** Exponent | Performs exponential (power) calculation on operators - // Floor Division | he division of operands where the result is the quotient in which the digits after the decimal point are removed. But if one of the operands is negative, the result is floored, i.e., rounded away from zero + / Division | Divides left hand operand by right hand operand + % Modulus | Divides left hand operand by right hand operand and returns remainder + ** Exponent | Performs exponential (power) calculation on operators + // Floor Division | he division of operands where the result is the quotient in which the digits after the decimal point are removed. But if one of the operands is negative, the result is floored, i.e., rounded away from zero when do we use it ? we use this kind of every where form basic math operation to loops or condition statements From 35228a1fb567459feb25b4f6a8916c7f39f6e530 Mon Sep 17 00:00:00 2001 From: Amr Aly Date: Sat, 30 Jun 2018 00:14:47 +0200 Subject: [PATCH 017/116] Fix a typo in README --- README.md | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/README.md b/README.md index 80985ae..316f61c 100644 --- a/README.md +++ b/README.md @@ -1,18 +1,18 @@ # PythonCodes -This project was created and maintained by students and tutors from (1 million arab coders initiative) . +This project was created and maintained by students and tutors from (1 million arab coders initiative). -Students from 22 arab countries add their python examples and tutorials to make an encyclopedia for Python Language +Students from 22 arab countries add their python examples and tutorials to make an encyclopedia for Python language. ## Getting Started -The project is divived into categories , each category contains subcategories and examples for it in three different languages (English , Arabic and French ) +The project is divided into categories , each category contains subcategories and examples for it in three different languages (English , Arabic and French). ## Contributing -will be updated soon +will be updated soon. From b5c8a54ff9930391daf65a8ec093a151faf2fb21 Mon Sep 17 00:00:00 2001 From: sundus Date: Sat, 30 Jun 2018 01:16:53 +0300 Subject: [PATCH 018/116] the example from udacity --- Lists/example.py | 9 +++++++++ 1 file changed, 9 insertions(+) create mode 100644 Lists/example.py diff --git a/Lists/example.py b/Lists/example.py new file mode 100644 index 0000000..3d44070 --- /dev/null +++ b/Lists/example.py @@ -0,0 +1,9 @@ +string="ali ahmed salm" +print (string.find("sa")) +print (string.find("")) +print (string.find (" ")) +print (string.find("ah",3,5)) +print (string.find("ah",3,6)) +def get_s(a, b): + return a[:b] +print(get_s("mySchool",10)) From d5429f47e597e0e8683ea02fe2379a1795dead6c Mon Sep 17 00:00:00 2001 From: imane Date: Fri, 29 Jun 2018 22:22:57 +0000 Subject: [PATCH 019/116] add author bio. --- True and False/Boolean_Type_Fr.py | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/True and False/Boolean_Type_Fr.py b/True and False/Boolean_Type_Fr.py index 8aa7495..aae0dc6 100644 --- a/True and False/Boolean_Type_Fr.py +++ b/True and False/Boolean_Type_Fr.py @@ -1,3 +1,8 @@ +#Imane OUBALID: Une jeune marocaine, titulaire d'un master en Réseaux et Systèmes Informatique. +#Elle dispose d'un esprit d'analyse, de synthèse, d'une capacité d'adaptation aux nouvelles situations, +#et elle est passionnée par la programmation et les nouvelles technologies. + + #Booleen est un type de donnees qui ne peut prendre que deux valeurs logique: vrai (True) ou faux (False) #Il utilise d'autre expression tell que: et(and) non(not) ou(or) #A note il faut respecter l'ecriture des mots clea = 6 From cd3c8382fa07546fbe0b4b00ca96b76edaf0a4bf Mon Sep 17 00:00:00 2001 From: Remon Date: Sat, 30 Jun 2018 00:27:44 +0200 Subject: [PATCH 020/116] add how-to-example.py --- how_to_example.py | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/how_to_example.py b/how_to_example.py index e69de29..2c3c7d4 100644 --- a/how_to_example.py +++ b/how_to_example.py @@ -0,0 +1,8 @@ +#here is an example for a file +#the name of the file is string_example_en.py +#add the language at the end (here en for english) + +#example 1 +#added by @YourUserName in Github < Your Name also is poptional > +str1 ="Hello World" +print(str1) From 6b48a85dcc6d076d7e3730a15ff2880f32078d0f Mon Sep 17 00:00:00 2001 From: Tony Sader Date: Sat, 30 Jun 2018 01:28:04 +0300 Subject: [PATCH 021/116] Add true and False example --- True and False/examples_EN.py | 0 1 file changed, 0 insertions(+), 0 deletions(-) create mode 100644 True and False/examples_EN.py diff --git a/True and False/examples_EN.py b/True and False/examples_EN.py new file mode 100644 index 0000000..e69de29 From 4956b61564a46588c806b36ea9304f54f1ae2f30 Mon Sep 17 00:00:00 2001 From: Remon Date: Sat, 30 Jun 2018 00:28:22 +0200 Subject: [PATCH 022/116] add fix how to example file --- how_to_example.py | 1 + 1 file changed, 1 insertion(+) diff --git a/how_to_example.py b/how_to_example.py index 2c3c7d4..c935312 100644 --- a/how_to_example.py +++ b/how_to_example.py @@ -4,5 +4,6 @@ #example 1 #added by @YourUserName in Github < Your Name also is poptional > + str1 ="Hello World" print(str1) From 305522ea5585a8fc75cec007bc112596fe3a047d Mon Sep 17 00:00:00 2001 From: Tony Sader Date: Sat, 30 Jun 2018 01:34:11 +0300 Subject: [PATCH 023/116] True False example --- True and False/examples_EN.py | 0 True and False/true_false_examples.py | 8 ++++++++ 2 files changed, 8 insertions(+) delete mode 100644 True and False/examples_EN.py create mode 100644 True and False/true_false_examples.py diff --git a/True and False/examples_EN.py b/True and False/examples_EN.py deleted file mode 100644 index e69de29..0000000 diff --git a/True and False/true_false_examples.py b/True and False/true_false_examples.py new file mode 100644 index 0000000..e28aa11 --- /dev/null +++ b/True and False/true_false_examples.py @@ -0,0 +1,8 @@ +#example1 +#by @tony.dx.3379aems5 +if True and False: + print ("False") #will not print +if True and True: + print ("True") #will print true +if False and False: + print ("False") #will not print \ No newline at end of file From c0837b67307cce7184ea0930589e82c80c2d785a Mon Sep 17 00:00:00 2001 From: sundus Date: Sat, 30 Jun 2018 01:39:15 +0300 Subject: [PATCH 024/116] put my file in string folder --- Strings/example.py | 9 +++++++++ 1 file changed, 9 insertions(+) create mode 100644 Strings/example.py diff --git a/Strings/example.py b/Strings/example.py new file mode 100644 index 0000000..3d44070 --- /dev/null +++ b/Strings/example.py @@ -0,0 +1,9 @@ +string="ali ahmed salm" +print (string.find("sa")) +print (string.find("")) +print (string.find (" ")) +print (string.find("ah",3,5)) +print (string.find("ah",3,6)) +def get_s(a, b): + return a[:b] +print(get_s("mySchool",10)) From 6cd008a007dd0734567eedf4b6a9e0e2f0f93a46 Mon Sep 17 00:00:00 2001 From: Remon Date: Sat, 30 Jun 2018 00:40:36 +0200 Subject: [PATCH 025/116] add en to the end of some files --- .../{true_false_examples.py => True_False_Examples_En.py} | 0 .../{Arithemtic_operators.py => Arithemtic_operators_en.py} | 0 .../{Assignment_operators.py => Assignment_operators_en.py} | 0 3 files changed, 0 insertions(+), 0 deletions(-) rename True and False/{true_false_examples.py => True_False_Examples_En.py} (100%) rename python_bacics_101/{Arithemtic_operators.py => Arithemtic_operators_en.py} (100%) rename python_bacics_101/{Assignment_operators.py => Assignment_operators_en.py} (100%) diff --git a/True and False/true_false_examples.py b/True and False/True_False_Examples_En.py similarity index 100% rename from True and False/true_false_examples.py rename to True and False/True_False_Examples_En.py diff --git a/python_bacics_101/Arithemtic_operators.py b/python_bacics_101/Arithemtic_operators_en.py similarity index 100% rename from python_bacics_101/Arithemtic_operators.py rename to python_bacics_101/Arithemtic_operators_en.py diff --git a/python_bacics_101/Assignment_operators.py b/python_bacics_101/Assignment_operators_en.py similarity index 100% rename from python_bacics_101/Assignment_operators.py rename to python_bacics_101/Assignment_operators_en.py From 508c3130b005236224dae70ba244468e67bb4a5d Mon Sep 17 00:00:00 2001 From: Remon Date: Sat, 30 Jun 2018 00:45:50 +0200 Subject: [PATCH 026/116] add some changes to readme and contributing files --- CONTRIBUTING.md | 6 ++++++ README.md | 5 +---- 2 files changed, 7 insertions(+), 4 deletions(-) diff --git a/CONTRIBUTING.md b/CONTRIBUTING.md index 5b4737d..f65bd38 100644 --- a/CONTRIBUTING.md +++ b/CONTRIBUTING.md @@ -19,6 +19,12 @@ If you want to be a participant in the Python Code project, you should follow th print(str1) ``` +#### You must put the file in its right catrgory +## Files Names + CategoryName_Examples_Lang.py + + example (Strings_Examples_En.py) + # Contributing When contributing to this repository, please first discuss the change you wish to make via issue, diff --git a/README.md b/README.md index 316f61c..ca826a5 100644 --- a/README.md +++ b/README.md @@ -11,10 +11,7 @@ The project is divided into categories , each category contains subcategories an ## Contributing - -will be updated soon. - - +see the [CONTRIBUTING.md](CONTRIBUTING.md) file for details From 579bd6796b6e893b92e8e0a10cbff96b67a7bd9d Mon Sep 17 00:00:00 2001 From: MenaKamal Date: Sat, 30 Jun 2018 02:01:18 +0300 Subject: [PATCH 027/116] python101 : adding comparison operators /update --- python_bacics_101/Comparison_operators.py | 48 +++++++++++++++++++++++ 1 file changed, 48 insertions(+) create mode 100644 python_bacics_101/Comparison_operators.py diff --git a/python_bacics_101/Comparison_operators.py b/python_bacics_101/Comparison_operators.py new file mode 100644 index 0000000..00fc3b8 --- /dev/null +++ b/python_bacics_101/Comparison_operators.py @@ -0,0 +1,48 @@ +# Examples on how to uses Python Comparison Operators +''' +what is comparison Operators means? +These operators compare the values on either sides of them and decide the relation among them. They are also called Relational operators. + + Operator | Description + ------------------------------------------ + == equal | If the values of two operands are equal, then the condition becomes true. a == c that means that both variables have equal value. + != or <> not equal | If values of two operands are not equal, then condition becomes true. + > greater than | If the value of left operand is greater than the value of right operand, then condition becomes true. + < less than | If the value of left operand is less than the value of right operand, then condition becomes true. + >= greater or equal | If the value of left operand is greater than or equal to the value of right operand, then condition becomes true. + <= less or equal | If the value of left operand is less than or equal to the value of right operand, then condition becomes true. + +when do we use it ? +we use this kind of operators with condition statements or in loops conditions +''' +a = 10 ; b = 10 + +#equal +if a == b : + print "a is equal to b" + +#not equal +# for this to work we will increase the value of a by 10 by using Assignment operator +a += 10 +print "a=" , a +if a != b : + print "a is not equal to b" + +# greater than +if a > b : + print "a is greater than b" + +# less than +if b < a : + print "b is less than a" +# greater or equal +if a >= b : + print "a is either greater or equal to b" + +#less or equal +if b <= a : + print "b is either less or equal to a" + + + + From 0e486b7138d46ab8be5273b0610b301dc8749682 Mon Sep 17 00:00:00 2001 From: MenaKamal Date: Sat, 30 Jun 2018 02:20:50 +0300 Subject: [PATCH 028/116] adding _en to the end of files name --- .../{Arithemtic_operators.py => Arithemtic_operators_en.py} | 0 .../{Assignment_operators.py => Assignment_operators_en.py} | 0 .../{Comparison_operators.py => Comparison_operators_en.py} | 0 3 files changed, 0 insertions(+), 0 deletions(-) rename python_bacics_101/{Arithemtic_operators.py => Arithemtic_operators_en.py} (100%) rename python_bacics_101/{Assignment_operators.py => Assignment_operators_en.py} (100%) rename python_bacics_101/{Comparison_operators.py => Comparison_operators_en.py} (100%) diff --git a/python_bacics_101/Arithemtic_operators.py b/python_bacics_101/Arithemtic_operators_en.py similarity index 100% rename from python_bacics_101/Arithemtic_operators.py rename to python_bacics_101/Arithemtic_operators_en.py diff --git a/python_bacics_101/Assignment_operators.py b/python_bacics_101/Assignment_operators_en.py similarity index 100% rename from python_bacics_101/Assignment_operators.py rename to python_bacics_101/Assignment_operators_en.py diff --git a/python_bacics_101/Comparison_operators.py b/python_bacics_101/Comparison_operators_en.py similarity index 100% rename from python_bacics_101/Comparison_operators.py rename to python_bacics_101/Comparison_operators_en.py From 3191a1bbf79dc49b651aaf01f753a627ac174d0f Mon Sep 17 00:00:00 2001 From: Remon Date: Sat, 30 Jun 2018 01:51:38 +0200 Subject: [PATCH 029/116] add python 3 version to contributing file --- CONTRIBUTING.md | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/CONTRIBUTING.md b/CONTRIBUTING.md index f65bd38..feae8a8 100644 --- a/CONTRIBUTING.md +++ b/CONTRIBUTING.md @@ -25,6 +25,10 @@ print(str1) example (Strings_Examples_En.py) +### Version of Python + +Python 3 + # Contributing When contributing to this repository, please first discuss the change you wish to make via issue, From e176b5f0665a39d630d2cafbfa77e3bb4501af38 Mon Sep 17 00:00:00 2001 From: Remon Date: Sat, 30 Jun 2018 02:08:04 +0200 Subject: [PATCH 030/116] add list of contributors --- CONTIBUTORS.md | 37 +++++++++++++++++++++++++++++++++++++ README.md | 1 + 2 files changed, 38 insertions(+) create mode 100644 CONTIBUTORS.md diff --git a/CONTIBUTORS.md b/CONTIBUTORS.md new file mode 100644 index 0000000..bc863e1 --- /dev/null +++ b/CONTIBUTORS.md @@ -0,0 +1,37 @@ +PythonCodes contributors (sorted alphabetically) +============================================ + +* **[AbdelazeezAbd](https://github.com/AbdelazeezAbd)** + + * Full-Stack web developer . + +* **[Ammar ](https://github.com/ammore5)** + + * Full-Stack web developer . + +* **[Amr Aly](https://github.com/gerad)** + + * Full-Stack web developer from Egypt . + + +* **[Dima Almasri](https://github.com/dimaalmasri)** + + * Full-Stack web developer from Jordan + +* **[Enami168](https://github.com/enami168)** + + * Full-Stack web developer . + + +* **[Mena Kamal](https://github.com/MenaKamal)** + + * Full-Stack web developer from Jordan + +* **[Tony Sader](https://github.com/tonysader)** + + * Full-Stack web developer from Syria + +* **[Remon Nasr](https://github.com/remon)** + + * Full-Stack web developer from Egypt . + diff --git a/README.md b/README.md index ca826a5..7cb6569 100644 --- a/README.md +++ b/README.md @@ -13,6 +13,7 @@ The project is divided into categories , each category contains subcategories an ## Contributing see the [CONTRIBUTING.md](CONTRIBUTING.md) file for details +To See list of contributors check [CONTIBUTORS.md](CONTIBUTORS.md) file for details ## License From b47809a5fa5db941360e33b157ac49a988b887c7 Mon Sep 17 00:00:00 2001 From: Remon Date: Sat, 30 Jun 2018 02:33:05 +0200 Subject: [PATCH 031/116] fix typo in list of contributors --- CONTIBUTORS.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CONTIBUTORS.md b/CONTIBUTORS.md index bc863e1..22787c3 100644 --- a/CONTIBUTORS.md +++ b/CONTIBUTORS.md @@ -25,7 +25,7 @@ PythonCodes contributors (sorted alphabetically) * **[Mena Kamal](https://github.com/MenaKamal)** - * Full-Stack web developer from Jordan + * Full-Stack web developer from Iraq . * **[Tony Sader](https://github.com/tonysader)** From f7080bd936cca83545347e5b9a965fe83c4d1498 Mon Sep 17 00:00:00 2001 From: Dima almasri Date: Sat, 30 Jun 2018 10:18:36 +0300 Subject: [PATCH 032/116] OOP Examples --- OOP/Classes_en.py | 33 +++++++++++++++++++++ OOP/Inheritance_en.py | 23 +++++++++++++++ True and False/Logic.py | 33 +++++++++++++++++++++ definitions/OOP_Def_en.py | 62 +++++++++++++++++++++++++++++++++++++++ 4 files changed, 151 insertions(+) create mode 100644 OOP/Classes_en.py create mode 100644 OOP/Inheritance_en.py create mode 100644 True and False/Logic.py create mode 100644 definitions/OOP_Def_en.py diff --git a/OOP/Classes_en.py b/OOP/Classes_en.py new file mode 100644 index 0000000..f87b2c3 --- /dev/null +++ b/OOP/Classes_en.py @@ -0,0 +1,33 @@ +#declare a class + +#Synatx + #class ClassName: + #block of code + +#Example 1 +# __init__ passing initial values to your object + +class Car: + + 'Print Car Name And Price' + + def __init__(self,CarName,Price): + self.CarName = CarName + self.Price = Price + +NewCar = Car("I8", 200000) + +print "Car Name " + NewCar.CarName + " Car Price " + str(NewCar.Price) + + +print "Car.__doc__:", Car.__doc__ + + + + + + + + + + diff --git a/OOP/Inheritance_en.py b/OOP/Inheritance_en.py new file mode 100644 index 0000000..f2067b4 --- /dev/null +++ b/OOP/Inheritance_en.py @@ -0,0 +1,23 @@ +class Person: + + def __init__(self, first, last): + self.firstname = first + self.lastname = last + + def Name(self): + return self.firstname + " " + self.lastname + +class Employee(Person): + + def __init__(self, first, last, staffnum): + Person.__init__(self,first, last) + self.staffnumber = staffnum + + def GetEmployee(self): + return self.Name() + ", " + self.staffnumber + +x = Person("Marge", "Simpson") +y = Employee("Homer", "Simpson", "1007") + +print(x.Name()) +print(y.GetEmployee()) diff --git a/True and False/Logic.py b/True and False/Logic.py new file mode 100644 index 0000000..588ad6c --- /dev/null +++ b/True and False/Logic.py @@ -0,0 +1,33 @@ +#this is a logic table for (and, or) +#before run this example you must ****install library truths*** +#in cmd run command pip install truths +import truths +from truths import Truths +print("-------------------------------------------------------") +print("""Example Prerequisite : please insatll truths library + *Open CMD rum command pip install truths *""") +print("-------------------------------------------------------") + +r = raw_input(" Are you install truths???? :) Y:Yes , N:NO :) ") + +def emp(r): + if r=="Y": + print truths.Truths(['a', 'b', 'x']) + print Truths(['a', 'b', 'cat', 'has_address'], ['(a and b)', 'a and b or cat', 'a and (b or cat) or has_address']) + print Truths(['a', 'b', 'x', 'd'], ['(a and b)', 'a and b or x', 'a and (b or x) or d'], ints=False) + input("") + + else: + print("------------------------") + print("------------------------") + print("Please to Install truths") + print("------------------------") + print("------------------------") + print("------------------------") + input("") + + + + +print emp(r) + diff --git a/definitions/OOP_Def_en.py b/definitions/OOP_Def_en.py new file mode 100644 index 0000000..a348f89 --- /dev/null +++ b/definitions/OOP_Def_en.py @@ -0,0 +1,62 @@ +#what is python + + +#added by @Dima +print("What is OOP?") + +print("_______________________________________________________") + + +print(""" combining data and functionality +and wrap it inside something called an object. +This is called the object oriented programming +paradigm. Most of the time you can use procedural +programming, but when writing large programs or have +a problem that is better suited to this method, you +can use object oriented programming techniques.""") + +print("________________________________________________________") + +print("***Classes***") + +print("_______________________________________________________") + + +print(""" A user-defined prototype for an object +that defines a set of attributes that characterize +any object of the class.""") + +print("________________________________________________________") + +print("***objects****") + +print("_______________________________________________________") + + +print("""objects are instances of the class""") + +print("________________________________________________________") + +print("**methods***") + +print("_______________________________________________________") + + +print("""its a function, except that we have an extra self variable""") + +print("________________________________________________________") + +print("***Inheritance***") + +print("_______________________________________________________") + + +print("""its a mechanism to reuse of code. +Inheritance can be best imagined as implementing +a type and subtype relationship between classes.""") + +print("________________________________________________________") + + +input("press close to exit") + From 378cbd08de235ae2485a6ecdf3ea16aba69b5a3a Mon Sep 17 00:00:00 2001 From: lujain alskran Date: Sat, 30 Jun 2018 15:06:27 +0300 Subject: [PATCH 033/116] Create module folder and secreat message program using os module --- Modules/images/1d.jpg | Bin 0 -> 2603 bytes Modules/images/4e.jpg | Bin 0 -> 16870 bytes Modules/images/5b.jpg | Bin 0 -> 3169 bytes Modules/images/a.jpg | Bin 0 -> 2527 bytes Modules/images/c.jpg | Bin 0 -> 17530 bytes Modules/secreat-message.py | 12 ++++++++++++ 6 files changed, 12 insertions(+) create mode 100644 Modules/images/1d.jpg create mode 100644 Modules/images/4e.jpg create mode 100644 Modules/images/5b.jpg create mode 100644 Modules/images/a.jpg create mode 100644 Modules/images/c.jpg create mode 100644 Modules/secreat-message.py diff --git a/Modules/images/1d.jpg b/Modules/images/1d.jpg new file mode 100644 index 0000000000000000000000000000000000000000..ecbacb270762ffb2380b0c2cde81f4d5a3d02dcc GIT binary patch literal 2603 zcmZWn2{@E%8~$buV=SYYM1--7Wi&JPjXarVNva5T`UD z45z(}IU&nfT5K&&WN7(IcC!4R&N*LQ!<{XExuKlk@N?`r?*pMZ)7)tw4J zAOHXXH?aB&U<2~Vb?E{Dh`KL#bVX9EOj;-8fs#(x)!@#jh=PIw8m)v?R>l%Fuo^^DQ&aFEni7fN%Ld$F1mao_j6nk84+@eWYgG)W$^mbI z5g0@dfT}`Zs*u$ufF@`Y0>IY1{=J|eg(KD>!QwU*01AZyFa#WlK>t;SKvlsiMi;3@ zcJf`X7s^^kaZcx7#qSVEo^7yj@$;uM6HbX5C%%ElH-OUrBfKU6fx^JTCe^W?2 zs6u@)x=!TPK|m2qgI!bs2VfEEtcRiIhjaXXL%Ipo-60sP1}6){;rn3$PvZcy!mZu!I*TM9__i6%Z}hY6TDkYrX{58Lp1u(T5Rf8ws&Q zKz*O4Q-}sRx&*GjULWDS!_7^BoykrU%IoRsRGy}~2~`f6xPs>D_mMzvYf2Qrt^2Y8 zpn-QOCD{(*U82o&NVWAintDKg0KBOTP~od&VdYijA+)~()!l0>+nAk&IkzVD!k>mY z>s$&%b7OUonavV08o@hVf`VzHOkgNY6p+^p=;~b6!C>?-kbeTbn-~QZ@JmbR=cukQ z_3H}k=$&2LbADmYFsBnKR&@r+la0^&nqN*DjT$|F|Cor|<;j{x;(oph7kTdV4h%{* zs7jZ%S0u#mx_vwog;K)|vnJTwFiWM$E^$9Cp3xeCy)wv)9|V_3m@-r1{;M)FX}U??%VQS9~P(2}iz!_Q?dI z!;v0GA6#*NEgNb)`qNg2#gjhcXX-l1#cJ)^b$(4ZFIOilFBSi?U%0gFeb4SZ^4bN_=zyA66vHW?ndqasAWTlVB=6dEk ziLX+P?;Hx+qGYp-6MYF|$PP?>AGp^PIk!1_c)7Hv$7k?1YvfX{sjOp#7VINt4P86f zY8$_t`t|vCsol~D@8_kUh0T_$KvDH@M;r@pbN}BgZG7#WoJRxFob5hJvDx;50UJ`b=!uy?N?3&R)j|_ew@XN?%7^%d03c8cHhRm zvX}DhOKD#L^8y0`FH)(r8a&Dr1tpP5qLP|g5=ocq2*s@ZxgU2yB?~Plx5Iy@(rgj2 z(7&+=WoUNRSh9DQ;pL@gQ6@~-JVR_8WHe1EdyZR;?X(ojFPf}e4_w!rW= zy3n=?7%px8uDF)eYZ)KO*z$7Hp{Vot_m+>(2@4FbBKs>!?eWrs#_xLixFh@P;=dYg z<|N#HJknp2$EnI=*AN0L(;{(uaPZKG&=7FaNIG?mfdl?A*V2;G5)G!4tC!Lax>#Qv zElii=9HWc#(p(X_;yp3w%i=vD1C^-oSaz)9(+-KagWF+NO0gi-a3yX10V-EXo1z_^ z9WCi_eVCV`!s+YuBA`q!WWGP>;JsI`rtNWSZL>I5(y8ZSCvA%U6>%(o?gDeFF30A@w#fse390}ZL=F~5XKS@ zn!rerpGff7ax>D`0)1PrIbrrC=mmayUa*96a#KZb6{9S*JpFY&XxFoiL@vrz&}v6xyF)WYo?#RR44) zo;`c_x>D@Ix0s#5hd#;P^uPZab!y0Rq3|KyFYZ%SQqdgjnN&-0-*;(b>zgj^@X@zI zXTOV1t;>fpxIt58Rg(Gbz39qUb~d4x1`pU2XgvRt6Q99NW+W}7oS47TY1|ZgOMu@{ z5P5KJYxnUS{7lT}rmgq3XVT9XGshg5U&@VaDvHDWC~>1^Ng~_EhUuO!fwE)2obmME zXIpM%FUs{AkUg%fd!JMI>0R98ksi_R)1e}a_&4x+iLb_Xq=nR3JCe^vz%tzoAXt(B zNf+lk9t%R81#*aK!nDu5ngj)Ds8w1e&uBR3WATAUd-KhDp(4NAAA-h*3JmfP;i5n@ a6bNa(o@7mEe-K#{M#|4pUZHQAygqGuoV#n z1Vp8yTTx696c8zjQdF>_AiNp(9_O5K-y7rI^WGhAj5n?ek~!C0|C)3D-`{7}pRG?o zo9wJ?tsoc-1|0)`(E8-2PD={e7lMdHNDYD@J_rfZf#9Gg4{r9ucKzya1pTNKGQm2yv7{+UVe<#Eyaok{$6 z)S2Hr|3=_90>2UXjlgdN{uKcShz$8b9*{RUnsE5ldO#p+0B0B*Fn$pcAx2tSLE)Mn z+>ArhD>zV#;t`^yqp7V0;Y}$a9$o=H5%Qis$H_s)svmCMRh1`u8>_nN6SavU7CwGt zo7gZPQmn&Xuh;;uo!+XZCV~QZiV-C+B+w_qL!J_NA}HL5VyyUUb|cW|4r?iz;KRIq zja+tH{Y?Sxj1~XhOLTO!X0)DWaM*Dzot-;(YH90g>FR0#3XSlXpa>6&Mo_rY-xKWi z3HJ&kheVKrgXFmrdUys$Mi?tbMv}dad_8>iJ-xm4H9S4^yft)mygf8Ly!CW6y!G_F z4fJ&kb$xX_75`q|+v^{zheU>*__emTmzK{7pFp3Wh;V?0j+Ua0>VVmS67uu&E;r|(lUn4*V!F&JESn#I&|AXuIBL5c1 zzv21~*T03pzeW68yMDvS;~LGU1X zc#tRoUKF?l`33j{gatQk5*8E|5)qR?i->L!6%rQTD!xThQd(Mi6Iw=2MoLaXN?M9L z35*AcL?KZdd3iTVi3p2G{oB`iJ0!vf3xkCqV2Ti21cnfSt#?Cm;0zE6ew*a}Jo)zp zgM)pdc=`ARHUNUgO%NQ0K)`trNU(W8eF{8>ctnt*3OZ&eF=r26#Za_vLiQy-CG+|Y zahE5H%6gt*iTnbaw@64zZBtRjVAXK?I}8kW8d>bNw6eCbwIl7_x8L=^!9!l&KEB8O z$o}CGkx|iLSuHR^AY`WRp(%RY8-P7B5 z@BW``&fwFb;b+fBCa0!fy`FjVc6M&*hlM07flyVOW?qbe7b77Ix`9M3hXg{T(Z|H1?@`HLX=m{*L{1Q}!K$inD)YL`vA~tFOq0?iiu?y`IKC*ybsQ z63reEkwRUjiqf2TBG_u?Sca3WBzoi`dI;T~MkAwtm}3*f6(no;m|kd@AO;O~36+zo z;dw%SFairkKrcAK?2s7QhD9s{+hb`cK#*Wzs^AyVXo)KB-Z2njBv0Uw69%TUhvwAq zt^pd0BT)ep%~Ra1gTbgVz|0&~E+sE{n2JS*rGtr)9 zv?C2}eD`K@#Z|C;Gv}!fT|`_08Kd?n&!Q#E``|*FD#CKYGxuNsJs6yH7>Eqv&hvqHb}#@AA3ZLqi)+-w>d4zTQ|A ze|RtVaKHtdKGea5X|>A1h3w2%YCnrtMBXWkeZ#wmKaTBLyqne_EOk)-&6&u6Ko=f) z+t)j!bYp`o&bocQCs{kT*Z=%(3UjK8(F60;)gkuja{=7cxsxg4k`2I7@5Cy6gl$!%CnLuJ02osDtLzMxs{1 z6Vf*TMaG5_1mQ_NhQfzF#*b+Aewe5`dvWSd3)#xc+ShLS924N>xwqCP?~y%logV7; z=pOO8+xOw=Z@nvZ(sMUW;IC8X6Po*tZ!W z0iSM6Tu2;OTCSZuY@9Hi@g<0{QTLVt%0;;TdFILCw@t5M!Y;fSV^&LD+=Dq@jFRI~ul&Qc7F>nX4kPHM z1U}0GwCzqvqlB|qLKW9J8U%73pmljU>Rlb}Za^7Y(6uj03azWuRWX84O!&0@lShHr z+C=J_%AI>dk^OpILt3Zm{5QAy&^JlN6(;-hztxS+eHN+zy=J;j^llp7>uSJN+rul* zx21|C*1zx6nn)GzDMribaTpN&*8 zlr!_%YFkoGE_ro)jgMX7p?!S$e7b|xu?}sB$ZyW{d0$gvH9hlK7j`YqQ%6FnzCV_! z-e03hZi?pYrzt6NT|sld?}1J%gVe78lv3iCi&CU2soU2OaWrspwby%ZLnk&hjpiYa zMR#K0diKZsEr>XnxHc_|MlKh~TOuNGi#wV3w_>{*aRL+>te~(A_5l%IT#=B8p0vSE zQMY0{b4nY4i>5N*#g#Z{!iY2rv0yIRK)dBx1KM1d4V*H(#4_Zr*lG2*?i(V?8Ur+g zf?vA?;+Ea`eNEba4)R_uMH$|2*HC$pRb+dlBz^4?x$61jxSFx9V-lMdmY;kDN-CmbPYIUi{&K68h+^jz#WTahJW}>uua7nd$WgXgewDsc^ zrIVxNMbT>(Y1GhF;{ESMs<~-GyuwGa$}e2s$=Y`}`T3IR`N+qTa~kne=`L?bEjvei z;xA~&CYyaM|LTPFa<+_E2tR{%CLm+2+t;D9A6M;`o>mnvUVL&QwPo;S7QUR4sdOv* zW=3dpW@~`fk&_OCYY!$z?GN>~A91(mON8RvUX03Y@-DOY&b)I+`lJEdL}EG2 zSZ?>jM|}@(-O4)sapvek%tVxcA!0DcLEIm6S)-raasS0aq(ft6sUbjFyxxzxx>$NErg2DYLUBe4KHl0cRd;*6nyAFCEJ6o{qyiOZv@&cL1o zV%ZpH2Xx*NK>%r#B~W!`e)DNLwpQbj{m#hrG-3RES3^rlLqrZ`A{qzlK6z~UhSwsi z>ux|~#-{_V+i)u?Ct}i!Zh4iQ&n}Lfh`zVFwj`JO#c}hzYwY9Hpz#%_)>CY|b*LOs z?qmps@Y)S6pPRmIF=cvQtMQ#v-lrm;#ybnOZBR*eMhQ%L>HhY(VfCYDjQlq|oGkwS zGRxVLH{r148S%T5jy%gLeMSlOi>0~Ye>kv&Je@>M_>p5-)j~oWL`q8nW?!bftbct) zcHf)s^gZvw5M>MRjQ{K#P06G7HFutw?UFj@pgq>y>GJIR@vhSnLwNT;R0=0cjHXGq zPn>?w^Ju_Ey5RG^`;xx$LNj+NmIGH5%=pi)LsLEz&7KHB&HMMvve^eIs?7>I_a4ol z?i3E-4H(O=M4~}gY-H0#&lE*zN+&$NE$)Kx{rmbgv{xm^H5!bRY&E`M$cK#2p79Vo zd;WMZ>p4MZ>*giCC#OPqWnxTNwTF9bY37Dk!^8A?&>ykQ<*006rP~Z7%K2vbSafnZ zU;hpUu4{-Y(OF;x(x_yh5}w?ip1oqhSt&2lJ?1s0q9RC8QfOXIJV0A)$Y-fo+9_>P zpB=yKZERN*!(yd$||;8TulDo@8f{s$mnP9xe?;VP)jC3!|4@aE4JV+A&^Q zmXnSpUce6xv_XBQY-FXkmi5-iF?nI^3ccv()kV1Jpw&yoGT+>?6(9FK!m+E%KPy%( z*CGBbJ?~<&3(Glw9x#_)K3Ub3$tv(RO%Jv*$j*25D?Ml_{&`EspU|qgc%48#y{*QP$^|-8+rmr0eT*+BBGM{?Xp> z{oB4f#om(3=e@N_eXcIW{W_}bnBwi_>{CBkAwuyt7GC7Q7CweN{(PkJ#hFtglVt*a zcZAr}9K0TLboPR6((BH)`o3{r{EhgA?y}esgp7JdB;)JAT)Og2%&gRol5+AA`G-vU zof0o$k&fU^>04eRT0YDV)j2!#gck``q8FTLs2w04^OalJFtZ&QN^GhUF7G2Y59<0A zu>4@jB;nXB4qrJ+%7aA@GWLTTd9Xe+MF<65L_FsnuG8=j5y^R?Vllb)9bu!sq|7fj zyqnb5s6(DNQ>I}%>DaDXq^Lj$Gb3-30Ho5dy_f2Q7>wog;7Dg68z9aGASrwl3s|uL z3LnAZAWf)fp_r+=8g15>ZR;p0`=4IbRvFatZHfO@@<8s5d(FX~)6Qbq^trAtJ1<9= zl>IC;;X6EE-!&b)x&6jLWd=DaOmn|4DM?RgPGVDK3r{KZ;w$FWt0C27-24%_&Q_VT z^l);32ai+z+`W1#|2HN2n2b9A{YS3810ZccyRZd9#8HVLF89c@U~~&HbaPcjmSB$p zdI~G3vk{laa3O8#BI+whRQE$T4qpwH2|(jG8UrCE(#U7aI*YD{{{0lc%V%4NJ~63JxYe z?}+YUWi&ub+?JMoX}ZcVikUGuN$BGm!&}&k=FfG1Y9`Tt9+AsGz0dv7eXqFifRM90 z%kwKEjrZkcSG{?YnF5L|EA!^-k)o=6ixG_g)p|VlU$r89ec5f#aP`l z6*Md)MP|w7aqLm_Ktm2WN1?jk#=&2Yz)v)u?E_&LCEL*DU`%G+hP1yh8x6U*#FB`h zg?k4QabJPMH&+V6GK&Fl0Ki|U@cL(k+M|E)E0gGy>Y-9Wq$tc$T!NLv)f{_Zz@i9R z$QPynWtJeSfsX_fOom@p6l?D>P7gvE{UcQh1cZdTN2VE4IQo{JyPHStpijZ$??O2z zo)vhlt$ED}p3V?h9{$?3`0`oXkxTOfeND!8_iJA(W%-CcQf! z9KtqvdY}rW;&}>f@;?5SJEJS3;qqm>N!#%qvRHCC=Q6^heWqB*-zWsPF=Q&Qn1iW0 zCPP$7s1mUpLHrjc9jd@ik5`iBU3?R*YYiiqSXPpm1y{#PF>nHTx-?&O zFp;W^UUG&5Wm7&xsqSFa+K38pTR;fDoH-rkyu<0I2W2;#C@+&@!g+$XJxa$%KS`c* z@=<<#%~~^ltj?!@-&5R!z+n5^9DU5grs!+7!A6MmC$0G&*_=fGitpZqx^DL?Ki-|s z{anW}Ju9oe4kZt_%gPQ*4%xn67=DM0jhW56xDLtfuj_xg>Fq_?t;3PVQtMFgNW@Bw zM%4&qd)nUYh0yFTbywoOGB7wN))#pK7=E)&h^FL89~>hAIt z9^c?U1eUQ!rhO>SE3^50e3ZqNnw2hH{SjPRlCkru?by$ws0%HbDQg%2uQf>7ZqGRK@KNYP-V(u^|%e4pZSD<@?)sv;vnB5x*k0! zoPboAH8W(25fCIWPL(3!28i1r;0g>m*c=6>)PAPaF@;%s+ze9+BF{VLx=5uBAk`>L z1U&@zTsg6L7YS(?$k;Ke80DB+csVG*{aYVz^I4OtH$?XF?Q~+!OD}#K1 zH;H~a)R~jOaF(Ac7PK;CIl+${wulSRuN|{BZhPx>!9db=zl54~h*{mkI_YK4U=-!n z!Ns4CrbbS2y02KVm%do{1>W0tSL&w$>W=x(x>eag{o8UqQT5s4tL~n+JO=CvF^;zs zlxD>vobs!@1fH}7MVZ!rqpgij5|4M~Hh+qEa4A&ia4x$16>Q;c_c}Cew)|5?@O1oI z|7nb@#Qc4qhR%cuI4tu6liSb!tBqQ}@_0?T&~n?{fCl z*^r*s2OD0JZ$P21?tfCt{1!%9g97HYo`-i6YgaK1jrmDL#tWjaLyUU1VvaHVPjvjP zFIQV1(A8{asu**7T>nk;46w%phR-s{@YchiopkdPJ2R>K0sHAp=0g;Mjs` z`XN*noxew$&VwqlBjSLi6Se6s4*X|*A6^_m;jeFaJ-yMG!=jX1O4nP?h@)!7L&E z1RFt3f9=5qw&W+dckz=t`e)Bf6>JJlcvKcKAS)wp_Jr zO&^3-*)x?dtmdE?Tv1K(6FTI^7PE1zRlq?Fh0F^K4MGCFh>m4E<#Qo3*kVN0Au9Y7 zaIfrK=Uf5|$0n1n_`$CHidiOkP$5&+PbDV-J=;DQ(_>VJL$rmVV79of)* z=!$5%t7X1-;(@Z@0`Z#_wtWx(c&Yt1yfnnd$lT7LMJ!YQO4J}wrnDiIi!$^>zH@p6 zw^J(QmP#D5Pb|rn?t$|yNyazgfd8{`z+4j`D&Ueiwo?T{8a>*je*N3H=334T*J8v9 zV9Pul{(c^|6woL-k%uD)_aLg|fjRi9g|O{2mAvSQ@V$sW^cQ^z+=L(ekQ2y&KuaJ$ z1^5000M5?pn)U%*JBq$6*{s~VoIOYw3Qj#qtfDyDmhD>-9C`N4?B>J#>@s93gmkif zl|daq-NQ`;Jn;B=>5kN6<S~b>=_>H)x%HJ9c z=HFz!)x{%&zxU@Yv*}AaaR(dYkVAbGVO&e~r#*BFWmKM2niOzwPn?tX(4kZ4hfj&5 z{q;|_tK1#ZoT$H^jM)C^o`{$-Ea#Lh6q`%fQr#bJBDz$YneI_Kzq?`3ik@I^FuY@Y zx2xHWhi0i!h^;y0;T`zt3RPO*0j<#QmHM)N{qnNFay<;UhP!2)SyHta`V#$Qo57(S zZL|Zk^kS3U3vC~Z^RrG~2}>K>_?hL~6Oqwg%$CLK%@S3zdQ@rVec#Kaj4LjmpLl26 zUzL%&%l|^J@BPCkHny0Qx@X0U9eyyLp610!(@NU|s@)IW=|LR>dsr0H&Tki8(x1!u z`E7vneYluBy;j&5Yq0R0G21t3aONtbzA>&~e9pUYa(`sjW3??Ctt`;6uw9|-X1SEF zB!5%>HO%s`%Q?|+-2-!?=`8u(+4tL3v+%uH@$Htejtk47i*a2$=bPSu9r{$nTD?d# z`tuEK9qQDZJTENaSGsk{z3a$f%hn-HxV1VZZA`N>v`t*XlVAF5nBHLNohO(5>lR6t zP1hH{B}K{{?raLVkN=kCo)QYZ`a09kd)Pr=o7s(z5O&LbQ)OG9bww_YcDM&6D4E5Do;rE0J2xMBDeW3b zW$feX#;>nLpRJj??a^8Mv23^0c3QLlvR~pv%&{|LJ}Xu`zEj>9&b|!pKl~D^oo-sT zn5;SnPoa_J5Fd0(&285q<1^v(?VuI3n6iamU7CD58nyHB52H8p876s$4E#rtuf0FC z1g>dQayz&DI2n&#Rcuu$taf~5T{Cj@%98n;2I_G{&3%t{WmHGs4c|8RuVv@9Ejvbe zJN51wjk3>d4YRVIuvrZlis;i~9lW5N3m1)_P^_>$sGA$@cek|k%f#ue=hwFMr8mk1 zA6kcO7I!2>em$kxUfdHC!mDSa_X*;Y7fCb92${T{)WgA>hz)yFvvIMJUDg@5k^?h` z+UCC=Kg)MojQltVZL8nk^*ABv?n5=bbqKb>oUM`clo1oj+!jjzRo&{@Vk(R^4sfT!-E&ePQujd7nsRUU_iiq|fk4 z@$eHSniSWS4GwMN*W8~U(O{nwk3Qk;mR;J1|8Y!*?=JeZqW@;Z(I;zL`5QK;Jr*@# zoR7rGdm9pT`6U$0>))ik+7~}kD842+ih`zHshM7{|1`}uEs1loOyxPVJG4&V4{fv% zRoE_Q$f0xSo!c8ca=OG|O785$(C1^bV)YpZynC0uCH~xDoGSl~NA`>BlvdX})2Yp= zftrrb^>>B&a2olRFR(olCA8m2?z{IPVSs8~w$|^w?asNWn6kIsxnDHjn7(suIX-^wvX13j%@~kNf|CjU>g^!2 z@y((`=45^b@Nj$})dW$goB$%17*T}|sT2^gIF7wQIVa&ub&sJGbjncb7_I?^!8QJh zN`zD7_8)sA$_IEF%BKqHA?5rCmn1qjTa>q@-&?Y}ba|GJ8#a+-yB;3Q&$9L#R)<0k z1nnA4NXR`@2*UN_VlU2Vtl5&)r@kHI$a8}I)lC6gp4L9&d3O0*mrz*3jm+TK%S$Pp zNA(69Wu&`fg%Uyo|Cop>#}Hy4Lz>@?eR_8!o)-BsmHs&SDz5pCOik<4h?VnkDM!Mf zrmAnfZ6cpmn}hh|v}Mv`ACbeYO-6XN3SX7+yZ4SuF6PCeZcW?>iYVeAADZwVFc?)C zKdA6b?{$u}^nH1+(zdYHlcr)P?x@a{?g&otbdG1$W?fr*aZ~mHT&t-64Zb%%`v6~lYFtN3MJ7$ zYr*`-l?P9Fr}T_(0hM{sp1m}~0)L$s8#43G%FBP(N$7YyKHn30@LQ$H7fsjw*9K3# z-(Jsn(niAM7`R+zwPq)(cdqd~Jh`EcQa0IiwRcz1o~ApTQmdUU3Hesm!L8NL;F z)4$<|#iu`{>@YFd9Gx}RU%8y(5cuQtvc#;G!|{d}piG@+H@Kro{^TKLchS#f=Zw~&H0jA_`T9kE69GC` z57(p|OGAl<-%5QfZS5X(Dz4MuH1@g1#q<*=R#ze%wOr~8B!X@fuPsbYd-PJ&975uR ziX!&;(Ws24Ho1WV^RxK!5(H7nB&Fx*GHzi+5z5n#VHrIN`g==B+aitp;WBaDI zB&xPu8#*Z}%W-{5e9=EQHz0gHML^>Fv78An{HEC9TVqEo$-x@^V>QS&oratT3M182 z?|NhE)|ryrFLm38PhzLa&gE`!N4HXrcLu1;;zkd4-@I6K`1L1m_iXfHR86pXcp~ci zi)T5n_gl$zbQkr?nk=!pT_kZU-_{;+4(5_Cpr36x_IV1k4ow_R*{Ab~?bcJ7Q9?Yaz|>~9{!%Q|W~pJ4kYxaCIb;R+e$nud)kT%QKtf=gzL_2U|~ z(R6dNo~!A^5#} z!E-$;fBciyEYYB<>KhKcXlV6`eZS@$6p1Pzs`$bF%2y%V)*?_Bft78=ZRwgI=7s3gCN k0^|-rZj5bkCJ2z3;4Nkj_Y1thgX4hrIkuK)*!uJT0Z39@KmY&$ literal 0 HcmV?d00001 diff --git a/Modules/images/5b.jpg b/Modules/images/5b.jpg new file mode 100644 index 0000000000000000000000000000000000000000..b1954e3e6bd090396766bef2040b4e904ecfe565 GIT binary patch literal 3169 zcmZWr2UL?u*M5^g=xSgI0Vx8J76`@AYzQu$C{<7h5E9xFU?XLvC`G9nmyYzdLBOR* zb15c>1p-JBQ6eIUG?xUFA}b*IUiN(dIsbqDJLlYa&Ye4Vp1E^p&hRFAv%nD>3u_Ai z0s#OB*Z|%Xa0?KE3yA$cIecJ|L?Drp2uVqloSG6!=D3`sq>`@UaV!Rl)sa%rH!{&Q z)YQXbAi~1Jhd}2eho!J`l5$!Yj274qL>q*l{Hs9(TC@zo-VkG`W%xfnpq1AHAOwL= zzy}ya34kIXFa(7643GtBLI5ZXr1@WgLI4rmg=JUvj(r8^OM$@;((u0ooPV$^ z0$k<)4nm*^MR5n1DeoO13etfhU%@nRROT701(Qkq*Mh!Dg%Ng&cPE$H}L=tFP2#jGnJMB6cIv@EJS*S zw2(3y4IgtfxW%VoZgmcS)Xb_ASngC0hm5sq9X%(9s8}upmJ6kEz?jU@pGP6(tp=$* zVgl#M0l=t5|EO$$RjQS6rbEVm16kEdD+Y*WhCBWNw>n@aVKLeojBq;80M0L^5@drj zNFB46#u+4z9^k|th`+LFz#)TFgPY|>qnSrCB!xg~_6I;wNfFI|5K#$(CV+8;z)fM} zRS@y$(RV5bo2vv#T<-53g(OupHJ9tOg3&}1i7=WFzYvg-VLvJ<27)YcC2?rwA7q-k z+I@9>)E`sX(bm{+GYLOsWT9mOapQQE!WjJ7#d{g3PCavIz&k`MWK0GTzvbb7ch0*L z>GIgC`{IMfhiy!0Tf&$-fpPy~z(0*Pv9=$KivK3G&6(jWSug48%&xcVB|MI(RtM_{OH!k>9cfawO?h6dioG1ESfhWG`?GY87_x3$U44@pNDjusi zCN3^40|7y~hK#VdQr6iRZrqWUbgJ-Q@|s&Vg;C$kw`)ERn5Z=#md16Tit%srApW{{ zbUkJXRpX?P{`sui4~du?X(hH59I>Y-&IS(;2LJ6`7U%z|*~{42atHr&*yXa{D?W|O zd=#GTAbKbZT7JBBDQj0b7a=%kTe;j{j+ZhAOGlZ*9gpU|TDy^`qfpS&d_3Z5eW;hCxtx@K^ZQU99-p@bY) zyS9MyyiM&K*8aIGj(EwO>FVCd0}LWdCkBlDr`+7`U4H)B4K?WoNunj>@+Z)e5_*&4 zZ^Z{#saf$Q$0x^I1qcSDe-E{jy;#Vh;CO(TeH1cosEC^Wy{0zqGUuei+}4(%H>>7d zeV%zBb1NgqG4HXf#*Rs8XNuJu8xJq-qE76+r~jO+F2;0moz){RKLGnEslu6^PsK=S)tkfBCG%zC^eINRIATppS5rPGktaQ+MBgaOW7U!kC=}6!3hWYPU}Uz=#)s^jpBy9uRdi? zNtvWCE1C`Wn01RmoM^k%+>QHei?jM7!?D|go+S_6cch+`e*6ZHmOsUfJJj>8OG&RS z)Y)m*-F-bU((-%ZSGJBV8Sc$@jvg#XhzzL7agoS@;|Hv6*b$}0rFA75JBbKj6EzH{qO%1Ulh zT2k>eKd9qTZixf&z0Z1kKAM@Dox`E|aM1JT&Ywf$_|WFDjr3uJ5!t0gva_K9H@PoD zdK@~|=k;oDq^zu}<=4Mib>Uw8zLzZXe$5Z_n%|4;{yk^ca*RO`&-wBw|H70DS2I;x zrR%5tphu%C?qRZAua&BM^8=LwzO0C_x;Xxa5rdpzdEZ6G;-oS^TOsZG*rLyup$Baf zB=VIqS~y$n$E#6!^}DPjj)GK2J#m2k)yv2^e~b}2%IVgw45HsJ$R`B7K#fJ(diCM5 z;w-FN&E^@uu&1u)e-kl0^I}k0)6Tz|+pcxlhzC5qx%QngQm};;;P{I@`6Yr>`>t&_ zXvW=d@6E2#zO`IJi^NWBi2BybU)t~&Jrxc#FSNw_B5q0c_4S-?FCKu*TxvlSPgx)@ zA^E(0h~7w~3f%cX35bhB#UT~P6wAeB{sk&%bKEgS75-x7^@3+j;N5!f zzyoX)c8oJ4;dM3V*UfbH1#5T!DchSp_ci4BCHXTQhG$&uWXp=nZb?0ewq4}!x=nJ; z^wi3KD|(wWLU7EZtE~}AkItmTjGvw^EBfoL#3Mr$&V$k=%62{14AZRRnTBShP`;i2 z<8-mBXzXz8pOLRgXFA9e3)MW}#~1k>_3QU;hZB88pgPS>P0At| z5e*R$2^cI%h_42od>8lZo@}bsr}K7j^e_(H6PO0kRWZj6#3wZ&M+(B9WasUq=U%cD z#{8Mf3hB}gwb2Xe%Kc4s=H>ErU7aZpe`z!7osa0(6==G&wn|x)&s9ef@q5kMb!3e3 zn&Ix&*fi?ZgnGlEp8n&V8m>uc_wQj`0SkS1{nH{O+RNi3_~P+8bq3qCzHLvtWkPNx z+1n+}9IWKL&dMsu4>Luf&mXn#`*CkjQyZf<49qA+#+_JJGliB=qrA*URf!SFJ{3avu z@$L9*@}y)^i-B2{0dlB!QaUL|D?$3`2|-zNQ*-d7m8u1le9xKL!3&(=17MnJ6ZAlf z`N<0*QimR-4M7YlJ`5gLal<_`S{ZBOwlINMMqUNs6 z>AU)@4p(GHc*9#mhb0yt{Y)kglSik5jtp50H@I##Yh1f`K2@ckl zYR|uI+r3pfN>xou3;vp3lIf776KeC@1sk2)H#}a-YyKsNk(tQKbJ=Kc?A*PyaOx*_ z4e=_EVAx+h}rD+E1;I^0; z;@9?5Yp?S*!#IiU$d}Cqa0)Fmv*`rUk4zEm9by9?#fcgaAswZ186T*IH}08OzBg{* zo`i;X#7xxi-SBmju_(RTPknM~^RrP4hS0Bz^JS>mA z&=tHQ`+Xws|o@9RD@W}=O=jQ}h{Xl-iOZDEE=Bbh9UY7) z+x(}to)@iFW95g^9O>CoBEG)s_OW&L^eI(m-$C|JMSoet2*!7^z$3abNLP~yUmll_ zc@QzYqqVd-4?u#nj zn(Bt{9?+efrIy-D*E2((H@qR(QFl#J zG%1=MQTx%Ge@9Bzz@QiI`pzhp4G&ef=~`1lGRk?O~@v*k3u=Lj3Q`evxK*!fki)H yp&M^itpk4ldmQieIH7u+lu^PYl&}v?yigyHf?Ee6#-i#ao literal 0 HcmV?d00001 diff --git a/Modules/images/a.jpg b/Modules/images/a.jpg new file mode 100644 index 0000000000000000000000000000000000000000..ed39312bbf17c017f22de27b001e28f3688db053 GIT binary patch literal 2527 zcmZWl3pkT~AAYu{Im9qERUc5lOYqz7gkLNpLL!hz6%9RY6;)j|B+}3rrE7*K5(vtu1N-(ESm+Un zc*yqc+u?9Iq`W-RLIbIV7nh+SK?D|}4{vEY_H33x+GyanDuEG$H>p@kt{ z*bE?~fHB|`2tfl-1O!Atgf9VgQA|-#P#kuvpdtm6kd)dca`!3#P!NDXK?!i1G;Grs z3B)#-;trItgrv<;&%mAN>u$+aFOX!$4NhJquSMtJF|WI#qsrpG|84r?sK`)5Y+m=j z9t3KP0*@ku{eUb85oH4rzyV-&Ap@y;J~sJIg_MB_jzlLY%P^e@Nc7MS_zm8WkuU@*4sFfv*Z)LD%5c+`^7adSBde(n$&$riydB7(o!0%(nM*a z5WC$Nl%eQG)N|ZYVscGu z;4DGIJELh;!<<-MiWg{I`3e6uj6G0ZAOzBG+X{i>cvQ}3%CkXs^|ip&V*vp_7esur zjy}L0`?xXh@G+@t;A{EJw8sAR*;K97vh2v7{3V5@?sP*1XM+|R?|F{#RrRfQ@-INBU-MG-+~DsESVpu|dXI}VbAUF|u1h7He{*k^b%@~01lO))t? zJ9KU=^J^{{Y-Dk{Lf{vB%6w*FLFHt`%O3q@|7^~mb(i~uK&5nO$9kprWY8FUeC^8E+AsB}W^jt*QuB z73D)|7qXbFXpvHcD>mtr_boW>e+i}ITqaf*F z)9nx6lPO?~s}k3;SF3aP*i5D1O~CBZ0*dbg)$!!hb|t49$nxIsn&S=14Wu>+)bqT< zPRuq8NG6dWR30xFt7mD@b!J(t_DHESt$@Z=KMm~yZPUuX9FP!UyoCe806<7m+R0D5T82Jl5ZpA3iI zuYtpR^36p9MpcV2{uW)EvAIx;Xe!#F>n4+MV{FiSEZ9A1Iro}w$}hZU)VC(Ew2v(LGSJ5}nF@EP z)AyE4(=D;STk2xA%x_(&4^Ek?8g(c*x$CgvD6SWqxHf&9>i_j^K!f%32&*}H-Qd&p ze%V%*M)Tz(9dY=kT_-GXpCtqQ!=F7JT{7)xIuk#-fwZ8g_Ite^<{8&2{nc|C(;Fjg z?-S;o;ylsId7E~8YCbC4z2RzY;JwsSW)fvLQY!TyPfU#cexW*8C0Omx5t~ao%67j| z_K&--^87-G#1oZYi*nvwYyFKrJ}1Cm*BmelwLiMmyz${ zz@)ewFy*_>bb&MBY&fx~e=+$*YMGC~%5v7Fhkmk+U}#8Dc`}Et3tHov6SKUk6L@8D z`u5QazO(Bd@$L=Z8h*E1(?ym|PhO4CeX{sh@IU(Vae^~p6Z;Aq@>62{iC>D!d*Asb zjd&3ryc%Q7HryHh?QvDc3a{-O^;_-hUs@;VCn6}vi&9rS63-(;7{avd*f7B9Mx)iHd0y3^6RT7ngOnq zm4AP4+WnyG^w5H?i}i)&D>XgpAq5LTj92qc5xd!ZlL`-|_QH32sPu#s(%bmXsER$< zj4GOXGWm!q4tm~Mf|YKXyB~M1ds5yhcN6$Dc^8fdT*t@eN^6f~4_80>5@PQbl`JUG ztC?Rvng7>=ntCW-Ab7T~4soP@|D5X?^@kkd!#uW2xMu$2EK-?b>sZ=dr*@1VHicC0 zg3Tgzrnqq4;i=Sa+ODcycjV3+Gm8t2b`}_^6dECSwn06cOSA z^)OIQExEXUg`^>9WBIf^#0%;`8^{5iko+|G!?#}gbNpf84+DP~_`|>-2L3Sc|04s| z0TF(I%7oyE=!mG`h)87{H$!bbWxTIHF?_uSav}!%1}HoE2Ka^nW${lX!B?=()*mJD z|D(_R!Tg7TKMed~;12_T82DEPoFF0;4EaI_cqa)39bi$*w zeb*I-wtqyJ4#_uCM^9T<2f|vCB7OZs1EZDw0uK?xEi}Kh+}Bhl23Tl%8sc^Fkv4(B zL|nqrK(_=ZcmIS?f71X>%Wc8}SdtkjEHW%G+EE{a@85py(f+ z{!i%#7(p8|o1=lg(Gf@8BO(rO`(LO+tj>S@09I$6mVX)Ye=Uap6mQ$G0sdzGf1&uR zd$+(N|7UhTOx*S_0{AbGpzf~%csp=Hetv$e&cAm2KQi&V2KXTO+&?@Pd{X)U!ttk* ze~aWlbp4_0-(uk3YW&B${?PSrG4O9S{^MQ$kJ0r{)f*TNq;4G0v}+@f4a9{&tp9Q$ zxVX8vxOoJ4dB7peFTf`tBD`^z__@%dANCmczK0nMMXqq|LtR~4HD&pMZ%&GFjWXH3PXs();b|2um{KuzMEYC zdh+iB1_$Hh;pO8O5CjdHH$re20s-ejaD%~v)=A(w#3jltrlM!fBktnMt9k^fpOSlt zPi_0P2NJG*bLs|uM^pI)B&DQfWH)JOqR^W$hDOFFre-!fZ0&a9>>b?PcYAp5+3V#W z5EyhQm>3cj9TOWzicdI^mVWZo=?qFZR7Q(<{LL}-M-V_ z(aG%Ue)#Ayi`_pkIP~J>@c6{!+jmp%KYX0#eEs%)e&NUB&!u%-FbMG%tbZW;54c1D zF8I1lc-L{k;BnwYh;nhO=<$eIyYTuR5m(hu;X`iEy>#sXznX#ToP^)eJ^@K}%=jkG zI<()&{&T=m|F@9+1K2-t4MRc*7%(0}6taYtR0{;4`D)lcX)Xy^~-cGPGSi3O3G05oS1UKf3G|X#TOR^y-OBg5IslwramZB=ppE;v$7mT27Xs?04f(jd~G! z_LTfEIe^E7a@+#VN8=H-zd>hefU!0ehipeNA=@k>9|Ko)ZYpI@CS`lmS2RjgRG#IY zP849@63xYLaTUec5mQ8wuiVqza7@U~7DFkZ5Rotiz!!l#fnY&IPmm$>m|u>77qmWb zZmbXi;z3*WKtUzk5J1HQXAiV~x4F(-LRne58b*bx(`m7?k{53j2t>-z{J_{RB{4>V zVJ*b%9A_q!KtNa_>a@{qt}`^Ai9+Pq?Mf!J6JT0k`Td2>ZWsyzY=_aeSP3yPDWITA zRvYQY_?7*(jD1$f_NMfB8XtuvF-2EHvH)N`ylUkZyc$xVGr*0H>9Dg7L*ZJ76OT;W z4HK27Gx(}Rt%R9K0E=J&x?VR%(-@i?D*$k{=K(ONb+0SoAwn=}LY*olNqOCLPVf{m zavB0|*a`<;QHk=sT!F;Oq|MvWdcbOw?dZ3z zqQD37z!?~;m20gY;D)Qtr8oxF@NsO-75fR?)($8zGyxD2>rny1Ot?`3Bi7rekV#R)M?7MH0MT=z#P7tEeNeBnTSdc60*nF{=DxTMZAf%@yX1Y;$o!rk4J;!}{p$ z$>X~y+$IQI@NVRil}U9C?cloeahnMBLI5n%?E|zPLg=yI!9)RuA-korQa(As&$a!9 z!-yqaRQce0`A%FxQ+*9B;JgXsX&%K9c`zte)X=(@HvDAeQ8SLPYRjO%2+qn5lM5|t zTud1kc5sorI8i4s>l!I0>?9TO&@kFz_sQKSLXizhp<7O-9~o-8AKkqXs~oOB?sxo#JDjL^5`))54r+M8s-eA za^nDBm2fh8k^rxt|~ZdUp!pb5PGe|o*1F*o|Xy|+m(u(v_uJ6 zOCP-5lh{4cFl^ktiq=;Rx&IZEqeEtrmGPCY z^k?+F_G7p1ta3l$j-rXwY~x$)yEDHAWni8QEshSkpCAjoZZ;Nd^-FH@uWv899#g15t>9QAray54C5<*fW|fcQ0togiR8I&fBE# zaLMajfZ(CuLML=G4{^R^&W9yT9(A5j1l0-9_iYilK(32*w9c}v*y|R<1&lK zR&t3tg~<(17LGJiuHJOS&_#z#cPP(`DJ3k1x1e@9`JZoUzUty-rgUoFM?8eTdhwXk z?fx(O18l-XV-d>XCLi?e?8iKtgOwVcvkY;xV$WM_%#PU3T)gS|0L5EYgf-|*Ods0L z{JMmcR_<7VXTR|pbSW7VcqLuvK%(i>>7C;I6>7`v6fJBEwxt9bgMJaaHj$@cg|MVT<0F6xcDn1GRw z9^UR@z5G=sNfb-Hn?*ql+nCzEantm|QS;s{=~%zBEfs+tEfmMt*5uY{H^2;A==UKN{IC~;L# zjk8s$6&01Pk}Y5hLpu`Kc-(*tjqkY^ks*7*O0;hm6$L+CT{Gh-pDPKOe;emN~REf!8B4HW1{T<=rahgx{J*Rd?Y zuG{KC(WN!0-mf*NE+pYx*LBA0Y0syM(+lz1ng?}-vY5s58nr_ViN|@^soB{i_OGp> z35txlcU!-o*%hkb>0J1ve{d6QDk?8uZ+fIKvow8=5X60qCe!eA4LZ37ZH%!zS&F(b z_&xb`y5fO>>qY~&(sK6l&-8ALjI=Vb5P9RZllh!)`kufVly?7@mmFS!N0azWkzenr z;|a~D@6%)du5*0eLwBlxcbaeaNmST=48JiN|1ESE~fOu)t`q7 zO|z5|b8nxrL_O#l_l_ES&Kq(M%aJHeA79*YGY+5nG%{ED7t8cB?Px-2o0yel#XV?F zyLj$P`=HkbO2y-pxLtbtEjp{eJbe9j)e16!*Vj4i4!n&Se>%Hh=3IwdCfIEuf0m91 zO60RENFsPO3G@`m^>*=9xz1|H0xBgb)d78_3-ndyZ#A-InTiB zvPI?GgMNFZU4O?Q-4{%ga<)hU4+**KW^1xr3@bpAt`f*`C(l^LF42G5{$vde5#cGn#+%TQzE#QT>kdDSc!q3nCuWwVG=J{xtyW-f^aFP$-*x_Hf~ zwnB-jLWW+vl$M`)acrn)sD_$%2fJ|PGcvZz2~}Q{+JvzXap7n;5a}O`@_a&!kH$wn zkballKL^R@;UKs@Bzr(`dw(nb@-WeiyX59l`pD;#(xUj{9Pv&p9x5~e~ zk$q2sSVp|_^~*9oPFkvv9O%#W{_zKYgn)p;~u>cTmoW;;qZ#i^jflW!78N zcE(T04S4kHxF1=A_E$VtfqfasetP6<`n-@UD~0-PPu>XOHv8fp}k+ zSGg3M9xTO|#v=yOSxxH`02w8ar0X`FA>Xu4{1lxR1bIkS0ms^Ah!Xh;j~pK)t0OssMLkYkydDlGztR|NC8`TX0^)cTwci z6@=#bF6o-MSx=X{HndpXZ;@??(} zYu>$ET(UvZaCUZ7!fvN#{|36i{kdP`uUj}e2M%oMi2b!d9x~R4tKM+_Vt$+#I*M!i z;zPSHbWb`sS+I$V9gS*zazXdU5DO(XYM)izXNPl_M`<#)Ixt*p`Xj5}e+WoaT-2i{ zYO-)C=Yg5-Sn0&TZ)x@ZJd!=0sW@u?b^*ao=yQVKl3TZyhllkpir0Sk%y6`xGg#3G z3aRFm+Uggjsa6=O0M#T^MUBDqB1F9W1#&39AFYH`D^%$rzBIlUQFvc!{3kpHL>&tl zEhGb&st4q7g<#l8DzS??3e4+b3mp=OtfG)=)f4(tD-=SkT@g%dOqCXvK;Sqdnbj1C z#E`7;${~Pikl2G^6QxZLoF&w3m=?s;(k3C&M<0#VK}%$2WA~VaWW?wt`}tV!nU0+z z;~iy-yq6@t>vT5A?@KhF3#x7y<&IazpTBx-4LV>Rnei#}>ybVi#etuD?dz$!EmJ`ffq?-Y_3y{y+V6%=RJCr!#C+ZAyE&p^)Igz8 z=}DBlLao^^2p7@*=A_w8rn6|(1^V%cL1p!Otuc@H**;ef2+ZQ!J&m(~{4BRGD~!#k zwUsJ0_hC&BYkeM*QUCh&Hb{80-M5!uWJqo|<5Bsmu8Z5kygRUhV+W+hr&2bY8NVE% zF}jTya9BoLy^Y6Su0=ix{Es$-s6zHRAtc&IpN*bcr!bO^F>&ohF{E8Zcj1U+HXbvH z$8>JeV|*W^?Fh_#wAXWp+P2>coj_I7QlZ3dfm$(Z_{TeY$By&?eJ9>6k|6XikmU z^=mRJ?r{4DW3tcto8>P05L)^TWxOW7&K@d_=X*E$;<{32zE9ZdQy;C9&suvTT4v8+`YlJ|&h--C1A&tsyWoVs0< zec|C}bM8lNP{4eBS5ec_SorMc&kn;PyvT7EN{+m%bkp1s$4VZuIxq5ekFKl%?$Y-( zc9b;+631(#649q^@R$i=TCYkK6>mm8){F3>Cb;I~HOSJ$lcn(>*ZI5QO&L{W>HZF< z5MRR`nIXQ_vc41GF`b?56-q#$$|=w@3 zjj8Epci)9@AgNXGlnO&QbbFC7);%*}==uHT=M=eJb9NUlS5E&E(NsRp$(h|I+; zV}Xk)94QA@eg0GSgvRVj(!p#l#zN5MvN^LASpx6XhQeh3Y!P~bXGWscqCP%KAuU-4 zCAuT~`F(0h@^v2qC8jcdk9$S%E8sdVC!Be%8Yyl-x3SUI^E7@~WfkI+6Yn5dURayh zL_l1};Wr^6S8?lY1*~95gNo;35#X{!44u8F7lAiqbQR$t3|rWQ%}?VgZDKp%4bQ@* ziD#WL?ICHpY>~TI>e=i{NSAG2t(4$PS&~8s>avCHAunQrvj0;t@&qieTe3s!5A&utjYM8t#6mU9DOr*C-Rer|K1PT zx03^Z?U`8>`RLjSg%%fI2vA!ra(Gns2wL9q(z-!t<(y$nvr;s-PPkeSMCsrX(LAMJ&zNqG^^+_$3V-hsbZjo9sBNFpqkQnXDcvI z`>2pBk)PfpLxbl~w-f2T5Z)-2$j^k-WPLGL`iG(I#FHiK{HatKqA~5nOMD?l)%h;@ zj@xB@tHoXNt@!YEc#B#CD}E~4q?~NP7@NA_#8Z=JMVt=Nb9S>&*<^vY6E=~x*@T>P zmXOA}rA(#dQ4;c95Y9a0O~`peF)9h9fog=y2`3)1hRwsJp?8VN)9jT#9|mpWzMkQV zVN+O~JG%rLjLWyOl80w`E_pgBF`nwcBbE-3v59^4&;XTtntaUOgvp8|&R48Nj{nl!MiVwRlceOfm#F?+n ziVvNhf3jj97!%kmazku|=Y<=eNVpWXbn1q?`Vak>@*CUU58X2-soD0|MYkk*{)*Ur zr_@BXiRCu4^}q|1+^L5foJX}+f1aNcUDlXeZ0L&Q9=u@Ld$=q=h<>nT z4PtNK0IiA+Ok-Jr61XVDiE^(T_Y`H!_JAW3T+(S1DJ!^bj+`Q>XXWOon zX;@C?FV7D+(}wfOp=CTR_zKdE0YRGc)dSz!4_@zl(Vh5^U$c=ioLRR;X18a?*LkGN zfo|ovx{JKb;Wa4zP24HNyE}Ki-xO9~Y8X*_;>04QtNhGM^ zO3pr3``K7~Z5bb9lzc-fbE55T-*>@t3M`ol|1~HVx3cAZ?G|GvkxPkR4>(s%t~Aa^ zS|*L}lQLPAyXl?$CEwxAji6eqm*eJ}=6gPstrU1Zjdooie6}QRd*64{@`fd4kJ7cp zWZTmV-_lsgnqJJ-l`E?%2U1lI$aa>VeElfP^2^PTxyR^VCb3f3meLC~tG&r$&5mcX zCHA*h({7|n>n)ZemWHG*FW&5wUHvjM8t2~M5hE4X=wPX#aqUB`%dUW3VW*KWvMxHf z!DrF;7nW2wA(ES1vnALJL0*GGZe{+=XT1O6QX^KDU z=eL2o`&S_O^WU8jiDq+OIxgzIAbB$niezt_vbh&}QmOOHn-97bnoz(H0e{53_FcKz zxcyEKEfq{UgU;DM)z(#Pi=jgNRpJhK3^m|19@EUl#_MimOS3a-9?`fkETTQQLTq~) zm56}~+=6KW@KWF`UgbMaxFSHxaATf73c{%c<$NCSlQ|K56klZq5BWVE@m0&iI zT~B71G2m%qy{2Q z%pS|$Z6a4Nmvovd(TyWA_Jy)d-dQc=M$i`r;nVY50<{E%I4!M*US9j`>@}NitM$WF zlULz}i7e_N(xb~7EL35?&#+*{jYG@3(b*jd77I0xt)jxhpE1h5=t{fH;u?r^WuL)r z20qV6(q}k$miSTa|W+wjK|?)~Ci-XZFaV@tJTs%6`eN(tXb zUpGJByaqjvkhOdoFVd0y@_GAluHcA>39x5z%4@sy{?RV%ts?mo^83lw54g|hswq(ugbR&z3R!i}6c|=;pZ3mSa0pppZA+r!BX- z#UA14=#tuq$~vg= ze8{){zUb6>XhrY9AaSHt{_T%I6f>HyB8x8%<>IOib3qe9FGHY8SN-R9W zG$C-&SRn2mFhD-%5ZL{_`s!bCG(cGX8zmJ)OPFmMv6^eI2E$ zcdns3LQ8ti-3)hMLv zNod<>KK9K^jv;iMXyXyoP*0?CH@^CG=WNx5!_Uk2kozH1gOHFK;f+x$5l1E!CfvqFt?phi~}h%T>hqU8z<$9%y3G zB_hL=jJ9RlQ_N!7F!JYBwtxl52sbtZnFBx98 zgOwFtK6^XDVh8IBb8ENFQM%KECf_57AVy z=2m?ZcPwDSUJHjUOdBg|zsM}O1{ryh9ULZKe7cU;+Dp~AU$t1c>t_G=EiWQIhf76A z?Rd%i;s;k8FP9=;PjFCgcCM#kEZoYtamigfLC>6V9Hp}Q^)&CMUOS`gdSHmTWHLPP-r}> zr%k?|{D$^qXO?qMi~2m`D)U&R;gn^Q`ME{&30D)#4=29eq121K-hubtI(c0BLm5(M zS)}TD z6jLHqTK66Psef5=_+x2u8t1vR#hmeR#j-_O;$~eQ%rWaVD980yHsZ6A{Ho?p8v#Fd z#?nuyY{(G*ZNL4|7nK~%E~!!t4)cD87W}zwDC5#ETjpT%VQqgqz5qDt^yX(9CAn|C z&C;WGv9BnN`(!QaRg=1R&eb;@y7KC$*YO7bOU%%iu%iNL4{e8erU-h^O&@j%p8?y; zi-p}l9h`|cIc%5Wdt{t-IJ|kq=@oXo@$th8#vz)}E#UI-_-uWEFczSm> z)>-jxTvVN%O6u#EzLZgqU}JwMT>a{!%_5IYE$Xz>jQf`?yNtfQUJP})*~khr9J%24 zQuy4M4OiBlgSU^ z(96qKgEyV4iJn0n9fOV9k`e^zr|#MJY*e0`_`Mm$-+Rv3Y1nl!PJ$tb%`xlhoD^~= zN6j~AtQ0jUmyHLAT4x&#FOl9qSk<=?S&lhhYi8T%-H2NtJJ%)l&D~prn1ykxrgK9n z+$Yb;d#knFZXK8{?D@L;A&!MgFqqOjeDg`>A+F37%@$Vci7|}1KWF}7*CtNjG~(6F zaI#MEPj*)B!GU36%dUGmbCzeLorMzZ%bW+kuf&vE7<)EnKg#dn^4*j@o3+K)x3Nrbm}7bXzZ1!B~hcu^*<4nO+xByg;*8fE|)el{`fv zm}w|Sk=Q{!gBc?+;8sT*guy~G%4!xTBGH~`H>c6SLD;wUd3H)ty>nyUMP&a%R~4eB zCx4V4%?x+x8lHt!@=(LfX|V|gXIZV96G>azlV1=>jRP7tn@7HjMGG1REyb&jz zn~7OD#603WDJWP|A3dk#u-EJKqX;xXK4%|Mf8)M)2#Fc^`K)-sTzTgXOD>;9JFV~^ zolBet?VN`hdw1}T%5q`CmA2OesZ-drZd;! zHg9j%*olW~TpRh6*-j%FmkX8;&_femmkB9KbHqtOGn!%+k6(1h-G$VAcPhsyzh5bd zt4BQW;a%P}R(xqe=X4al8eb#$X~d?&ZX4^T+}9a3iB~-Qim%U&E_${<8Q&6rc*YQK z_rrP2YsC9;;~86-pK3`hkH^RegM%pe9U=Bq=nlzyS2%Bw%hDX3GlrKHb`ciOXwPWR z*MDy^lix9{7ZWHWCcOBfjO73B<0FZWr84Xo3pqQ=P^T=Ll=@TV$?N9YkwUJw!W5je zd`#WpA;XC`yf%}lOHBiYT6PL3rSE6t?9oEG0M0?a8oUowGhQA zoH&_t#~fR_VJ^LUSX-xHb^7a^L?G^4&X|OElHj+K+h4zRN{GI)qG^Avx9L-oxn0xA zuE(RX-9jh{&yrFLd-eSOJp0S^i45~p4=GH+1-h0iVR}2MN}Q=dqVb9|F;s``B$_7> zLh&G2!h<)`*}+x$?r^Z)O$F;%SMlE)FYqZ!AQI*-&pJU3G?9f!mgfc-J+s-W}dfHsYsD(6Lx5!W|-iiEX; z6}nICq8`K$q?D+!AzN7|ti-}A3>ArS>lFqrvz4P(B0VZ0K}l!>tNq7;Ser@>7Cb|B z{04R<;%PP+^d1Z~d>SY^A^=z32G&z)-|$*Jy2ui@C~H%&A{SiWzx=&*L~-ne_u)rv Jq2#rf{|zV2Yi Date: Sat, 30 Jun 2018 15:07:32 +0300 Subject: [PATCH 034/116] Add description for secreat-message.py file --- Modules/secreat-message.py | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/Modules/secreat-message.py b/Modules/secreat-message.py index b2a9b32..3e7e878 100644 --- a/Modules/secreat-message.py +++ b/Modules/secreat-message.py @@ -1,3 +1,10 @@ +#This file contain examples for os module +#What is os module? +#is a module using for list files in folder, we can get name of current working directory +#rename files , write on files + + + import os def rename_files(): From ea5109f53910b7151f136bd766ff1e102639a9c5 Mon Sep 17 00:00:00 2001 From: lujain alskran Date: Sat, 30 Jun 2018 15:10:18 +0300 Subject: [PATCH 035/116] Add more description --- Modules/secreat-message.py | 2 ++ 1 file changed, 2 insertions(+) diff --git a/Modules/secreat-message.py b/Modules/secreat-message.py index 3e7e878..dc88577 100644 --- a/Modules/secreat-message.py +++ b/Modules/secreat-message.py @@ -8,7 +8,9 @@ import os def rename_files(): + # (1) get file names from a folder file_list = os.listdir(r"C:\Users\user\Desktop\python\pythonCodes\Modules\images") + # r (row path) mean take the string as it's and don't interpreter saved_path = os.getcwd() print saved_path saved_path = os.chdir(r"C:\Users\user\Desktop\python\pythonCodes\Modules\images") From daaec3f07ccf99228e1f2a67d5210a4a325d7b2a Mon Sep 17 00:00:00 2001 From: yassine messaoudi Date: Sat, 30 Jun 2018 13:24:00 +0100 Subject: [PATCH 036/116] New String example #5 --- Strings/strings_example_en.py | 11 ++++++++++- 1 file changed, 10 insertions(+), 1 deletion(-) diff --git a/Strings/strings_example_en.py b/Strings/strings_example_en.py index 46c8501..d809225 100644 --- a/Strings/strings_example_en.py +++ b/Strings/strings_example_en.py @@ -27,4 +27,13 @@ num1 = int(str4[str4.find("2")]) num2 = int(str4[-1]) result = num1 + num2 -print(result) \ No newline at end of file +print(result) + +#example 5 +#added by @Takeo. yassine messaoudi +str1 = "1 million arab coders " +a = str1.replace("m" , "M") +print a + + + From 9f0f488b9f6986f825fa96350009dd29b1db0d6f Mon Sep 17 00:00:00 2001 From: yassine messaoudi Date: Sat, 30 Jun 2018 14:52:32 +0100 Subject: [PATCH 037/116] add OOP example --- OOP/OOP_test.py | 45 +++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 45 insertions(+) create mode 100644 OOP/OOP_test.py diff --git a/OOP/OOP_test.py b/OOP/OOP_test.py new file mode 100644 index 0000000..0fd9f53 --- /dev/null +++ b/OOP/OOP_test.py @@ -0,0 +1,45 @@ +#added by Yassine Messaoudi AKA = TaKeO90 +#This class is about to print kids info +#Also use inheritance example + +class Kid_info: + + + + def __init__(self, first_name, last_name, age,school_level ) : + self.first_name = first_name + self.last_name = last_name + self.age = age + self.school_level = school_level + +#Example +kid = Kid_info("Ahmed", "issa","10","primary school") + + +print kid.first_name +print kid.last_name +print kid.age +print kid.school_level + + +#inheritance example + +class Parent(Kid_info) : + + + + def __init__(self, first_name, last_name , age, work, number_of_kids): + self.first_name = first_name + self.last_name = last_name + self.age = age + self.work = work + self.number_of_kids = number_of_kids + + +Father = Parent("ahmed", "jalal", "35", "engenieer" , "2") + +print Father.work + + + + From 20e5b507ebebb1bb42f790f299bfb71bb6a0ebef Mon Sep 17 00:00:00 2001 From: lujain alskran Date: Sat, 30 Jun 2018 17:22:53 +0300 Subject: [PATCH 038/116] Create a Game using function and if..elif statment --- Functions/Game.py | 55 +++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 55 insertions(+) create mode 100644 Functions/Game.py diff --git a/Functions/Game.py b/Functions/Game.py new file mode 100644 index 0000000..39c952f --- /dev/null +++ b/Functions/Game.py @@ -0,0 +1,55 @@ +#Example about function and if .. elif statment + +def Game(): + playerOne_points = 0 + playerTwo_points = 0 + while True: + print "Choose one of this choices: \n1- Rock \n2- Paper \n3- Scissor" + first_player = raw_input("Player one enter your choice: ") + ch_list=[1,2,3] + while (int(first_player) not in ch_list): + print "incorrect choice , Try again " + first_player = raw_input("Player one enter your choice: ") + second_player = raw_input("Player two enter your choice: ") + while (int(second_player) not in ch_list): + print "incorrect choice , Try again " + second_player = raw_input("Player two enter your choice: ") + + if (int(first_player) == 1 and int(second_player) == 3): + playerOne_points += 1 + elif (int(second_player) == 1 and int(first_player) == 3): + playerTwo_points += 1 + elif (int(first_player)==3 and int(second_player)==2): + playerOne_points += 1 + elif (int(second_player)==3 and int(first_player)==2): + playerTwo_points += 1 + elif (int(first_player)==2 and int(second_player)==1): + playerOne_points += 1 + elif (int(second_player)==2 and int(first_player)==1): + playerTwo_points += 1 + if playerOne_points > playerTwo_points: + print "Player one won: " + str(playerOne_points)+ " VS "+ str(playerTwo_points) + else: + print "Player two won: " + str(playerTwo_points)+ " VS "+ str(playerOne_points) + answer = raw_input("Do you want to continue? Y/N ") + if answer == "N" or answer == "n": + break + elif answer == "Y" or answer == "y": + continue + +Game() + + + + + + + + + + + + + + + From ed41cbb3e0ab0d4f03d0ab3e8acecb82bb746f73 Mon Sep 17 00:00:00 2001 From: ammar hassan Date: Sat, 30 Jun 2018 18:40:28 +0400 Subject: [PATCH 039/116] add concatenate two strings example --- Strings/strings_example_en.py | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/Strings/strings_example_en.py b/Strings/strings_example_en.py index b4c7eff..04bd372 100644 --- a/Strings/strings_example_en.py +++ b/Strings/strings_example_en.py @@ -29,3 +29,12 @@ result = num1 + num2 print(result) +#example 5 +#added by @ammore5 +#This example demonstrates how to concatenate two strings + +str1 = "hi " +str2 = "there !" +print str1 + str2 + + From a8cc78b22dab2f758ccc471ea389f782d8299d0e Mon Sep 17 00:00:00 2001 From: cclauss Date: Sat, 30 Jun 2018 18:32:56 +0200 Subject: [PATCH 040/116] Support both Python 2 and Python 3 --- Functions/Functions_example_en.py | 9 ++-- Functions/Game.py | 49 +++++++++++--------- Modules/secreat-message.py | 5 +- OOP/Classes_en.py | 5 +- OOP/Inheritance_en.py | 1 + Strings/strings_example_en.py | 1 + True and False/Boolean_Type_Fr.py | 45 +++++++++--------- True and False/Logic.py | 23 +++++---- True and False/True_False_Examples_En.py | 1 + definitions/Function_Def_en.py | 1 + definitions/OOP_Def_en.py | 1 + definitions/Python_Def_en.py | 1 + how_to_example.py | 1 + python_bacics_101/Arithemtic_operators_en.py | 15 +++--- python_bacics_101/Assignment_operators_en.py | 17 +++---- python_bacics_101/Comparison_operators_en.py | 15 +++--- 16 files changed, 105 insertions(+), 85 deletions(-) diff --git a/Functions/Functions_example_en.py b/Functions/Functions_example_en.py index 277a58c..2069424 100644 --- a/Functions/Functions_example_en.py +++ b/Functions/Functions_example_en.py @@ -1,3 +1,4 @@ +from __future__ import print_function #Syntax #def function_name( parameters ): ==>parameters means passing argument to function #block of code @@ -5,7 +6,7 @@ print ("Example 1") def names(x): - print x + print(x) names("dima") print ("----------------") @@ -14,21 +15,21 @@ def names(x): def emplpyee_name(): name=["Sara","Ahmad","Dima","Raed","Wael"] return name -print emplpyee_name() +print(emplpyee_name()) print ("----------------") print ("Example 3") def sum(x,y): s = x + y return s -print sum(3,4) +print(sum(3,4)) print ("----------------") print ("Example 4") def sum(x,y=6): s = x + y return s -print sum(3) +print(sum(3)) print ("----------------") diff --git a/Functions/Game.py b/Functions/Game.py index 39c952f..bef2228 100644 --- a/Functions/Game.py +++ b/Functions/Game.py @@ -1,41 +1,46 @@ +from __future__ import print_function #Example about function and if .. elif statment +try: + raw_input # Python 2 +except NameError: + raw_input = input # Python 3 + + def Game(): playerOne_points = 0 playerTwo_points = 0 while True: - print "Choose one of this choices: \n1- Rock \n2- Paper \n3- Scissor" - first_player = raw_input("Player one enter your choice: ") + print("Choose one of this choices: \n1- Rock \n2- Paper \n3- Scissors") + first_player = int(raw_input("Player one enter your choice: ").strip()) ch_list=[1,2,3] - while (int(first_player) not in ch_list): - print "incorrect choice , Try again " - first_player = raw_input("Player one enter your choice: ") - second_player = raw_input("Player two enter your choice: ") - while (int(second_player) not in ch_list): - print "incorrect choice , Try again " - second_player = raw_input("Player two enter your choice: ") + while first_player not in ch_list: + print("incorrect choice , Try again ") + first_player = int(raw_input("Player one enter your choice: ").strip()) + second_player = int(raw_input("Player two enter your choice: ").strip()) + while second_player not in ch_list: + print("incorrect choice , Try again ") + second_player = int(raw_input("Player two enter your choice: ").strip()) - if (int(first_player) == 1 and int(second_player) == 3): + if first_player == 1 and second_player == 3: # Rock breaks scissors playerOne_points += 1 - elif (int(second_player) == 1 and int(first_player) == 3): + elif second_player == 1 and first_player == 3: playerTwo_points += 1 - elif (int(first_player)==3 and int(second_player)==2): + elif first_player == 3 and second_player == 2: # Scissors cuts paper playerOne_points += 1 - elif (int(second_player)==3 and int(first_player)==2): + elif second_player == 3 and first_player == 2: playerTwo_points += 1 - elif (int(first_player)==2 and int(second_player)==1): + elif first_player == 2 and second_player == 1: # Paper covers rock playerOne_points += 1 - elif (int(second_player)==2 and int(first_player)==1): + elif second_player == 2 and first_player == 1: playerTwo_points += 1 if playerOne_points > playerTwo_points: - print "Player one won: " + str(playerOne_points)+ " VS "+ str(playerTwo_points) + print("Player one won: " + str(playerOne_points)+ " VS "+ str(playerTwo_points)) else: - print "Player two won: " + str(playerTwo_points)+ " VS "+ str(playerOne_points) - answer = raw_input("Do you want to continue? Y/N ") - if answer == "N" or answer == "n": + print("Player two won: " + str(playerTwo_points)+ " VS "+ str(playerOne_points)) + answer = raw_input("Do you want to continue? Y/N ").strip().upper() + if answer == "N": break - elif answer == "Y" or answer == "y": - continue Game() @@ -51,5 +56,3 @@ def Game(): - - diff --git a/Modules/secreat-message.py b/Modules/secreat-message.py index dc88577..270879f 100644 --- a/Modules/secreat-message.py +++ b/Modules/secreat-message.py @@ -1,3 +1,4 @@ +from __future__ import print_function #This file contain examples for os module #What is os module? #is a module using for list files in folder, we can get name of current working directory @@ -12,10 +13,10 @@ def rename_files(): file_list = os.listdir(r"C:\Users\user\Desktop\python\pythonCodes\Modules\images") # r (row path) mean take the string as it's and don't interpreter saved_path = os.getcwd() - print saved_path + print(saved_path) saved_path = os.chdir(r"C:\Users\user\Desktop\python\pythonCodes\Modules\images") for file_name in file_list: os.rename(file_name , file_name.translate(None , "0123456789")) - print saved_path + print(saved_path) rename_files() \ No newline at end of file diff --git a/OOP/Classes_en.py b/OOP/Classes_en.py index f87b2c3..fffc404 100644 --- a/OOP/Classes_en.py +++ b/OOP/Classes_en.py @@ -1,3 +1,4 @@ +from __future__ import print_function #declare a class #Synatx @@ -17,10 +18,10 @@ def __init__(self,CarName,Price): NewCar = Car("I8", 200000) -print "Car Name " + NewCar.CarName + " Car Price " + str(NewCar.Price) +print("Car Name " + NewCar.CarName + " Car Price " + str(NewCar.Price)) -print "Car.__doc__:", Car.__doc__ +print("Car.__doc__:", Car.__doc__) diff --git a/OOP/Inheritance_en.py b/OOP/Inheritance_en.py index f2067b4..e605266 100644 --- a/OOP/Inheritance_en.py +++ b/OOP/Inheritance_en.py @@ -1,3 +1,4 @@ +from __future__ import print_function class Person: def __init__(self, first, last): diff --git a/Strings/strings_example_en.py b/Strings/strings_example_en.py index b4c7eff..455d660 100644 --- a/Strings/strings_example_en.py +++ b/Strings/strings_example_en.py @@ -1,3 +1,4 @@ +from __future__ import print_function #This file contains some examples for Python Strings #What is Strings in python ? #Strings are amongst the most popular types in Python. diff --git a/True and False/Boolean_Type_Fr.py b/True and False/Boolean_Type_Fr.py index aae0dc6..8494ed3 100644 --- a/True and False/Boolean_Type_Fr.py +++ b/True and False/Boolean_Type_Fr.py @@ -1,3 +1,4 @@ +from __future__ import print_function #Imane OUBALID: Une jeune marocaine, titulaire d'un master en Réseaux et Systèmes Informatique. #Elle dispose d'un esprit d'analyse, de synthèse, d'une capacité d'adaptation aux nouvelles situations, #et elle est passionnée par la programmation et les nouvelles technologies. @@ -9,42 +10,42 @@ #voila un exemple simple d'expressions booleennes A = 6 -print(A == 7) #renvoie la valeur logique False -print(A == 6) #True +print((A == 7)) #renvoie la valeur logique False +print((A == 6)) #True #l'utilisation de l'operateur non(not) renvoie l'oppose de la valeur -print '************ Operateur: not *************' +print('************ Operateur: not *************') B = True C = False -print(not B) # resultat sera l'oppose de la valeur logique True = False(faux) -print(not not B)#True -print(not C)#True +print((not B)) # resultat sera l'oppose de la valeur logique True = False(faux) +print((not not B))#True +print((not C))#True #l'operateur and(et) renvoie Vrai si tous les valeurs sont vraies -print '************ Operateur: And *************' -print(True and True) #True -print(True and False) #False -print(False and True) #False -print(False and False) #False +print('************ Operateur: And *************') +print((True and True)) #True +print((True and False)) #False +print((False and True)) #False +print((False and False)) #False D = 8 E = 9 -print (D == 8 and D==9)#False -print (E == 9 and D==8)#True -print (not D and E==9)#False +print((D == 8 and D==9))#False +print((E == 9 and D==8))#True +print((not D and E==9))#False #l'operateur or(ou) renvoie Vrai si ou moins une valeur est vraie -print '************ Operateur: or *************' -print(True or True) #True -print(True or False) #True -print(False or True) #True -print(False or False) #False +print('************ Operateur: or *************') +print((True or True)) #True +print((True or False)) #True +print((False or True)) #True +print((False or False)) #False F=3 G=5 -print(F==3 or F==0)#True -print(F==0 or G==0)#False -print(not F==0 or G==0)#True +print((F==3 or F==0))#True +print((F==0 or G==0))#False +print((not F==0 or G==0))#True diff --git a/True and False/Logic.py b/True and False/Logic.py index 588ad6c..a524efd 100644 --- a/True and False/Logic.py +++ b/True and False/Logic.py @@ -1,22 +1,26 @@ +from __future__ import print_function #this is a logic table for (and, or) #before run this example you must ****install library truths*** #in cmd run command pip install truths -import truths from truths import Truths + +try: + raw_input # Python 2 +except NameError: + raw_input = input # Python 3 + print("-------------------------------------------------------") print("""Example Prerequisite : please insatll truths library *Open CMD rum command pip install truths *""") print("-------------------------------------------------------") -r = raw_input(" Are you install truths???? :) Y:Yes , N:NO :) ") +r = raw_input(" Are you install truths???? :) Y:Yes , N:NO :) ").strip().upper() def emp(r): if r=="Y": - print truths.Truths(['a', 'b', 'x']) - print Truths(['a', 'b', 'cat', 'has_address'], ['(a and b)', 'a and b or cat', 'a and (b or cat) or has_address']) - print Truths(['a', 'b', 'x', 'd'], ['(a and b)', 'a and b or x', 'a and (b or x) or d'], ints=False) - input("") - + print(Truths(['a', 'b', 'x'])) + print(Truths(['a', 'b', 'cat', 'has_address'], ['(a and b)', 'a and b or cat', 'a and (b or cat) or has_address'])) + print(Truths(['a', 'b', 'x', 'd'], ['(a and b)', 'a and b or x', 'a and (b or x) or d'], ints=False)) else: print("------------------------") print("------------------------") @@ -24,10 +28,9 @@ def emp(r): print("------------------------") print("------------------------") print("------------------------") - input("") + raw_input("") -print emp(r) - +print(emp(r)) diff --git a/True and False/True_False_Examples_En.py b/True and False/True_False_Examples_En.py index e28aa11..c2155ce 100644 --- a/True and False/True_False_Examples_En.py +++ b/True and False/True_False_Examples_En.py @@ -1,3 +1,4 @@ +from __future__ import print_function #example1 #by @tony.dx.3379aems5 if True and False: diff --git a/definitions/Function_Def_en.py b/definitions/Function_Def_en.py index c3184b8..9535776 100644 --- a/definitions/Function_Def_en.py +++ b/definitions/Function_Def_en.py @@ -1,3 +1,4 @@ +from __future__ import print_function #what is Functions diff --git a/definitions/OOP_Def_en.py b/definitions/OOP_Def_en.py index a348f89..5c7d999 100644 --- a/definitions/OOP_Def_en.py +++ b/definitions/OOP_Def_en.py @@ -1,3 +1,4 @@ +from __future__ import print_function #what is python diff --git a/definitions/Python_Def_en.py b/definitions/Python_Def_en.py index b526e20..b47faae 100644 --- a/definitions/Python_Def_en.py +++ b/definitions/Python_Def_en.py @@ -1,3 +1,4 @@ +from __future__ import print_function #what is python diff --git a/how_to_example.py b/how_to_example.py index c935312..87f7ca8 100644 --- a/how_to_example.py +++ b/how_to_example.py @@ -1,3 +1,4 @@ +from __future__ import print_function #here is an example for a file #the name of the file is string_example_en.py #add the language at the end (here en for english) diff --git a/python_bacics_101/Arithemtic_operators_en.py b/python_bacics_101/Arithemtic_operators_en.py index 31c3a25..5ec266d 100644 --- a/python_bacics_101/Arithemtic_operators_en.py +++ b/python_bacics_101/Arithemtic_operators_en.py @@ -21,32 +21,33 @@ when do we use it ? we use this kind of every where form basic math operation to loops or condition statements ''' +from __future__ import print_function a = 20 ; b = 10 # Addition operator c = a + b -print "Addition value =" , c +print("Addition value =" , c) # Subtraction operator c = a - b -print "Subtraction value = " , c +print("Subtraction value = " , c) # Multipliction operator c = a * b -print "Multipliction value = " , c +print("Multipliction value = " , c) # Division operator c = a / b -print "Division value = " , c +print("Division value = " , c) # Mod operator c = a % b -print "Mod value = " , c +print("Mod value = " , c) # Exponent or power operator a = 2 ; b = 3 c = a ** b -print "Exponent value = " , c +print("Exponent value = " , c) # floor Division or integer division operator ''' @@ -56,4 +57,4 @@ ''' a = 9 ; b = 4 c = a // b -print "Integer Division value = " , c +print("Integer Division value = " , c) diff --git a/python_bacics_101/Assignment_operators_en.py b/python_bacics_101/Assignment_operators_en.py index 01dc7ef..482b970 100644 --- a/python_bacics_101/Assignment_operators_en.py +++ b/python_bacics_101/Assignment_operators_en.py @@ -17,32 +17,33 @@ when do we use it ? we usually use this kind of assignments in loops or condition statements ''' +from __future__ import print_function a = 2 ; b = 1 ; c = 0 -print "values = ", "a=" , a , "b=" , b , "c=" , c +print("values = ", "a=" , a , "b=" , b , "c=" , c) # Addition or Subtraction c = c + a / c = c - b c += a -print "Add c value by a =" , c +print("Add c value by a =" , c) c -= b -print "Subtract c value by b =" , c +print("Subtract c value by b =" , c) # multiply c = c * a c *= a -print "multiply c value by a =" , c +print("multiply c value by a =" , c) # Divide c = c / a c /= a -print "Divide c value by a = " , c +print("Divide c value by a = " , c) # Mod of dividing c by a , c = c % a c %= a -print "Mod c value by a = " , c +print("Mod c value by a = " , c) # Exponent or power c by a , c = c ** a c **= a -print "power c value by = " , c +print("power c value by = " , c) # floor Division or integer division c = c // a c //= a -print "Integer Division c value by a = " , c +print("Integer Division c value by a = " , c) diff --git a/python_bacics_101/Comparison_operators_en.py b/python_bacics_101/Comparison_operators_en.py index 00fc3b8..c441845 100644 --- a/python_bacics_101/Comparison_operators_en.py +++ b/python_bacics_101/Comparison_operators_en.py @@ -15,33 +15,34 @@ when do we use it ? we use this kind of operators with condition statements or in loops conditions ''' +from __future__ import print_function a = 10 ; b = 10 #equal if a == b : - print "a is equal to b" + print("a is equal to b") #not equal # for this to work we will increase the value of a by 10 by using Assignment operator a += 10 -print "a=" , a +print("a=" , a) if a != b : - print "a is not equal to b" + print("a is not equal to b") # greater than if a > b : - print "a is greater than b" + print("a is greater than b") # less than if b < a : - print "b is less than a" + print("b is less than a") # greater or equal if a >= b : - print "a is either greater or equal to b" + print("a is either greater or equal to b") #less or equal if b <= a : - print "b is either less or equal to a" + print("b is either less or equal to a") From efa847aafebbd08f2849f2b3eae6161f12a9054f Mon Sep 17 00:00:00 2001 From: Yassine Messaoudi <35706380+TaKeO90@users.noreply.github.com> Date: Sat, 30 Jun 2018 18:26:10 +0100 Subject: [PATCH 041/116] Update OOP_test.py --- OOP/OOP_test.py | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/OOP/OOP_test.py b/OOP/OOP_test.py index 0fd9f53..8204f43 100644 --- a/OOP/OOP_test.py +++ b/OOP/OOP_test.py @@ -16,10 +16,10 @@ def __init__(self, first_name, last_name, age,school_level ) : kid = Kid_info("Ahmed", "issa","10","primary school") -print kid.first_name -print kid.last_name -print kid.age -print kid.school_level +print (kid.first_name) +print (kid.last_name) +print (kid.age) +print (kid.school_level) #inheritance example @@ -38,7 +38,7 @@ def __init__(self, first_name, last_name , age, work, number_of_kids): Father = Parent("ahmed", "jalal", "35", "engenieer" , "2") -print Father.work +print (Father.work) From cb1c64c12c3b12c779cfa80f37847abe576bd22c Mon Sep 17 00:00:00 2001 From: Yassine Messaoudi <35706380+TaKeO90@users.noreply.github.com> Date: Sat, 30 Jun 2018 18:26:58 +0100 Subject: [PATCH 042/116] Update strings_example_en.py --- Strings/strings_example_en.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Strings/strings_example_en.py b/Strings/strings_example_en.py index d809225..0b739c7 100644 --- a/Strings/strings_example_en.py +++ b/Strings/strings_example_en.py @@ -33,7 +33,7 @@ #added by @Takeo. yassine messaoudi str1 = "1 million arab coders " a = str1.replace("m" , "M") -print a +print (a) From 5d1ff1d4dff8b6986d1f7b67e5927016bfd54fe5 Mon Sep 17 00:00:00 2001 From: shorouq saad Date: Sat, 30 Jun 2018 23:26:07 +0300 Subject: [PATCH 043/116] how to print lists --- .../__pycache__/list_example_en.cpython-36.pyc | Bin 221 -> 634 bytes Lists/list_example_en.py | 16 ++++++++++++++++ 2 files changed, 16 insertions(+) diff --git a/Lists/__pycache__/list_example_en.cpython-36.pyc b/Lists/__pycache__/list_example_en.cpython-36.pyc index 908ea9684daeaf3a601dd0b02a933027a0f35f52..143cc411a351a30770acbb4266fa068881cab645 100644 GIT binary patch literal 634 zcmaJ-Jx>Bb5Z%3l6H!3$yD)A`G&U9{7h_DcG&XifLev?KP40FtcPkNEV{C2pAK3bH zuC?MXV1cs;1TEZTU*^4;dAl=*rBdNvkSmtP}= zdZr3guULI+!0B59`ZOE37IGHy1Pw3lnT}S$+p9hNG~;o`dl@$w?_^wOT=nR2tdEN!AwwGG+g^C=70Xwe&?h(UG{tKq@6wATY!Tl@Ue@R3LnD z+20$N*q2kh(Yg!Qe diff --git a/Lists/list_example_en.py b/Lists/list_example_en.py index ac25868..bffd743 100644 --- a/Lists/list_example_en.py +++ b/Lists/list_example_en.py @@ -1,5 +1,6 @@ #This file contains some examples for Python Lists #How to create lists +#how to print lists #example 1 #added by @engshorouq @@ -12,3 +13,18 @@ #list with mixed datatype my_list=[2,"python",2.2] +#example 2 +#added by @engshorouq +#to print specific index + +my_list=['p','y','t','h','o','n'] +print("first index in the list in positive index : ",my_list[0]) +print("first index in the list in negative index : ",my_list[-5]) + +#to print a range of items in the lists + +print("from beginning element to end : ",my_list[:]) +print("from the second element to fifth element : ",my_list[1:4]) +print("from beginning to the second : ",my_list[:-5]) +print("from second to end element : ",my_list[1:]) + From beac3f82126991af373562242508429fa943de75 Mon Sep 17 00:00:00 2001 From: ammar hassan Date: Sun, 1 Jul 2018 01:36:14 +0400 Subject: [PATCH 044/116] Update strings_example_ar.py --- Strings/strings_example_ar.py | 15 +++++++++++++++ 1 file changed, 15 insertions(+) diff --git a/Strings/strings_example_ar.py b/Strings/strings_example_ar.py index e69de29..d0f78a7 100644 --- a/Strings/strings_example_ar.py +++ b/Strings/strings_example_ar.py @@ -0,0 +1,15 @@ +from __future__ import print_function +# هذا الملف يحتوي على بعض الامثله عن السلاسل النصيه للغة البايثون +#ماهي السلاسل النصية في البايثون ؟ +# السلاسل النصيه هي النوع الاكثر شعبية في لغة البايثون +# نستطيع ان ننشئها بسهوله بواسطة علامات الاقتباس +# لغة البايثون تتعامل مع علامات الاقتباس الفردية والزوجية على حد سواء +# يمكن إنشاء السلاسل النصية بسهوله كإسناد قيمة إلى متغير +# مصدر التعريف https://www.tutorialspoint.com/python/python_strings.htm + + +#المثال 1 +#تمت إضافتة بواسطة @remon +# يقوم هذا المثال بطباعة السلسلة النصيه Hello World +str1 ="Hello World" +print(str1) \ No newline at end of file From d1e5ac82124faf1f9cf541811babd4cf5f7a972b Mon Sep 17 00:00:00 2001 From: ammar hassan Date: Sun, 1 Jul 2018 02:36:59 +0400 Subject: [PATCH 045/116] add list_example_ar.py file --- Lists/list_example_ar.py | 30 ++++++++++++++++++++++++++++++ 1 file changed, 30 insertions(+) create mode 100644 Lists/list_example_ar.py diff --git a/Lists/list_example_ar.py b/Lists/list_example_ar.py new file mode 100644 index 0000000..bffd743 --- /dev/null +++ b/Lists/list_example_ar.py @@ -0,0 +1,30 @@ +#This file contains some examples for Python Lists +#How to create lists +#how to print lists + +#example 1 +#added by @engshorouq +#empty list +my_list=[] + +#list of integers +my_list=[1,2,3,4,5] + +#list with mixed datatype +my_list=[2,"python",2.2] + +#example 2 +#added by @engshorouq +#to print specific index + +my_list=['p','y','t','h','o','n'] +print("first index in the list in positive index : ",my_list[0]) +print("first index in the list in negative index : ",my_list[-5]) + +#to print a range of items in the lists + +print("from beginning element to end : ",my_list[:]) +print("from the second element to fifth element : ",my_list[1:4]) +print("from beginning to the second : ",my_list[:-5]) +print("from second to end element : ",my_list[1:]) + From 12c2df91a54b134f239ecc20576fac9b5698f7ab Mon Sep 17 00:00:00 2001 From: ammar hassan Date: Sun, 1 Jul 2018 02:41:40 +0400 Subject: [PATCH 046/116] add list_example_fr.py file --- Lists/list_example_fr.py | 30 ++++++++++++++++++++++++++++++ 1 file changed, 30 insertions(+) create mode 100644 Lists/list_example_fr.py diff --git a/Lists/list_example_fr.py b/Lists/list_example_fr.py new file mode 100644 index 0000000..bffd743 --- /dev/null +++ b/Lists/list_example_fr.py @@ -0,0 +1,30 @@ +#This file contains some examples for Python Lists +#How to create lists +#how to print lists + +#example 1 +#added by @engshorouq +#empty list +my_list=[] + +#list of integers +my_list=[1,2,3,4,5] + +#list with mixed datatype +my_list=[2,"python",2.2] + +#example 2 +#added by @engshorouq +#to print specific index + +my_list=['p','y','t','h','o','n'] +print("first index in the list in positive index : ",my_list[0]) +print("first index in the list in negative index : ",my_list[-5]) + +#to print a range of items in the lists + +print("from beginning element to end : ",my_list[:]) +print("from the second element to fifth element : ",my_list[1:4]) +print("from beginning to the second : ",my_list[:-5]) +print("from second to end element : ",my_list[1:]) + From 5c9ab5d9ee2a49ab6fb5059d6ff5b37f62a74ba0 Mon Sep 17 00:00:00 2001 From: ammar hassan Date: Sun, 1 Jul 2018 02:48:10 +0400 Subject: [PATCH 047/116] update list_example_en.py file --- Lists/list_example_en.py | 12 +++++++++--- 1 file changed, 9 insertions(+), 3 deletions(-) diff --git a/Lists/list_example_en.py b/Lists/list_example_en.py index bffd743..d241e0a 100644 --- a/Lists/list_example_en.py +++ b/Lists/list_example_en.py @@ -7,15 +7,21 @@ #empty list my_list=[] -#list of integers +#example 2 +#added by anonymous +#define a list with numbers from 1-5 my_list=[1,2,3,4,5] + +#example 3 +#added by anonymous #list with mixed datatype my_list=[2,"python",2.2] -#example 2 + +#example 4 #added by @engshorouq -#to print specific index +#print specific index my_list=['p','y','t','h','o','n'] print("first index in the list in positive index : ",my_list[0]) From c09e511fdc6738aa9db6e52cd436c6279edb2c85 Mon Sep 17 00:00:00 2001 From: ammar hassan Date: Sun, 1 Jul 2018 02:52:01 +0400 Subject: [PATCH 048/116] modify the list_example_fr.py file --- Lists/list_example_fr.py | 30 ------------------------------ 1 file changed, 30 deletions(-) diff --git a/Lists/list_example_fr.py b/Lists/list_example_fr.py index bffd743..e69de29 100644 --- a/Lists/list_example_fr.py +++ b/Lists/list_example_fr.py @@ -1,30 +0,0 @@ -#This file contains some examples for Python Lists -#How to create lists -#how to print lists - -#example 1 -#added by @engshorouq -#empty list -my_list=[] - -#list of integers -my_list=[1,2,3,4,5] - -#list with mixed datatype -my_list=[2,"python",2.2] - -#example 2 -#added by @engshorouq -#to print specific index - -my_list=['p','y','t','h','o','n'] -print("first index in the list in positive index : ",my_list[0]) -print("first index in the list in negative index : ",my_list[-5]) - -#to print a range of items in the lists - -print("from beginning element to end : ",my_list[:]) -print("from the second element to fifth element : ",my_list[1:4]) -print("from beginning to the second : ",my_list[:-5]) -print("from second to end element : ",my_list[1:]) - From d5c1d7b71327842743cff1083631215dd2457cc4 Mon Sep 17 00:00:00 2001 From: ammar hassan Date: Sun, 1 Jul 2018 03:06:25 +0400 Subject: [PATCH 049/116] fix style in string_example_en.py file --- Strings/strings_example_en.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Strings/strings_example_en.py b/Strings/strings_example_en.py index 04461e3..8921c9f 100644 --- a/Strings/strings_example_en.py +++ b/Strings/strings_example_en.py @@ -43,7 +43,7 @@ str1 = "hi " str2 = "there !" -print str1 + str2 +print (str1 + str2) From d585c164d2928553b2756b6c6b8d6a5aeb716179 Mon Sep 17 00:00:00 2001 From: ammar hassan Date: Sun, 1 Jul 2018 03:24:31 +0400 Subject: [PATCH 050/116] update strings_example_ar.py file --- Strings/strings_example_ar.py | 46 ++++++++++++++++++++++++++++++++--- 1 file changed, 43 insertions(+), 3 deletions(-) diff --git a/Strings/strings_example_ar.py b/Strings/strings_example_ar.py index d0f78a7..2bac6f6 100644 --- a/Strings/strings_example_ar.py +++ b/Strings/strings_example_ar.py @@ -8,8 +8,48 @@ # مصدر التعريف https://www.tutorialspoint.com/python/python_strings.htm -#المثال 1 -#تمت إضافتة بواسطة @remon +#مثال 1 +#تمت مشاركتة بواسطة @remon # يقوم هذا المثال بطباعة السلسلة النصيه Hello World str1 ="Hello World" -print(str1) \ No newline at end of file +print(str1) # --> Hello World + + +#مثال 2 +#تمت مشاركتة بواسطة @remon +# يقوم هذا المثال بتوضيح تعامل الارقام كسلاسل نصية بداخل علامتي الاقتباس +str2 ='Hello World 2' +print(str2) # --> Hello World 2 + +#مثال 3 +#تمت مشاركتة بواسطة @remon +# مثال آخر عن طريقة تخزين الارقام كسلاسل نصية +str3 ="2018" +print(str3) # --> 2018 + +#مثال 4 +#تمت مشاركتة بواسطة @tony.dx.3379aems5 +# يوضح هذا المثال طريقة ..... +str4 = "Hello 2 My friends 3" +num1 = int(str4[str4.find("2")]) +num2 = int(str4[-1]) +result = num1 + num2 +print(result) + + +#مثال 5 +#تمت مشاركتة بواسطة @Takeo. yassine messaoudi +# يوضح هذا المثال طريقة إستخدام الدالة +# replace(old,new) +# لإستبدال الحروف في السلسلة النصية +str1 = "1 million arab coders " +a = str1.replace("m" , "M") +print (a) # --> 1 Million arab coders + +#مثال 6 +#تمت مشاركتة بواسطة @ammore5 +# يوضح هذا المثال طريقة جمع سلسلتين نصيتين وطباعتهما + +str1 = "hi " +str2 = "there !" +print (str1 + str2) # --> hi there ! \ No newline at end of file From 733a99f9f2cfb13b82684563e0ad292dc04587d0 Mon Sep 17 00:00:00 2001 From: Ammar Annowairah Date: Sun, 1 Jul 2018 02:53:56 +0300 Subject: [PATCH 051/116] add list_example_fr.py file (#22) * add list_example_fr.py file * update list_example_en.py file * modify the list_example_fr.py file --- Lists/list_example_en.py | 12 +++++++++--- Lists/list_example_fr.py | 0 2 files changed, 9 insertions(+), 3 deletions(-) create mode 100644 Lists/list_example_fr.py diff --git a/Lists/list_example_en.py b/Lists/list_example_en.py index bffd743..d241e0a 100644 --- a/Lists/list_example_en.py +++ b/Lists/list_example_en.py @@ -7,15 +7,21 @@ #empty list my_list=[] -#list of integers +#example 2 +#added by anonymous +#define a list with numbers from 1-5 my_list=[1,2,3,4,5] + +#example 3 +#added by anonymous #list with mixed datatype my_list=[2,"python",2.2] -#example 2 + +#example 4 #added by @engshorouq -#to print specific index +#print specific index my_list=['p','y','t','h','o','n'] print("first index in the list in positive index : ",my_list[0]) diff --git a/Lists/list_example_fr.py b/Lists/list_example_fr.py new file mode 100644 index 0000000..e69de29 From 6d74d827d1ed35e8c3f1e1d30161eb9e7285a817 Mon Sep 17 00:00:00 2001 From: Dima almasri Date: Sun, 1 Jul 2018 11:14:17 +0300 Subject: [PATCH 052/116] Data Types(list,set,dictionary,tuples) --- Functions/python_exmple_fibonacci_en.py | 2 +- Lists/Dictionary_ex_en.py | 23 +++++++++++++ Lists/Sets_ex_en.py | 23 +++++++++++++ Lists/Tuple_ex_en.py | 18 ++++++++++ Print/Print_en.py | 44 +++++++++++++++++++++++++ definitions/Data_Types_en.py | 35 ++++++++++++++++++++ 6 files changed, 144 insertions(+), 1 deletion(-) create mode 100644 Lists/Dictionary_ex_en.py create mode 100644 Lists/Sets_ex_en.py create mode 100644 Lists/Tuple_ex_en.py create mode 100644 Print/Print_en.py create mode 100644 definitions/Data_Types_en.py diff --git a/Functions/python_exmple_fibonacci_en.py b/Functions/python_exmple_fibonacci_en.py index a26c4c2..1c024c8 100644 --- a/Functions/python_exmple_fibonacci_en.py +++ b/Functions/python_exmple_fibonacci_en.py @@ -13,4 +13,4 @@ def fibonacci_cube(num): #finally returning the cube of the fibonacci content return np.array(lis)**3 #calling the function with 8 as an example -fibonacci_cube(8) +print fibonacci_cube(8) diff --git a/Lists/Dictionary_ex_en.py b/Lists/Dictionary_ex_en.py new file mode 100644 index 0000000..388689b --- /dev/null +++ b/Lists/Dictionary_ex_en.py @@ -0,0 +1,23 @@ + + +#added by @Dima + + + +EmployeeName = {"Dima":"2000", + "Marwa":"4000", + "Sarah":"2500"} + +print(EmployeeName) + +print len(EmployeeName) + + +EmployeeName["Dima"] = 5000 +print(EmployeeName) + + + + + + diff --git a/Lists/Sets_ex_en.py b/Lists/Sets_ex_en.py new file mode 100644 index 0000000..7051ce7 --- /dev/null +++ b/Lists/Sets_ex_en.py @@ -0,0 +1,23 @@ + + +#added by @Dima +#Empty +x = {} +print(x) + +#print ('Dima', 'Marwa', 'Sarah') +EmployeeName = {"Dima", "Marwa", "Sarah"} +print(EmployeeName) + +#print length = 3 +print len(EmployeeName) + +#print Sarah +#print EmployeeName[2] this will give an error because the set has unindex + +#remove marwa +EmployeeName.remove("Marwa") +print EmployeeName + + + diff --git a/Lists/Tuple_ex_en.py b/Lists/Tuple_ex_en.py new file mode 100644 index 0000000..b794b08 --- /dev/null +++ b/Lists/Tuple_ex_en.py @@ -0,0 +1,18 @@ + + +#added by @Dima +#Empty +x = () +print(x) + +#print ('Dima', 'Marwa', 'Sarah') +EmployeeName = ("Dima", "Marwa", "Sarah") +print(EmployeeName) + +#print length = 3 +print len(EmployeeName) + +#print Sarah +print EmployeeName[2] + + diff --git a/Print/Print_en.py b/Print/Print_en.py new file mode 100644 index 0000000..a7fbd0b --- /dev/null +++ b/Print/Print_en.py @@ -0,0 +1,44 @@ +#print Hello +print("Hello") + +x, y = 1, 2 + +#print 1 +print(x) + +#print 2 +print(y) + +#print 3 +print (x) + (y) + +#print 1,2 +print (x) , (y) + +#print (1,2) +print (x,y) + +#print [0] [0, 1]==> because it return range frim 0 to x-1 +print range(x) ,range(y) + + +c="dima" +d="Hi" +#print dimaHi +print (c) + (d) +#print dima Hi +print (c)+(" ")+(d) +#print dima +#Hi +print (c)+("\n")+(d) +#print DIMA hi +print (c).upper() , (d).lower() + +#print 1 dima +print str(x) +(" ")+ (c) + + + + + + diff --git a/definitions/Data_Types_en.py b/definitions/Data_Types_en.py new file mode 100644 index 0000000..b861c2e --- /dev/null +++ b/definitions/Data_Types_en.py @@ -0,0 +1,35 @@ +#what is python + + +#added by @Dima +print("What is Data Types?") + +print("_______________________________________________________") + + +print("Collections of data put together like array ") + +print("________________________________________________________") + +print("there are four data types in the Python ") + +print("________________________________________________________") + +print("""1)--List is a collection which is ordered and changeable. + Allows duplicate members.""") +print("________________________________________________________") + +print("""2)--Tuple is a collection which is ordered and unchangeable + Allows duplicate members.""") +print("________________________________________________________") + +print("""3)--Set is a collection which is unordered and unindexed. + No duplicate members.""") +print("________________________________________________________") + +print("""3)--Dictionary is a collection which is unordered, + changeable and indexed. No duplicate members.""") + + + +input("press close to exit") From eb5694363ebaaf1a2d9d2a0b812fd6c83f9d51b9 Mon Sep 17 00:00:00 2001 From: dima almasri <40409292+dimaalmasri@users.noreply.github.com> Date: Sun, 1 Jul 2018 14:03:56 +0300 Subject: [PATCH 053/116] Data Types(list,set,dictionary,tuples) (#25) --- Functions/python_exmple_fibonacci_en.py | 2 +- Lists/Dictionary_ex_en.py | 23 +++++++++++++ Lists/Sets_ex_en.py | 23 +++++++++++++ Lists/Tuple_ex_en.py | 18 ++++++++++ Print/Print_en.py | 44 +++++++++++++++++++++++++ definitions/Data_Types_en.py | 35 ++++++++++++++++++++ 6 files changed, 144 insertions(+), 1 deletion(-) create mode 100644 Lists/Dictionary_ex_en.py create mode 100644 Lists/Sets_ex_en.py create mode 100644 Lists/Tuple_ex_en.py create mode 100644 Print/Print_en.py create mode 100644 definitions/Data_Types_en.py diff --git a/Functions/python_exmple_fibonacci_en.py b/Functions/python_exmple_fibonacci_en.py index a26c4c2..1c024c8 100644 --- a/Functions/python_exmple_fibonacci_en.py +++ b/Functions/python_exmple_fibonacci_en.py @@ -13,4 +13,4 @@ def fibonacci_cube(num): #finally returning the cube of the fibonacci content return np.array(lis)**3 #calling the function with 8 as an example -fibonacci_cube(8) +print fibonacci_cube(8) diff --git a/Lists/Dictionary_ex_en.py b/Lists/Dictionary_ex_en.py new file mode 100644 index 0000000..388689b --- /dev/null +++ b/Lists/Dictionary_ex_en.py @@ -0,0 +1,23 @@ + + +#added by @Dima + + + +EmployeeName = {"Dima":"2000", + "Marwa":"4000", + "Sarah":"2500"} + +print(EmployeeName) + +print len(EmployeeName) + + +EmployeeName["Dima"] = 5000 +print(EmployeeName) + + + + + + diff --git a/Lists/Sets_ex_en.py b/Lists/Sets_ex_en.py new file mode 100644 index 0000000..7051ce7 --- /dev/null +++ b/Lists/Sets_ex_en.py @@ -0,0 +1,23 @@ + + +#added by @Dima +#Empty +x = {} +print(x) + +#print ('Dima', 'Marwa', 'Sarah') +EmployeeName = {"Dima", "Marwa", "Sarah"} +print(EmployeeName) + +#print length = 3 +print len(EmployeeName) + +#print Sarah +#print EmployeeName[2] this will give an error because the set has unindex + +#remove marwa +EmployeeName.remove("Marwa") +print EmployeeName + + + diff --git a/Lists/Tuple_ex_en.py b/Lists/Tuple_ex_en.py new file mode 100644 index 0000000..b794b08 --- /dev/null +++ b/Lists/Tuple_ex_en.py @@ -0,0 +1,18 @@ + + +#added by @Dima +#Empty +x = () +print(x) + +#print ('Dima', 'Marwa', 'Sarah') +EmployeeName = ("Dima", "Marwa", "Sarah") +print(EmployeeName) + +#print length = 3 +print len(EmployeeName) + +#print Sarah +print EmployeeName[2] + + diff --git a/Print/Print_en.py b/Print/Print_en.py new file mode 100644 index 0000000..a7fbd0b --- /dev/null +++ b/Print/Print_en.py @@ -0,0 +1,44 @@ +#print Hello +print("Hello") + +x, y = 1, 2 + +#print 1 +print(x) + +#print 2 +print(y) + +#print 3 +print (x) + (y) + +#print 1,2 +print (x) , (y) + +#print (1,2) +print (x,y) + +#print [0] [0, 1]==> because it return range frim 0 to x-1 +print range(x) ,range(y) + + +c="dima" +d="Hi" +#print dimaHi +print (c) + (d) +#print dima Hi +print (c)+(" ")+(d) +#print dima +#Hi +print (c)+("\n")+(d) +#print DIMA hi +print (c).upper() , (d).lower() + +#print 1 dima +print str(x) +(" ")+ (c) + + + + + + diff --git a/definitions/Data_Types_en.py b/definitions/Data_Types_en.py new file mode 100644 index 0000000..b861c2e --- /dev/null +++ b/definitions/Data_Types_en.py @@ -0,0 +1,35 @@ +#what is python + + +#added by @Dima +print("What is Data Types?") + +print("_______________________________________________________") + + +print("Collections of data put together like array ") + +print("________________________________________________________") + +print("there are four data types in the Python ") + +print("________________________________________________________") + +print("""1)--List is a collection which is ordered and changeable. + Allows duplicate members.""") +print("________________________________________________________") + +print("""2)--Tuple is a collection which is ordered and unchangeable + Allows duplicate members.""") +print("________________________________________________________") + +print("""3)--Set is a collection which is unordered and unindexed. + No duplicate members.""") +print("________________________________________________________") + +print("""3)--Dictionary is a collection which is unordered, + changeable and indexed. No duplicate members.""") + + + +input("press close to exit") From 5503c18d1e47654184fc35bb972596be2b5c2cef Mon Sep 17 00:00:00 2001 From: Amr Ali <22223905+cehceh@users.noreply.github.com> Date: Mon, 2 Jul 2018 02:49:02 +0200 Subject: [PATCH 054/116] Function to Calculate Age (#26) --- Functions/Calculate_Age.py | 34 ++++++++++++++++++++++++++++++++++ 1 file changed, 34 insertions(+) create mode 100644 Functions/Calculate_Age.py diff --git a/Functions/Calculate_Age.py b/Functions/Calculate_Age.py new file mode 100644 index 0000000..1e3bc33 --- /dev/null +++ b/Functions/Calculate_Age.py @@ -0,0 +1,34 @@ +#Created by Amr_Aly +#Creation date : 02/07/2018 +#It's a simple function to calculate your age +#The error that will occur by the date 29/02/1980 or 84 or 88 or 92 or 96 or...etc +#This error is almost one day you can neglect it +#I think that it's very useful procedure if you use it in +#a real project with datetimepicker and textbox +#your birth date = y1, m1, d1 +#current date = y2, m2, d2 + +def calculate_age(y1, m1, d1, y2, m2, d2): + + if d2 < d1: + d2 = d2 + 30 + m2 = m2 - 1 + if m2 < m1: + m2 = m2 + 12 + y2 = y2 - 1 + + years = int(y2 - y1) + months = int(m2 - m1) + days = int(d2 - d1) + your_age = str(years) + ' Years', str(months) + ' Months', str(days) + ' Days' + + return your_age + +#This date 29/2/1984 as an example its result must be (34 years, 4 months , 2 days) +#But with this method the result will be(34 years, 4 months , 3 days) +#you see now that you can neglect it , one day only is the difference +#Don't forget that . It's a simple procedure + +print calculate_age(1984,2,29,2018,7,2) + + From 444383edf5372b92ffd4a539fa309e8c66c542d8 Mon Sep 17 00:00:00 2001 From: Ammar Asmro Date: Mon, 2 Jul 2018 00:57:31 -0600 Subject: [PATCH 055/116] Add list and dict comprehensions --- Lists/comprehensions.py | 28 ++++++++++++++++++++++++++++ 1 file changed, 28 insertions(+) create mode 100644 Lists/comprehensions.py diff --git a/Lists/comprehensions.py b/Lists/comprehensions.py new file mode 100644 index 0000000..e42097f --- /dev/null +++ b/Lists/comprehensions.py @@ -0,0 +1,28 @@ + +# Added by @Ammar + +# Comprehensions are very convenient one-liners that allow a user to from a +# whole list or a dictionary easily + +# One of the biggest benefits for comprehensions is that they are faster than +# a for-loop. As they allocate the necessary memory instead of appending an +# element with each cycle and reallocate more resources in case it needs them + +sample_list = [x for x in range(5)] +print(sample_list) +# >>> [0,1,2,3,4] + +# Or to perform a task while iterating through items +original_list = ['1', '2', '3'] # string representations of numbers +new_integer_list = [int(x) for x in original_list] + +# A similar concept can be applied to the dictionaries +sample_dictionary = {x: str(x) + '!' for x in range(3) } +print(sample_dictionary) +# >>> {0: '0!', 1: '1!', 2: '2!'} + +# Conditional statements can be used to preprocess data before including them +# in a list +list_of_even_numbers = [x for x in range(20) if x % 2 == 0 ] +print(list_of_even_numbers) +# >>> [0, 2, 4, 6, 8, 10, 12, 14, 16, 18] From 0171b878b995c360cf519b4546894d7966966512 Mon Sep 17 00:00:00 2001 From: Ammar Asmro Date: Mon, 2 Jul 2018 01:03:36 -0600 Subject: [PATCH 056/116] correct username --- Lists/comprehensions.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Lists/comprehensions.py b/Lists/comprehensions.py index e42097f..d956319 100644 --- a/Lists/comprehensions.py +++ b/Lists/comprehensions.py @@ -1,5 +1,5 @@ -# Added by @Ammar +# Added by @ammarasmro # Comprehensions are very convenient one-liners that allow a user to from a # whole list or a dictionary easily From a38f1ed6520368c4979d28f952c76471e2e03860 Mon Sep 17 00:00:00 2001 From: Ammar Asmro Date: Mon, 2 Jul 2018 01:15:16 -0600 Subject: [PATCH 057/116] add language suffix --- Lists/{comprehensions.py => comprehensions_en.py} | 0 1 file changed, 0 insertions(+), 0 deletions(-) rename Lists/{comprehensions.py => comprehensions_en.py} (100%) diff --git a/Lists/comprehensions.py b/Lists/comprehensions_en.py similarity index 100% rename from Lists/comprehensions.py rename to Lists/comprehensions_en.py From 7c97fb12704d233f1f4cdea996c3d78912d6675f Mon Sep 17 00:00:00 2001 From: Azhar MMA Date: Mon, 2 Jul 2018 12:50:22 +0300 Subject: [PATCH 058/116] Add Reverse String Function --- Functions/revirse_string.py | 11 +++++++++++ 1 file changed, 11 insertions(+) create mode 100644 Functions/revirse_string.py diff --git a/Functions/revirse_string.py b/Functions/revirse_string.py new file mode 100644 index 0000000..fbcee82 --- /dev/null +++ b/Functions/revirse_string.py @@ -0,0 +1,11 @@ +def revirse_string(word): + s="" + word= word.split() + for e in word: + s+= e[::-1] + " " + print s + + +word="Welcome to pythonCodes on GitHub" + +revirse_string(word) From 0d4d7e7986b91362b1e521f6be90b6cb21dad7cd Mon Sep 17 00:00:00 2001 From: Azhar MMA Date: Mon, 2 Jul 2018 13:28:09 +0300 Subject: [PATCH 059/116] Add Slicing List - Azharo --- Lists/Slicing.py | 27 +++++++++++++++++++++++++++ 1 file changed, 27 insertions(+) create mode 100644 Lists/Slicing.py diff --git a/Lists/Slicing.py b/Lists/Slicing.py new file mode 100644 index 0000000..a38d5b7 --- /dev/null +++ b/Lists/Slicing.py @@ -0,0 +1,27 @@ +#added by @Azharo + +#Create a list of science subjects and another list of integers from 1-10 +subjects = ['IT-Science','physics','biology','mathematics'] +x=list(range(1,11)) + + +#slicing the entire list. +subjects[:] +['IT-Science', 'physics', 'biology', 'mathematics'] +x[:] +[1, 2, 3, 4, 5, 6, 7, 8, 9, 10] + +#Slicing from index 0 up to the last index with a step size of 2. +subjects[::2] +['IT-Science', 'biology'] +x[::2] +[1, 3, 5, 7, 9] + +#Slicing from index 9 down to the last index with a negative step size of 2. +x[9:0:-2] +[10, 8, 6, 4, 2] +"""Slicing from last index from the right of the list +down to the last index of the left of the list with a +negative step size of 3.""" +x[::-3] +[10, 7, 4, 1] From 02d14013a95e017648e7ad08ffe5c7f7ef3b21ce Mon Sep 17 00:00:00 2001 From: Azhar MMA Date: Mon, 2 Jul 2018 14:17:27 +0300 Subject: [PATCH 060/116] fix error in lambda dada = 1 and add # to commit --- Functions/lambda.py | 6 ++++++ Lists/lambda | 4 ++-- 2 files changed, 8 insertions(+), 2 deletions(-) create mode 100644 Functions/lambda.py diff --git a/Functions/lambda.py b/Functions/lambda.py new file mode 100644 index 0000000..e553b4b --- /dev/null +++ b/Functions/lambda.py @@ -0,0 +1,6 @@ +#what is the output of this code? +gun = lambda x:x*x +data = 1 +for i in range(1,3): + data+=gun(i) +print(gun(data)) diff --git a/Lists/lambda b/Lists/lambda index 009370b..e553b4b 100644 --- a/Lists/lambda +++ b/Lists/lambda @@ -1,6 +1,6 @@ -what is the output of this code? +#what is the output of this code? gun = lambda x:x*x -dada = 1 +data = 1 for i in range(1,3): data+=gun(i) print(gun(data)) From 857dc3022f0ca1e1e1b57d76745675dfb193d08f Mon Sep 17 00:00:00 2001 From: Azhar MMA Date: Mon, 2 Jul 2018 14:34:12 +0300 Subject: [PATCH 061/116] add commits and update the file name --- Lists/{Slicing.py => Slicing_en.py} | 1 + 1 file changed, 1 insertion(+) rename Lists/{Slicing.py => Slicing_en.py} (88%) diff --git a/Lists/Slicing.py b/Lists/Slicing_en.py similarity index 88% rename from Lists/Slicing.py rename to Lists/Slicing_en.py index a38d5b7..4524ed9 100644 --- a/Lists/Slicing.py +++ b/Lists/Slicing_en.py @@ -1,4 +1,5 @@ #added by @Azharo +# Python slicing is a computationally fast way to methodically access parts of your data. #Create a list of science subjects and another list of integers from 1-10 subjects = ['IT-Science','physics','biology','mathematics'] From 6a1c1b3ea4d89b7250e3179ab462ef387d8f563b Mon Sep 17 00:00:00 2001 From: Azhar MMA Date: Mon, 2 Jul 2018 15:14:26 +0300 Subject: [PATCH 062/116] add new dir turtle - draw square & rectangle --- Functions/{lambda.py => lambda_en.py} | 0 ...revirse_string.py => revirse_string_en.py} | 3 ++ Lists/Slicing_en.py | 3 +- Turtle/draw_rectangle_en.py | 44 +++++++++++++++++++ Turtle/draw_square_en.py | 30 +++++++++++++ 5 files changed, 79 insertions(+), 1 deletion(-) rename Functions/{lambda.py => lambda_en.py} (100%) rename Functions/{revirse_string.py => revirse_string_en.py} (85%) create mode 100644 Turtle/draw_rectangle_en.py create mode 100644 Turtle/draw_square_en.py diff --git a/Functions/lambda.py b/Functions/lambda_en.py similarity index 100% rename from Functions/lambda.py rename to Functions/lambda_en.py diff --git a/Functions/revirse_string.py b/Functions/revirse_string_en.py similarity index 85% rename from Functions/revirse_string.py rename to Functions/revirse_string_en.py index fbcee82..c6f8ad8 100644 --- a/Functions/revirse_string.py +++ b/Functions/revirse_string_en.py @@ -1,3 +1,6 @@ +#added by @Azharoo +#Python 3 + def revirse_string(word): s="" word= word.split() diff --git a/Lists/Slicing_en.py b/Lists/Slicing_en.py index 4524ed9..83f787d 100644 --- a/Lists/Slicing_en.py +++ b/Lists/Slicing_en.py @@ -1,4 +1,5 @@ -#added by @Azharo +#added by @Azharoo +#Python 3 # Python slicing is a computationally fast way to methodically access parts of your data. #Create a list of science subjects and another list of integers from 1-10 diff --git a/Turtle/draw_rectangle_en.py b/Turtle/draw_rectangle_en.py new file mode 100644 index 0000000..47f3f1e --- /dev/null +++ b/Turtle/draw_rectangle_en.py @@ -0,0 +1,44 @@ +#added by @Azharoo +#Python 3 +#draw a simple rectangle + +# Example - 1 + +import turtle +t = turtle.Turtle() +window = turtle.Screen() +window.bgcolor("black") +t.hideturtle() +t.color("red") + +def slanted_rectangle(length,width): + for steps in range(2): + t.fd(width) + t.left(90) + t.fd(length) + t.left(90) + +slanted_rectangle(length=200,width=100) + + +# Example - 2 +#draw a slanted rectangle + +import turtle +t = turtle.Turtle() +window = turtle.Screen() +window.bgcolor("black") + + +t.hideturtle() +t.color("red") + +def slanted_rectangle(length,width,angle): + t.setheading(angle) + for steps in range(2): + t.fd(width) + t.left(90) + t.fd(length) + t.left(90) + +slanted_rectangle(length=200,angle=45,width=100) \ No newline at end of file diff --git a/Turtle/draw_square_en.py b/Turtle/draw_square_en.py new file mode 100644 index 0000000..65d4105 --- /dev/null +++ b/Turtle/draw_square_en.py @@ -0,0 +1,30 @@ +#added by @Azharoo +#Python 3 +#draw a simple square + +# Example - 1 + +import turtle +t = turtle.Turtle() +window = turtle.Screen() +window.bgcolor("black") +t.color("blue") +t.shape("turtle") +for i in range(4): + t.fd(100) + t.left(90) + +# Example - 2 + +import turtle +t= turtle.Turtle() +t.screen.bgcolor("black") +t.color("red") +t.hideturtle() # Hide the turtle during the draw + +def square(length): + for steps in range(4): + t.fd(length) + t.left(90) + +square(100) \ No newline at end of file From e44efe266ae7d5b46bb5bb93896636c16664c100 Mon Sep 17 00:00:00 2001 From: Azhar MMA Date: Mon, 2 Jul 2018 15:22:27 +0300 Subject: [PATCH 063/116] fix # --- definitions/Data_Types_en.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/definitions/Data_Types_en.py b/definitions/Data_Types_en.py index b861c2e..80680e6 100644 --- a/definitions/Data_Types_en.py +++ b/definitions/Data_Types_en.py @@ -27,7 +27,7 @@ No duplicate members.""") print("________________________________________________________") -print("""3)--Dictionary is a collection which is unordered, +print("""4)--Dictionary is a collection which is unordered, changeable and indexed. No duplicate members.""") From bf4be66857154d5b4a17845371c68c6d26f9a5b3 Mon Sep 17 00:00:00 2001 From: Azhar MMA Date: Tue, 3 Jul 2018 22:47:35 +0300 Subject: [PATCH 064/116] add List pop() method --- Lists/lambda | 6 ------ Lists/pop_en.py | 44 ++++++++++++++++++++++++++++++++++++++++++++ 2 files changed, 44 insertions(+), 6 deletions(-) delete mode 100644 Lists/lambda create mode 100644 Lists/pop_en.py diff --git a/Lists/lambda b/Lists/lambda deleted file mode 100644 index e553b4b..0000000 --- a/Lists/lambda +++ /dev/null @@ -1,6 +0,0 @@ -#what is the output of this code? -gun = lambda x:x*x -data = 1 -for i in range(1,3): - data+=gun(i) -print(gun(data)) diff --git a/Lists/pop_en.py b/Lists/pop_en.py new file mode 100644 index 0000000..5580dd6 --- /dev/null +++ b/Lists/pop_en.py @@ -0,0 +1,44 @@ +#added by @Azharoo +#Python 3 + +""" +The pop() method removes and returns the element at the given index (passed as an argument) from the list. +If no parameter is passed, the default index -1 is passed as an argument which returns the last element. +""" + +#Example 1: Print Element Present at the Given Index from the List + +# programming language list +language = ['Python', 'Php', 'C++', 'Oracle', 'Ruby'] + +# Return value from pop() When 3 is passed +print('When 3 is passed:') +return_value = language.pop(3) +print('Return Value: ', return_value) + +# Updated List +print('Updated List: ', language) + + + + +#Example 2: pop() when index is not passed and for negative index + +# programming language list +language = ['Python', 'Php', 'C++', 'Oracle', 'Ruby'] + + +# When index is not passed +print('\nWhen index is not passed:') +print('Return Value: ', language.pop()) +print('Updated List: ', language) + +# When -1 is passed Pops Last Element +print('\nWhen -1 is passed:') +print('Return Value: ', language.pop(-1)) +print('Updated List: ', language) + +# When -3 is passed Pops Third Last Element +print('\nWhen -3 is passed:') +print('Return Value: ', language.pop(-3)) +print('Updated List: ', language) \ No newline at end of file From 6c22dbb91c4b63d8a6f7b0933075d6835385e4c5 Mon Sep 17 00:00:00 2001 From: Azhar MMA Date: Tue, 3 Jul 2018 23:07:26 +0300 Subject: [PATCH 065/116] add List remove() method --- Lists/remove_en | 45 +++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 45 insertions(+) create mode 100644 Lists/remove_en diff --git a/Lists/remove_en b/Lists/remove_en new file mode 100644 index 0000000..93d7331 --- /dev/null +++ b/Lists/remove_en @@ -0,0 +1,45 @@ +#added by @Azharoo +#Python 3 + +""" +The remove() method searches for the given element in the list and removes the first matching element. +If the element(argument) passed to the remove() method doesn't exist, valueError exception is thrown. +""" + +#Example 1: Remove Element From The List +# animal list +animal = ['cat', 'dog', 'rabbit', 'cow'] + +# 'rabbit' element is removed +animal.remove('rabbit') + +#Updated Animal List +print('Updated animal list: ', animal) + + +#Example 2: remove() Method on a List having Duplicate Elements +# If a list contains duplicate elements, the remove() method removes only the first instance + +# animal list +animal = ['cat', 'dog', 'dog', 'cow', 'dog'] + +# 'dog' element is removed +animal.remove('dog') + +#Updated Animal List +print('Updated animal list: ', animal) + + +""" +Example 3: Trying to Delete Element That Doesn't Exist +When you run the program, you will get the following error: +ValueError: list.remove(x): x not in list +""" +# animal list +animal = ['cat', 'dog', 'rabbit', 'cow'] + +# Deleting 'fish' element +animal.remove('fish') + +# Updated Animal List +print('Updated animal list: ', animal) \ No newline at end of file From 07cc5221bf3ad3071da6edbab25ff184ded0e278 Mon Sep 17 00:00:00 2001 From: Azhar MMA Date: Wed, 4 Jul 2018 00:33:35 +0300 Subject: [PATCH 066/116] create list methods folder and move pop_en.py & remove_en.py to it --- Lists/{ => List_Methods}/pop_en.py | 0 Lists/{remove_en => List_Methods/remove_en.py} | 0 2 files changed, 0 insertions(+), 0 deletions(-) rename Lists/{ => List_Methods}/pop_en.py (100%) rename Lists/{remove_en => List_Methods/remove_en.py} (100%) diff --git a/Lists/pop_en.py b/Lists/List_Methods/pop_en.py similarity index 100% rename from Lists/pop_en.py rename to Lists/List_Methods/pop_en.py diff --git a/Lists/remove_en b/Lists/List_Methods/remove_en.py similarity index 100% rename from Lists/remove_en rename to Lists/List_Methods/remove_en.py From 9517234535dd31a8119b77de449d52083bdd7a07 Mon Sep 17 00:00:00 2001 From: basmalakamal <40078508+basmalakamal@users.noreply.github.com> Date: Wed, 4 Jul 2018 00:31:21 +0200 Subject: [PATCH 067/116] add a file for built-in functions (#31) --- Functions/built-in-functions.py | 106 ++++++++++++++++++++++++++++++++ 1 file changed, 106 insertions(+) create mode 100644 Functions/built-in-functions.py diff --git a/Functions/built-in-functions.py b/Functions/built-in-functions.py new file mode 100644 index 0000000..52158a8 --- /dev/null +++ b/Functions/built-in-functions.py @@ -0,0 +1,106 @@ +""" +This file contains some examples for built-in functions in python +they are functions that do certain things +I will explain +""" + + +#example 1 = .upper() +#added by @basmalakamal +str1 = "hello world" +print str1.upper() +#this how we use it and it is used to return the string with capital letters + +#example 2 = isupper() +#added by @basmalakamal +str2 = "I love coding" +print str2.isupper() +#this function returns a boolean it is used to see if all letters in the string are capital I have only one capital letter here +#so it returned False +#lets try again here +str3 = "PYTHON IS AWESOME" +print str3.isupper() #prints True + +#example 3 = lower() +#added by @basmalakamal +str4 = "BASMALAH" +print str4.lower() +#it returns the string with small letters + +#example 4 = islower() +#added by @basmalakamal +str5 = "Python" +print str5.islower() +#this function returns a boolean it is used to see if all letters in the string are small I have one capital letter here +#so it returned False +#lets try again here +str6 = "python" +print str6.islower() #prints True + +#example 5 = float() +#added by @basmalakamal +print float('12\n') +#we can use this one to input an integer and it will return a float depends on what you have written +#for example I wrote 12\n (\n means a space) so it returned 12.0 + + +#example 6 = id() +#added by @basmalakamal +print id(str6) +#it returns the identity of any object cause every object has an identity in python memory + +#example 7 = len() +#added by @basmalakamal + + + + + +#example 8 = int() +#added by @basmalakamal + + + +#example 9 = str() +#added by @basmalakamal + + + + +#example 10 = max() +#added by @basmalakamal + + + +#example 11 = sort() +#added by @basmalakamal + + +#example 12 = replace() +#added by @basmalakamal + + +#example 13 = append() +#added by @basmalakamal + +#example 14 = index() +#added by @basmalakamal + +#example 15 = split() +#added by @basmalakamal + +#example 16 = join() +#added by @basmalakamal + + + + + + + + + + + + + From bbb2342181b215e5e33efe7f977626ed120fab80 Mon Sep 17 00:00:00 2001 From: Shorouq Saad <34021892+engshorouq@users.noreply.github.com> Date: Wed, 4 Jul 2018 01:31:34 +0300 Subject: [PATCH 068/116] adding and modification on the lists (#30) * add element to the lists using append * add element to the lists using + operator * the modification process in the list --- Lists/modify_add_lists.py | 35 +++++++++++++++++++++++++++++++++++ 1 file changed, 35 insertions(+) create mode 100644 Lists/modify_add_lists.py diff --git a/Lists/modify_add_lists.py b/Lists/modify_add_lists.py new file mode 100644 index 0000000..17663ae --- /dev/null +++ b/Lists/modify_add_lists.py @@ -0,0 +1,35 @@ +#how to add element to lists +#how to modify elements in the lists + +#example1 +#added by @engshorouq +#create empty list +my_list=[] + +#add element to empty string in two ways the first way(append) +my_list.append("Learn") +my_list.append(["Pythn","Language"]) + +#print list to show the output + +print("list after adding iteam using append : \n",my_list) + + +#add element to my list by second way : using + operator +my_list=my_list+["version"] +my_list=my_list+[3] +my_list=my_list+["interting","language"] + +#print list to show output +print("\nlist after adding iteam using append : \n",my_list) + +#mistake in writing word inside list +#modify 1st iteam +my_list[0]="Learning" +#modify 2nd item the 1st item inside it +my_list[1][0]="Python" +#modify 3rd to 5th item +my_list[2:5]=["version 3","intersting","language"] + +#print list to show output +print("\nlist after modification : \n",my_list) From 36440cfd9ab5243da83151e8a443ba10ca9651ee Mon Sep 17 00:00:00 2001 From: Azharo MMA <38683226+Azharoo@users.noreply.github.com> Date: Wed, 4 Jul 2018 01:32:06 +0300 Subject: [PATCH 069/116] Add Pop() & remove() List methods to the folder list (#29) * add List pop() method * add List remove() method * create list methods folder and move pop_en.py & remove_en.py to it --- Lists/List_Methods/pop_en.py | 44 ++++++++++++++++++++++++++++++++ Lists/List_Methods/remove_en.py | 45 +++++++++++++++++++++++++++++++++ Lists/lambda | 6 ----- 3 files changed, 89 insertions(+), 6 deletions(-) create mode 100644 Lists/List_Methods/pop_en.py create mode 100644 Lists/List_Methods/remove_en.py delete mode 100644 Lists/lambda diff --git a/Lists/List_Methods/pop_en.py b/Lists/List_Methods/pop_en.py new file mode 100644 index 0000000..5580dd6 --- /dev/null +++ b/Lists/List_Methods/pop_en.py @@ -0,0 +1,44 @@ +#added by @Azharoo +#Python 3 + +""" +The pop() method removes and returns the element at the given index (passed as an argument) from the list. +If no parameter is passed, the default index -1 is passed as an argument which returns the last element. +""" + +#Example 1: Print Element Present at the Given Index from the List + +# programming language list +language = ['Python', 'Php', 'C++', 'Oracle', 'Ruby'] + +# Return value from pop() When 3 is passed +print('When 3 is passed:') +return_value = language.pop(3) +print('Return Value: ', return_value) + +# Updated List +print('Updated List: ', language) + + + + +#Example 2: pop() when index is not passed and for negative index + +# programming language list +language = ['Python', 'Php', 'C++', 'Oracle', 'Ruby'] + + +# When index is not passed +print('\nWhen index is not passed:') +print('Return Value: ', language.pop()) +print('Updated List: ', language) + +# When -1 is passed Pops Last Element +print('\nWhen -1 is passed:') +print('Return Value: ', language.pop(-1)) +print('Updated List: ', language) + +# When -3 is passed Pops Third Last Element +print('\nWhen -3 is passed:') +print('Return Value: ', language.pop(-3)) +print('Updated List: ', language) \ No newline at end of file diff --git a/Lists/List_Methods/remove_en.py b/Lists/List_Methods/remove_en.py new file mode 100644 index 0000000..93d7331 --- /dev/null +++ b/Lists/List_Methods/remove_en.py @@ -0,0 +1,45 @@ +#added by @Azharoo +#Python 3 + +""" +The remove() method searches for the given element in the list and removes the first matching element. +If the element(argument) passed to the remove() method doesn't exist, valueError exception is thrown. +""" + +#Example 1: Remove Element From The List +# animal list +animal = ['cat', 'dog', 'rabbit', 'cow'] + +# 'rabbit' element is removed +animal.remove('rabbit') + +#Updated Animal List +print('Updated animal list: ', animal) + + +#Example 2: remove() Method on a List having Duplicate Elements +# If a list contains duplicate elements, the remove() method removes only the first instance + +# animal list +animal = ['cat', 'dog', 'dog', 'cow', 'dog'] + +# 'dog' element is removed +animal.remove('dog') + +#Updated Animal List +print('Updated animal list: ', animal) + + +""" +Example 3: Trying to Delete Element That Doesn't Exist +When you run the program, you will get the following error: +ValueError: list.remove(x): x not in list +""" +# animal list +animal = ['cat', 'dog', 'rabbit', 'cow'] + +# Deleting 'fish' element +animal.remove('fish') + +# Updated Animal List +print('Updated animal list: ', animal) \ No newline at end of file diff --git a/Lists/lambda b/Lists/lambda deleted file mode 100644 index e553b4b..0000000 --- a/Lists/lambda +++ /dev/null @@ -1,6 +0,0 @@ -#what is the output of this code? -gun = lambda x:x*x -data = 1 -for i in range(1,3): - data+=gun(i) -print(gun(data)) From 6d90474f35ca0b545a43f0b2a628cd5e983297a8 Mon Sep 17 00:00:00 2001 From: Azhar MMA Date: Wed, 4 Jul 2018 10:49:20 +0300 Subject: [PATCH 070/116] add List reverse() method --- Lists/List_Methods/reverse_ar.py | 89 ++++++++++++++++++++++++++++++++ Lists/List_Methods/reverse_en.py | 62 ++++++++++++++++++++++ 2 files changed, 151 insertions(+) create mode 100644 Lists/List_Methods/reverse_ar.py create mode 100644 Lists/List_Methods/reverse_en.py diff --git a/Lists/List_Methods/reverse_ar.py b/Lists/List_Methods/reverse_ar.py new file mode 100644 index 0000000..936fa55 --- /dev/null +++ b/Lists/List_Methods/reverse_ar.py @@ -0,0 +1,89 @@ +#added by @Azharoo +#Python 3 + +""" +The reverse() . +The reverse() . +The reverse() . . +""" + +# 1 : Reverse a List + +# Operating System List +os = ['Windows', 'macOS', 'Linux'] +print('Original List:', os) + +# List Reverse +os.reverse() + +# updated list +print('Updated List:', os) + + + +#Example 2: Reverse a List Using Slicing Operator + +# Operating System List +os = ['Windows', 'macOS', 'Linux'] +print('Original List:', os) + +# Reversing a list +#Syntax: reversed_list = os[start:stop:step] +reversed_list = os[::-1] + +# updated list +print('Updated List:', reversed_list) + + + +#Example 3: Accessing Individual Elements in Reversed Order + +# Operating System List +os = ['Windows', 'macOS', 'Linux'] + +# +for o in reversed(os): + print(o) + + + +# 4 : ( ) + +def my_f(list): + list1 = list.reverse() + return list1 + +list =[10,20,40] + +print(my_f(list)) ## None + + + +def my_f(list): + list1 = list.reverse() + return list + +list =[10,20,40] + +print(my_f(list))## [40, 20, 10] + +""" + + + + + + +reverse() + + + + + + + + + + + +""" diff --git a/Lists/List_Methods/reverse_en.py b/Lists/List_Methods/reverse_en.py new file mode 100644 index 0000000..0915b99 --- /dev/null +++ b/Lists/List_Methods/reverse_en.py @@ -0,0 +1,62 @@ +#added by @Azharoo +#Python 3 + +""" +The reverse() method reverses the elements of a given list. +The reverse() function doesn't take any argument. +The reverse() function doesn't return any value. It only reverses the elements and updates the list. + +#Example 1: Reverse a List + +# Operating System List +os = ['Windows', 'macOS', 'Linux'] +print('Original List:', os) + +# List Reverse +os.reverse() + +# updated list +print('Updated List:', os) + + +#Example 2: Reverse a List Using Slicing Operator + +# Operating System List +os = ['Windows', 'macOS', 'Linux'] +print('Original List:', os) + +# Reversing a list +#Syntax: reversed_list = os[start:stop:step] +reversed_list = os[::-1] + +# updated list +print('Updated List:', reversed_list) + +#Example 3: Accessing Individual Elements in Reversed Order + +# Operating System List +os = ['Windows', 'macOS', 'Linux'] + +# Printing Elements in Reversed Order +for o in reversed(os): + print(o) + +# Example 4 : none result (remon Tutor example) + +def my_f(list): + list1 = list.reverse() + return list1 + +list =[10,20,40] + +print(my_f(list)) ## The result is None + + +# the same example but printed a list +def my_f(list): + list1 = list.reverse() + return list + +list =[10,20,40] + +print(my_f(list))## [40, 20, 10] \ No newline at end of file From 6d59575cbaaff42134ba24c93e46627032bf52ba Mon Sep 17 00:00:00 2001 From: Azharo MMA <38683226+Azharoo@users.noreply.github.com> Date: Thu, 5 Jul 2018 01:23:56 +0300 Subject: [PATCH 071/116] add List reverse() method (#32) * add List pop() method * add List remove() method * create list methods folder and move pop_en.py & remove_en.py to it * add List reverse() method --- Lists/List_Methods/reverse_ar.py | 89 ++++++++++++++++++++++++++++++++ Lists/List_Methods/reverse_en.py | 62 ++++++++++++++++++++++ 2 files changed, 151 insertions(+) create mode 100644 Lists/List_Methods/reverse_ar.py create mode 100644 Lists/List_Methods/reverse_en.py diff --git a/Lists/List_Methods/reverse_ar.py b/Lists/List_Methods/reverse_ar.py new file mode 100644 index 0000000..936fa55 --- /dev/null +++ b/Lists/List_Methods/reverse_ar.py @@ -0,0 +1,89 @@ +#added by @Azharoo +#Python 3 + +""" +The reverse() . +The reverse() . +The reverse() . . +""" + +# 1 : Reverse a List + +# Operating System List +os = ['Windows', 'macOS', 'Linux'] +print('Original List:', os) + +# List Reverse +os.reverse() + +# updated list +print('Updated List:', os) + + + +#Example 2: Reverse a List Using Slicing Operator + +# Operating System List +os = ['Windows', 'macOS', 'Linux'] +print('Original List:', os) + +# Reversing a list +#Syntax: reversed_list = os[start:stop:step] +reversed_list = os[::-1] + +# updated list +print('Updated List:', reversed_list) + + + +#Example 3: Accessing Individual Elements in Reversed Order + +# Operating System List +os = ['Windows', 'macOS', 'Linux'] + +# +for o in reversed(os): + print(o) + + + +# 4 : ( ) + +def my_f(list): + list1 = list.reverse() + return list1 + +list =[10,20,40] + +print(my_f(list)) ## None + + + +def my_f(list): + list1 = list.reverse() + return list + +list =[10,20,40] + +print(my_f(list))## [40, 20, 10] + +""" + + + + + + +reverse() + + + + + + + + + + + +""" diff --git a/Lists/List_Methods/reverse_en.py b/Lists/List_Methods/reverse_en.py new file mode 100644 index 0000000..0915b99 --- /dev/null +++ b/Lists/List_Methods/reverse_en.py @@ -0,0 +1,62 @@ +#added by @Azharoo +#Python 3 + +""" +The reverse() method reverses the elements of a given list. +The reverse() function doesn't take any argument. +The reverse() function doesn't return any value. It only reverses the elements and updates the list. + +#Example 1: Reverse a List + +# Operating System List +os = ['Windows', 'macOS', 'Linux'] +print('Original List:', os) + +# List Reverse +os.reverse() + +# updated list +print('Updated List:', os) + + +#Example 2: Reverse a List Using Slicing Operator + +# Operating System List +os = ['Windows', 'macOS', 'Linux'] +print('Original List:', os) + +# Reversing a list +#Syntax: reversed_list = os[start:stop:step] +reversed_list = os[::-1] + +# updated list +print('Updated List:', reversed_list) + +#Example 3: Accessing Individual Elements in Reversed Order + +# Operating System List +os = ['Windows', 'macOS', 'Linux'] + +# Printing Elements in Reversed Order +for o in reversed(os): + print(o) + +# Example 4 : none result (remon Tutor example) + +def my_f(list): + list1 = list.reverse() + return list1 + +list =[10,20,40] + +print(my_f(list)) ## The result is None + + +# the same example but printed a list +def my_f(list): + list1 = list.reverse() + return list + +list =[10,20,40] + +print(my_f(list))## [40, 20, 10] \ No newline at end of file From e81080b28eb39564a59f7ef00bf48b0cdc051333 Mon Sep 17 00:00:00 2001 From: Mohanad Date: Wed, 4 Jul 2018 23:24:10 +0100 Subject: [PATCH 072/116] (Twilio + Profanity) Project (#33) --- .../(Twilio + Profanity) Arabic version.py | 84 +++++++++++++++++++ .../(Twilio + Profanity) English version.py | 81 ++++++++++++++++++ .../(Twilio + Profanity) French version.py | 79 +++++++++++++++++ 3 files changed, 244 insertions(+) create mode 100644 Twilio + Profanity/(Twilio + Profanity) Arabic version.py create mode 100644 Twilio + Profanity/(Twilio + Profanity) English version.py create mode 100644 Twilio + Profanity/(Twilio + Profanity) French version.py diff --git a/Twilio + Profanity/(Twilio + Profanity) Arabic version.py b/Twilio + Profanity/(Twilio + Profanity) Arabic version.py new file mode 100644 index 0000000..1b3cf34 --- /dev/null +++ b/Twilio + Profanity/(Twilio + Profanity) Arabic version.py @@ -0,0 +1,84 @@ +#أضيفت من قبل @Modydj +#Python 2.7 +#2 in 1 (Twilio + Profanity Editor) + + + + +#آلية العمل: + + +#1- سأقوم بإنشاء دالة def تحت اسم see_me_that_in_phone + +#2- سأجعله يعود للدالتين functions (check_profainty, read_text) + +#3- سأستقبل على جوالي فقط النتيجة ان كانت الرسالة تحوي على كلمات غير مرغوب بها أم لا + + +#حسناً ، فلنبدأ ;) + + +#استيراد المكتبات المناسبة في البداية + + + + +import urllib +from twilio.rest import Client + +# كتابة دالتين def لتحقق من عملنا، +# الأولى تدعى بـ read_text, والتي سوف تقرأ الملف المراد قراءته وفحصه. + +def read_text(): + quotes = open(r'C:\Users\2\Desktop\movie_quotes.txt','r')# قم بتغير هذا الكود بحسب مسار الملف المراد فحصه + contents_of_file = quotes.read() + #print (contents_of_file) + quotes.close() + check_profainty(contents_of_file) + +# الثانية check profanity , والتي سوف تأخذ زمام الأمور لتنفيذ الأمر +# الناتج عن قراءة الدالة الأولى read_text def. + + +def check_profainty(text_to_check): + account_sid = "ACdXXXXXXXXXXXXXXXX" #ادخل هذا الرقم من twilio + auth_token = "3bXXXXXXXXXXXXXXXXX" #ادخل هذا الرقم من twilio + client = Client(account_sid, auth_token) + connection = urllib.urlopen("http://www.wdylike.appspot.com/?q=" + text_to_check) + output= connection.read() + #print (output) + connection.close() + + if "true" in output: + message = client.messages.create( + body="profainty Alert!", + to="+213xxxxxxxx", # ضع رقم هاتفك + from_="+143xxxxxxx") # ضع رقمك في موقع twilio + print(message.sid) + + elif "false" in output: + message = client.messages.create( + body="This document has no curse words!", + to="+213xxxxxxxx", # ضع رقم هاتفك + from_="+143xxxxxxx") # ضع رقمك في موقع twilio + print(message.sid) + + else: + message = client.messages.create( + body="Could not scan the document properly.", + to="+213xxxxxxxx", # ضع رقم هاتفك + from_="+143xxxxxxx") # ضع رقمك في موقع twilio + print(message.sid) + +# الخطوة الأخيرة, ولكن في الواقع , هذه الخطوة الأولى, عندما تقوم بتشغيل البرنامج, +# هذه الدالة سوف تبدأ بالعمل على استدعاء دالة read_text . + + +def see_me_that_in_phone(): + x = read_text() + + +# دعونا نبدأ ;) + + +see_me_that_in_phone() diff --git a/Twilio + Profanity/(Twilio + Profanity) English version.py b/Twilio + Profanity/(Twilio + Profanity) English version.py new file mode 100644 index 0000000..15b38d0 --- /dev/null +++ b/Twilio + Profanity/(Twilio + Profanity) English version.py @@ -0,0 +1,81 @@ +#added by @Modydj +#Python 2.7 +#2 in 1 (Twilio + Profanity Editor) + + + +#Mechanism of Action: + +#1. I will create def call: see_me_that_in_phone + +#2 - I will make it back to the functions (check_profainty, read_text) + +#3 - Finally, I will receive on my mobile only the result if the message contains the words undesirable or not + + +#Well, Let's start: + + +#import the appropriate libraries in the first + + + +import urllib +from twilio.rest import Client + +# Write two def to check from our work, +# The first one is read_text, which will read your target file. + + +def read_text(): + quotes = open(r'C:\Users\Desktop\movie_quotes.txt','r')# Let's change this address according to your destination + contents_of_file = quotes.read() + #print (contents_of_file) + quotes.close() + check_profanity(contents_of_file) + + +# The second one is check profanity , which will take the order after knowing +# the result by using read_text def. + + +def check_profanity(text_to_check): + account_sid = "ACdXXXXXXXXXXXXXXXX" #Enter your twilio account_sid + auth_token = "3bXXXXXXXXXXXXXXXXX" # Enter your twilio account_token + client = Client(account_sid, auth_token) + connection = urllib.urlopen("http://www.wdylike.appspot.com/?q=" + text_to_check) + output= connection.read() + #print (output) + connection.close() + + if "true" in output: + message = client.messages.create( + body="profainty Alert!", + to="+213xxxxxxxx", # put your number phone + from_="+143xxxxxxx")# put your number phone on Twilio + print(message.sid) + + elif "false" in output: + message = client.messages.create( + body="This document has no curse words!", + to="+213xxxxxxxx",# put your number phone + from_="+143xxxxxxx")# put your number phone on Twilio + print(message.sid) + + else: + message = client.messages.create( + body="Could not scan the document properly.", + to="+213xxxxxxxx",# put your number phone + from_="+143xxxxxxx")# put your number phone on Twilio + print(message.sid) + +# The last step, but in fact, this is the first step, when you run this program, +# This def will start in the begging to summon read_text def. + +def see_me_that_in_phone(): + x = read_text() + + +#And here we go ;) + +see_me_that_in_phone() \ No newline at end of file diff --git a/Twilio + Profanity/(Twilio + Profanity) French version.py b/Twilio + Profanity/(Twilio + Profanity) French version.py new file mode 100644 index 0000000..45e4417 --- /dev/null +++ b/Twilio + Profanity/(Twilio + Profanity) French version.py @@ -0,0 +1,79 @@ +#ajouté par @Modydj +#Python 2.7 +# 2 en 1 ( Twilio + Profanity Éditeur) + + + +# Mécanisme d'action: + +#1. Je vais créer def appel: see_me_that_in_phone + +#2 - Je vais revenir aux fonctions: (check_profainty, read_text) + +# 3 - Enfin, je recevrai sur mon portable le résultat si le message contient les mots indésirables ou non + + +#Bien, On y va ;) + + +#importer les bibliothèques appropriées dans le premier + +import urllib +from twilio.rest import Client + +# Ecrire deux def pour vérifier de notre travail, +# Le premier est read_text, qui lira votre fichier cible. + + +def read_text(): + quotes = open(r'C:\Users\Desktop\movie_quotes.txt','r')# Changeons cette adresse en fonction de votre destination + contents_of_file = quotes.read() + #print (contents_of_file) + quotes.close() + check_profanity(contents_of_file) + + +# Le second est de vérifier check_profanity, qui prendra l'ordre après avoir connu +# le résultat en utilisant read_text def. + + +def check_profanity(text_to_check): + account_sid = "ACdXXXXXXXXXXXXXXXX" # Entrez votre twilio account_sid + auth_token = "3bXXXXXXXXXXXXXXXXX" # Entrez votre twilio account_token + client = Client(account_sid, auth_token) + connection = urllib.urlopen("http://www.wdylike.appspot.com/?q=" + text_to_check) + output= connection.read() + #print (output) + connection.close() + + if "true" in output: + message = client.messages.create( + body="profainty Alert!", + to="+213xxxxxxxx", # mettez votre numéro de téléphone + from_="+143xxxxxxx")# mettez votre numéro de téléphone sur Twilio + print(message.sid) + + elif "false" in output: + message = client.messages.create( + body="This document has no curse words!", + to="+213xxxxxxxx",# mettez votre numéro de téléphone + from_="+143xxxxxxx")# mettez votre numéro de téléphone sur Twilio + print(message.sid) + + else: + message = client.messages.create( + body="Could not scan the document properly.", + to="+213xxxxxxxx",# mettez votre numéro de téléphone + from_="+143xxxxxxx")# mettez votre numéro de téléphone sur Twilio + print(message.sid) + +# La dernière étape, mais en fait, c'est la première étape, lorsque vous exécutez ce programme, +# Cette def commencera dans le begging pour invoquer read_text def. + +def see_me_that_in_phone(): + x = read_text() + + +#Et c'est parti ;) + +see_me_that_in_phone() \ No newline at end of file From 6ab887fcfcf52fa7d690e80a8e6010e098dcea53 Mon Sep 17 00:00:00 2001 From: Azharo MMA <38683226+Azharoo@users.noreply.github.com> Date: Thu, 5 Jul 2018 01:32:40 +0300 Subject: [PATCH 073/116] fix Arabic lang. --- Lists/List_Methods/reverse_ar.py | 32 ++++++++++++++++---------------- 1 file changed, 16 insertions(+), 16 deletions(-) diff --git a/Lists/List_Methods/reverse_ar.py b/Lists/List_Methods/reverse_ar.py index 936fa55..62277d0 100644 --- a/Lists/List_Methods/reverse_ar.py +++ b/Lists/List_Methods/reverse_ar.py @@ -2,12 +2,12 @@ #Python 3 """ -The reverse() . -The reverse() . -The reverse() . . +The reverse() يعكس عناصر قائمة محددة. +The reverse() لا تأخذ أي عوامل. +The reverse() لا يعيد أي قيمة. يقوم فقط عكس العناصر وتحديث القائمة. """ -# 1 : Reverse a List +#مثال 1 : Reverse a List # Operating System List os = ['Windows', 'macOS', 'Linux'] @@ -41,13 +41,13 @@ # Operating System List os = ['Windows', 'macOS', 'Linux'] -# +# طباعة القائمة بشكل معكوس for o in reversed(os): print(o) -# 4 : ( ) +# مثال 4 : (شرح الاستاذ الفاضل ريمون ) def my_f(list): list1 = list.reverse() @@ -55,7 +55,7 @@ def my_f(list): list =[10,20,40] -print(my_f(list)) ## None +print(my_f(list)) ## الناتج هنا None @@ -68,22 +68,22 @@ def my_f(list): print(my_f(list))## [40, 20, 10] """ - +لماذا الناتجين مختلفين - +ببساطة - +فى المرة الاولى reverse() - +هى قامت بالتعديل على القائمة لكن لاتقوم باخراج القائمة الجديدة - +لكن تم التعديل بالفعل على القائمة واذا تمت طباعة القائمة نجد ان - +قيم العناصر قد انقلبت بالعكس - +وهو ماحدث فى الكود الحالى عندما قمنا بارجاع قيمة القائمة - +وتمت طباعة القيمة بالفعل - +بينما فى المرة الاولى … ما طلبنا اخراجه هو العملية نفسها … وليست القيمة """ From 41beaf028e5444366248b737fa4342f90a1335d7 Mon Sep 17 00:00:00 2001 From: Mohanad Djaber Date: Thu, 5 Jul 2018 12:48:46 +0100 Subject: [PATCH 074/116] (Twilio + Profanity) Project (#35) From ef03397e1f7e453635811971d7660d331bbc5144 Mon Sep 17 00:00:00 2001 From: mohammed alneami Date: Thu, 5 Jul 2018 17:42:12 +0300 Subject: [PATCH 075/116] pop() --- Lists/pop.py | 20 ++++++++++++++++++++ 1 file changed, 20 insertions(+) create mode 100644 Lists/pop.py diff --git a/Lists/pop.py b/Lists/pop.py new file mode 100644 index 0000000..a77b961 --- /dev/null +++ b/Lists/pop.py @@ -0,0 +1,20 @@ +# الدالة pop() تقوم بحذف اخر عنصر بالقائمة +# نستطيع ان نحدد العنصر المراد حذفه وذلك بتحديد اندكس العنصر بداخل القوسين + +#المثال الاول + +li = [2,3,4,5] +li.pop() +print li #[يطبع [2,3,4 + +# المثال الثاني + +li = [2,3,4,5] +li.pop(2) +print li #[يطبع [2,3,5 + +# الدالة pop لها قيمة ارجاع وهي العنصر المحذوف + +li = [2,3,4,5] +print li.pop() # يطبع 5 + From 13555125e754b1b53643c35800dfb28ad64b72a3 Mon Sep 17 00:00:00 2001 From: Azhar MMA Date: Sat, 7 Jul 2018 01:03:12 +0300 Subject: [PATCH 076/116] Fix conflict --- Lists/List_Methods/reverse_ar.py | 32 ++++++++++++++++---------------- 1 file changed, 16 insertions(+), 16 deletions(-) diff --git a/Lists/List_Methods/reverse_ar.py b/Lists/List_Methods/reverse_ar.py index 936fa55..62277d0 100644 --- a/Lists/List_Methods/reverse_ar.py +++ b/Lists/List_Methods/reverse_ar.py @@ -2,12 +2,12 @@ #Python 3 """ -The reverse() . -The reverse() . -The reverse() . . +The reverse() يعكس عناصر قائمة محددة. +The reverse() لا تأخذ أي عوامل. +The reverse() لا يعيد أي قيمة. يقوم فقط عكس العناصر وتحديث القائمة. """ -# 1 : Reverse a List +#مثال 1 : Reverse a List # Operating System List os = ['Windows', 'macOS', 'Linux'] @@ -41,13 +41,13 @@ # Operating System List os = ['Windows', 'macOS', 'Linux'] -# +# طباعة القائمة بشكل معكوس for o in reversed(os): print(o) -# 4 : ( ) +# مثال 4 : (شرح الاستاذ الفاضل ريمون ) def my_f(list): list1 = list.reverse() @@ -55,7 +55,7 @@ def my_f(list): list =[10,20,40] -print(my_f(list)) ## None +print(my_f(list)) ## الناتج هنا None @@ -68,22 +68,22 @@ def my_f(list): print(my_f(list))## [40, 20, 10] """ - +لماذا الناتجين مختلفين - +ببساطة - +فى المرة الاولى reverse() - +هى قامت بالتعديل على القائمة لكن لاتقوم باخراج القائمة الجديدة - +لكن تم التعديل بالفعل على القائمة واذا تمت طباعة القائمة نجد ان - +قيم العناصر قد انقلبت بالعكس - +وهو ماحدث فى الكود الحالى عندما قمنا بارجاع قيمة القائمة - +وتمت طباعة القيمة بالفعل - +بينما فى المرة الاولى … ما طلبنا اخراجه هو العملية نفسها … وليست القيمة """ From fc5b160f6b716aac678de92727e5f6b8e6e16e29 Mon Sep 17 00:00:00 2001 From: Azhar MMA Date: Sat, 7 Jul 2018 03:04:51 +0300 Subject: [PATCH 077/116] Add draw circle & triangle to Turtle folder --- Turtle/draw_circle_en.py | 57 ++++++++++++++++++++++++++++++++++++++ Turtle/draw_triangle_en.py | 21 ++++++++++++++ 2 files changed, 78 insertions(+) create mode 100644 Turtle/draw_circle_en.py create mode 100644 Turtle/draw_triangle_en.py diff --git a/Turtle/draw_circle_en.py b/Turtle/draw_circle_en.py new file mode 100644 index 0000000..24c15dc --- /dev/null +++ b/Turtle/draw_circle_en.py @@ -0,0 +1,57 @@ + +#added by @Azharoo +#Python 3 + +# Example - 1 + +#Draw one circle + +import turtle + +my_turtle = turtle.Turtle() +my_turtle.pencolor("red") + +def circle(length,angle): + my_turtle.forward(length) + my_turtle.left(angle) + +for i in range(46): + circle(10,8) + + + # Example - 2 + #Draw Circle of Squares + +import turtle + +my_turtle = turtle.Turtle() +my_turtle.speed(0) +my_turtle.pencolor("blue") + +def square(length,angle): + for i in range(4): + my_turtle.forward(length) + my_turtle.right(angle) + +for i in range(100): + square(100,90) + my_turtle.right(11) + + + +# Example - 3 + #Draw beautiful_circles + +import turtle +t = turtle.Turtle() +window = turtle.Screen() +window.bgcolor("black") +colors=["red","yellow","purple"] + +for x in range(10,50): + t.circle(x) + t.color(colors[x%3]) + t.left(90) + +t.screen.exitonclick() +t.screen.mainloop() \ No newline at end of file diff --git a/Turtle/draw_triangle_en.py b/Turtle/draw_triangle_en.py new file mode 100644 index 0000000..160ee8d --- /dev/null +++ b/Turtle/draw_triangle_en.py @@ -0,0 +1,21 @@ +#added by @Azharoo +#Python 3 + +# Example - 1 + +#Draw triangle + +import turtle +t = turtle.Turtle() +window = turtle.Screen() +window.bgcolor("black") + +t.color("red") +t.hideturtle() # hide the turtle + +def triangle(length,angle=120): + for steps in range(3): + t.fd(length) + t.left(angle) + +triangle(200) \ No newline at end of file From 709b76e254bbc98558ee9da8e7ec57bb0f10a852 Mon Sep 17 00:00:00 2001 From: Dima almasri Date: Sat, 7 Jul 2018 14:53:31 +0300 Subject: [PATCH 078/116] Turtle , python basic --- Functions/math_functional_en.py | 33 ++++++++++++++++++++ Functions/strip_en.py | 28 +++++++++++++++++ Turtle/House_en.py | 17 ++++++++++ Turtle/L27-Python3.4pp.pdf | Bin 0 -> 544806 bytes Turtle/draw_en.py | 10 ++++++ python_bacics_101/Datatype_convertion_en.py | 28 +++++++++++++++++ 6 files changed, 116 insertions(+) create mode 100644 Functions/math_functional_en.py create mode 100644 Functions/strip_en.py create mode 100644 Turtle/House_en.py create mode 100644 Turtle/L27-Python3.4pp.pdf create mode 100644 Turtle/draw_en.py create mode 100644 python_bacics_101/Datatype_convertion_en.py diff --git a/Functions/math_functional_en.py b/Functions/math_functional_en.py new file mode 100644 index 0000000..e343e10 --- /dev/null +++ b/Functions/math_functional_en.py @@ -0,0 +1,33 @@ + +from math import * + +#round +print round(3.99999) +print round(66.265626596595, 3) + +#abs +print abs(-22) + +#max +print max(10,8,6,33,120) + +#min +print min(10,8,6,33,120) + +#pow +print pow(6.3 , 1.5) + +#sqrt +print sqrt(4) + +#ceil +print ceil(7.666) + +#copysign +print copysign(1,-1) + + + + + + diff --git a/Functions/strip_en.py b/Functions/strip_en.py new file mode 100644 index 0000000..6391be3 --- /dev/null +++ b/Functions/strip_en.py @@ -0,0 +1,28 @@ +#strip() returns a copy of the string +#in which all chars have been stripped +#from the beginning and the end of the string + +#lstrip() removes leading characters (Left-strip) +#rstrip() removes trailing characters (Right-strip) + + + + +#Syntax +#str.strip([chars]); + +#Example 1 +#print Python a high level +str = "Python a high level language"; +print str.strip( 'language' ) + +#Examlpe 2 +str = "Python a high level language , Python") + +#print a high level language , +print str.strip("Python") +#print a high level language , Python +print str.lstrip("Python") +#print Python a high level language , +print str.rstrip("Python") + diff --git a/Turtle/House_en.py b/Turtle/House_en.py new file mode 100644 index 0000000..7de4a9a --- /dev/null +++ b/Turtle/House_en.py @@ -0,0 +1,17 @@ +from turtle import * +goto(300, 0) +goto(300, 400) +goto(50, 400) +goto(0, 300) +goto(0, 0) +penup() +goto(50, 400) +pendown() +goto(100, 300) +goto(100, 0) +penup() +goto(0, 300) +pendown() +goto(100, 300) +goto(300, 300) +screensize(2000, 2000) diff --git a/Turtle/L27-Python3.4pp.pdf b/Turtle/L27-Python3.4pp.pdf new file mode 100644 index 0000000000000000000000000000000000000000..ffc95f96fb172fc36b7cb3e8b0fe2ff4e300e44e GIT binary patch literal 544806 zcmbSx2Q*w=_xDvt@4d~49%1y(5WV*vL>awBCt3&+y+wlvfUIUABdBoJCNyY6;EXTg$r6v9 zWHi3USMnjNPiB_u_ccn#yX}G+TgE^O(@@v9wfZng6(C zg<+b-Dl_`J%g2aN_qSgrnx5^tNAersk9VSo8p0kT z-gsz%*vV8(@*5DWoUEz`s#8q!hZc_2WW*V~MQ-l!i;BJK<`v2^8=I**{+dMww)*zX zB8$ziKtAn?h0sqiQ#dO0#jbrSyX|6w&2q|1O88?ngU{C4TZo zY)-MhK7~odOeMhDG{d!1U1s=q?9QixyW%7-zqRw1t_@D7aG#;rH=Z`DyxX>ineJ1W z#|kU9nAE-q6BIFhu12qtBmULcv9x*kTZCmB9eU8bVsf@iFjxnAtfXC2!EugG!FuF$ zI|p~2?@fN~GaPkypMs29vY%GL5{9hbt%4zxa^rM`+Kx}*49`FFaJI!Ws5}nnm)(3K zWxHQAkSEo5E?{#Kz#eFNyF7++p694?Z zozI$7Hp^1!-LCe$KJD8Wc+A6|7hwmc@+c)O!n#Z@`wmmkmuRDJ5g^C%j4r*&Sbcj< z30u1Fd9Fes;Bha`_L%UvI3({I8`^xCsW+Od;sWwBI}IYfOSbYW_umA<%bqH1dCVA< zMh}~eN$M}(4|64wevlscVJcQn<`%_DrQ0FTAAMGag{>cGNp~UV+04}%1J>3`GNuoP za4{PQLH&rqUV*ZO`eQ?>D#|0P&xLp%z>VlUXSubZC@rv$O%gX#0 zt)i;y*Bg>M2<_C_AwK1GHJZss4JxURgaUE67FEB_?=wEGp`&;C-eH;)9N?wMYNK0k z5o>X^DkA3#uERM}Ec_$i|KStsn`@p^yaZ|DN#Tk|{dtXpjnwpID-0Jz$7_8@6@YBY z+uy%3x@ecC+_CN|2{)@0uD|b0v$IEZ<{~}oKX9WDbi&J1C6A^Nat1wUG`Pnv1MP!vDvo)B~TCE zUvm2_2A@13bKG7K3;Gfrc&>}{-Kga)=&@D8r$Ea3{hH}hzmtQN%KyM7|g$atPO!aj;(jSCP$}{F-{?I5A^52Tq z$&q7^6fy~D;_LV}#itVEnsCPFpo$ezz>eR)u#%@#x>EXCBg5@Lz8zlr5$Cv|KRlhq zOvmxAKaePtCu~5nmGkJOa^!R%qy8grH+D{4FMOI%f_(KS{Xn8v%oxc%x<|LtlA~7x z!d^fDRS{RUWc>DeVqO_yotMu^z|?Uc{0i;_d{o+1dJaldT^36r91)Vp*ViZjR8J*v zX`aH#@(3P$c=bt9BPo5Z+4wMZjN@?7>_HCd%Oz~< z_ek2K38VK3#?;M1v6#(!T&cE>Xt0k|#|CJ^;_=4@($-6f&!z*;6_;_>qB|qDkOYHO zMQXyOv8yxfxZw%4YRR!v3BqKGcRJMC<%SZ3TP+va0mG}N)@OEVDKWR6$Op`daQNQ2~EFw4n-cy*gWrG`N7D|z-xya`1K$yqD5 z_S2!kx7dZOndO5_)C?MvB1^p~L&7wSk7x<$1h2AhIVO&)i~Yit!7gW-cwxAuM2OW9 z$8!?n8JxK$EatNe5&PZ}p;$)5Mb`U~kgL=?`+NHG518hWuT=8tme!8(Zj3KqnzDK3 z+cdQ{M!CD^rtLTl)f|tn`x_DiSTam6G4+VveHKEE(_-9rBn0$lSnEWuncs@_IdUo# z4$}x3v_A)Y9<9F(7~DFWXM1XVw--{xnMT{Wb!Kll$-@=B9&;ki|4CS8o4A{%;)M%g zx$>(kX3bp0;!mf~CQu?%&{WOtvX+5GZ4qCsD*CXCh9HiG*DmvFW`NH-S}GTNj8IG^ zm{ZKaC{5<=SDix+n-3xLe2+_0Ke6}wI@J0KWX=_%ncDO8rm&lkI?+TA7D(^1zm6<{lqq_NYw<(PJr zgJkHYeP1nQdziOs8@qXj;LD5q*`}HRUZ_ldut;slFO4D{?klM%Y3ZN#c-aivq3NTv)_~p#ClpcO|`p?OR&c%F(s})xIHGBZ@cw;Ax9}C zuF-2&LYxjLk(y@{O7~NCx`uo3M+YL93ZcU_49|6VXmm5ZIGORjFd*wS9~ zW~4~|rEiBKt2;f-r>I{;ZyrI%7;q@r1(Mi<3hsg+0ajKL0mD3Fln+*-Q|02wn$j6j zZBq8LZ!aT48%LSPOfw~v*@Pk}awC<&IC5dw3KJb6zmvxm+1`(G;TkW*H?76{lm-Yl z=ugPLCM0Z=nrN8gak>+0+s;Z$WYF|>DhZc_{Fc6DFF!Wt>+18P=-;!v5!}zz*b~AO zyS4XYT9qjDe3J=wD43IL8#^JC<$~UbsXs2SZC(b{&qDOic$;`q`#Uwy?OoZ8J8}r~ zeAj(AB|koKiXA!4MTTCUu1RHxQOKj^FG|e0I6mXuSst75c>RvG#>p*?4nEhAZh~HrfgvvK_g;A?qmZ~z?UVRr~m1201T9SCyhWj%krgL zN)5!F@(tpN&pyoJ+7;M!XjVtgdI_>jvZcXe4ou0ASiwbb`3L2J`I{o`_mKTl%~AZr>V zneGeJ1EniJKhf$IiP97D=xu#kI7-LT{1O&01}X7&sWN(_^G>(3$MkdL0OtmOs5V;H zMD%HtA2qjNCf=}ER)EEiyM=mm!!*p*iJ8@)z}5`)RnM$o__qg%#b<)~s>K;LYc)CS7(<~B*=Z&2kAe@Duvtsydq`VKehk0;!wz{!s1#-5*vDhMn#y^eWKZNou}LjZ za-3df7viMeqkA9NOSt^V(M>IuZkIzF7w`3fdsV~fh1AINY*-kPZ5);+$@;?X6W-O1 zyA#6G^3u@0Goz{U{)U8F-Qgmb*Sui9L8)UU;VZO3dT;Xg@X}f_O9_k53e(RV{jMEM z6*Zooa~5#l!Vck-BT&!zl$GtRpYAn*pm%x^qX@SiK^Z6w8Cd;L|gXuoj)aqNeR!5Q& zXkj6@!arDwvV;w#35T}}QN!-knf=)nh=Dl*Z@FPAd3qn>95&XMiwaMfuQOF`U(LC= z;*8BQUvVWRpH1q@<;(#`?$v>#3fM*9j*)p_`+E`8<49ONUDO+g;^}@V=?73ez8Ap6 z*n+iM-{I*p67$4CDu*&FE@rkhDhG>jKU)p;iVnE_ zHS4YyVC6c6zx+apIa+ON%*GuD`SCTWP!VQ{oySjC_G=hGk1a$$T9W__#k_HJDyb96 zTCmnX+vp_}wml!qXu`@%#`Lrlcm2DcjiE--EWU>NYMz2O4pOU3BDzw@2M0+2Hc$2f z*ch9zDt?2AO5Tz}Tqg89aqjS0yGu#|$lw|1 zVeDG{k*u1Qy6YvU7+BW2S14vg_GDo7O0TnI)3I{e^yg0)wM=TXB%fRqOUUy(9n_sz z!)JXVRY#$0EAMF71}R=zsALNwm3@oKsjyXWcl$#(W*<@oF5-VY!iDY}4l9T|=ShYI znd99OWT>L02aOY?y4RzTC`zS#>(5#X(--&@Vr-u&rYDHdr88v2T-R(DxH{+@Z67@L_f@ zvikv0=Xxkxp~Dc{r7)AGP#c)M{REqFEMq3^XGaarCNXYIax?kz5YGb;Esh;tkyvmS z7t5nDs-0OHT)rO$$bl15EQ))4T5EocY_?^^Ur)ScC<-FLi)8fGzb126UUeW315q;J z_m(<4`bM2X+sBi3-|o4_kOx1y{Zb^ZLzzqr*O_I=0mRgwwc{zRrK_>eoBZN{3oWhq z?gPUdZJFz`_mBG*l%Xoeex;0Z-_uk`aQBTl;?~egLVKZo?oB?fgu%r86v-hnNq5^Q9?cdL<Ud@Vw3UI zs&_{_tbvRC#!>INBX1{R79dT1_qw~Y$Q}9iAj}M>1%#|ZP1v0X&cj}P)W9Ko^#YXr zOOQ?PH6xK&1x`c?@47HfvPL0`qK?A@oQFwjTrMj82QTw=GpUrW9BL+x2%z*ymUQG~ z;KmTCxHsqTXI3MWGfSQcXqn24b?_hFx*k$d!OvJ@At8|Eq^8olj4Qchb<_3n4eMR; z{nZ)fW8(U2+0k5z?=<)tR64K#CxUxB{gWQTpqs4HO)BZ87LyQ>x_NqoMgAk>WD@EN zhd>SNUH&Tl;NAfc(Z91#MsREmbYYwrk$+$6@7{Y4;BH*AS8P#7Zlmjnt55U6TMfVy!2CO`HUnYzCu zMEEZ{2vpr)6e2AB7a;~qK}2q(#E7l#FAfnA{`+0({t^(88*}{CE(Q_#M|X7$JCT3X zRLAfW`8y+b!%z)lg}->2n214y|DiE45hnVFm5GT2MEDlH1c7S6-CSG)Ffxf^?28#eKVP4ld?HbRUm#}8|HIBA|44m9gwYXd0LP5J zZ$O~ECj@%eEx;f1TiM6U*T?(jsnoyIlPbz4e8ok#sA5>d4mb&b_bZr-4&stobR5Z&N^U#H*x5)7CW&@g~N z{@wongeV<-{Q>|0%K$?y>IC<9#Nfvm>=_*3d()1@U>XOH8;pIUB#j?NKn!NM!7hJe zjP)=ye`CcP?BwO`grT{S+1JU-=?3>>@ROiGI0obBU~qhp8$1|;r!bh)GtkQogHaev z;{~_(2LN1>oAv;>qbmjrVK9lGiIFk}%K-oZiOYXrhyTCnV}?cd`QL5-?)&dHpO*k2b%L=?`oG&8@&TYF4geVD{@un| z3IODf0ib#GKlGuy@fX*C0ACp>G&nd|&<*Y=cw^9iUH?~te^LJL!GG`*yy5pR+d)*| z&h~+x0gxM`I${>gKtG88UrVOI|LVm5?T-H;)_=%x#|Z8W$7~ju)!7W=Wp3UsnBn$z zatm0*-(y;05>r!9Y0h2#5!gfOOy)Pymzw?;!aB#s!6w0` z!Dhwg#)e``VJl&4W1C>xV7p*Hzz)NHjGc;|hy4=!4R$kj5B3Q5H1;y~F7^oyfJ2N! zhr^B|fFp&YjH8cZh2xClhZBjDh?9f!5~mKQ9cKt<5@#7_59bUQAD0>zf-8V4i>rZa zitC8`05=jh8MgrUHEuI*Kkg*%3N8}&3Xc?z1&<$322T^u0?!367%v_#2d@IJ32y*z z8gB#d6dxa-4xa~K5?=$~65k#FA$~G`5k3O{1O7Pv8vY3g1Y!j7gXBT_AbU^%C?1p# zdIRbPO@KB)C<0;vFo6hx8i5soH$e7|gqyeOH2|GHNnGGEFikvM93W zWX)s~WC!GgPx zr9skC(TdTU(T31Ir+rVmOov0qO{YocNtZ^~K=+OAoSv0li5^b>l)jFBg8mN!GlL=n zoFS0`!7$Bm&In;tW%OXoU~FMrV8Ug(&1A?F%v8)Yz_iCq!z|0}$ehUBz&yu-&2pQ? zh~*(m8Ovvu6IM1>byi>2eAYhJJvKTvMK*V~Y_=}8Z7?-h0qh3O26uyZAhZxAh$kcu z(hothv#@Kh2eQ9l|H^)Gi|3ZxTH~u32@jG~Tr0;m&d3k3>fJ8t^AV{D_U`3ElP)9IEuto3y$_cfC zWxw6c_ljRiNJ{ug)Jbeha!THpER>v)qLDI?N|yR4jVFCqI!d}z`b=bi@@u?SDQDLw}*GX51UVj&$utYZ@lmF z1DOZU9w7a+{VM#i{B8VO186Y8)aO9nz_`GbAcdgkL8xG};KmTj5bu!Bp|?YyhHi$b zg}r)+`_S=WZ#aASqwtjorHB`iSdk8qy-^%dkE1rC)uUfOB6{TU=u3=HOlHh+ta)tv zW7fyfkJsYV<7(o`;{D=h5@Zufp5Q)ld-CG@;gr0T z>s05|uW1r##p(Fz-s#^mU>UD7DKo<|*Rpi8nzJF(Nm9vqsaxsy7wRvXUvj_9DZ?)d zD*IV(RzCDf>Qz+*Q$H2?!6hSRjF;Q6R3NE zphG0R1>Od}-KoD{|E)p0p|?@0vF;t$yTT^wro?8f=Fnzji)+hrt7YqWn^s$IyKH+? zhhRr#Cwu4f_q6ZRx`?_ScU^afb)S6j{jk^L(zDiU*E`>5(Kpp^*#C7vd*I`s+F;+1 z(opwD`H!8SWInYGOAWV-NQ^Xp7XRGzMf^+CSBbC9qmrYoW71>o<8tF&6R?S%NtMaL zDb1;oX}#(3Z>HbA&)l0?{_gaBYu0o2a4u->Vm|r@-jBouiiMm-mc^G#d`pOBiRJez zDl4B?jaTQ_9M^W&{nybOkAIT>%-IBQR&9xFb#AL|kL_6RZ0!2(UhKv1Q|=cY@E*MT zrTFVJ(gL}0=y!O1l>D3Vcjd9zaqo%2$>OQk>BXN!6eH^Onbg_Px%v6#MKBtK&b#Eh zY`@aJ`f=@beSJL-CP@$oR5+06|iB*5Gte0#K*zG2#tr47(*R_c@E%G;!&{+E8$Zc+JkOApb>eL z@q&QkZha4}(KwP*)WI)?kcf_+fsu)en}?V0wwSntq?ELbvWlvjx`w8fv5BdfIVR9@ zbb>p(xVpLf2LuKMhlGa3K8}k|c=9wcGb{U9PHtX)!OODpR~417tEw9s-!(P2w6?YP z_Vo`84t@MIJTW;n{cYy^?A*%g+WN-N&8_X7!=vBFC#QcB|M zaf+>Q9p0$+muCNOipBi5H2arg|JG{`Ai=@H3?2?800S=3rP$F#n1B*f$wi%ZTz118 z)4t30@~`R7jh@CJuYp*vpDD$IU$53bMTCRw8s}8l9wxJq=Olx|4fx9=;o&YAlBRt* zkB9y%zfe4Od*o}-C+s#alLm@KTA6GM>!cQMJ<+hyx95B-`I?pg>)_8b=X>3A9%|6W zu*>-?{A1tmh3d%CrHwy(;fHGolz=*#h51m;yuI;osVD8Rq4b&8yL~eLs#~mW9T%?7 zXy1sMpSuqZG(ql$Mf%7geRMwJ_U0OJL&*DNFR6S`B;Ex9W@hniYK%uQ{4NOQXXAEqo2&nT!Qe!8X#K zpb1}{`Rsi?B^x>Ucs|ul@%DIn$G-BY5iJHjCG}}EjO2NTR=5UY=AwF{BFQ;}yD7T> zG#E8nrXK76VC9q5*Hcy2AWfQ23{uxXWst&j7ju6xEkZ%-8JFg1q181YN|euSj~9^r z9(?xw-0{>KW5w!gz+s6oByoOaX1@vk^-346&qR|6>;d((+sAJq(yCN911?F zR^*-xd=D~8Jeb%KMH`M#i%9*!ow3B9257K0Vc=`PV`j9%|Q9a9DVsEd3xF+&m{pc>{l-$wS zl`qFRSN;e?N}qS1-eo+BZ@(-0b#jcpGsv#d2hGxgtnBH6wp|uPEh9=mCqA=%t3NaD z_%8NEy;`twZGRHJ-x_1_O+7{evQqeo?1#wL<)Tu%wsURd=xT1CehM4GTU0JGb`?Km zHI3XoBedPSZRJvre?&WbJ3EIP?j0f}M;WW6c7i!y8DJ^m-Bh^2xj6-aZlX)wV{Zt*IXK z3ucuUK67-aBk@mH8t8vi=2bbIdS5wBQtS(oQ2{*fPzfIojMNN7=bHJ%_n8k&t(POt zpvJ$0CQn0<xqkeeGv z+L@cwVw5dt#TKq(d#mE;B4tgFa?8EkHK{?22&9M))H%=pXy~dvwEF-9t?5&tey<8t z#Clh%^E-K!Z7{&AO@HQWLu3Qis^Y8r?`Q%)BXWljNe!wxp5xV?lp524in(FPZSDVh4 z9Bj^)j&H5eFaVFAF<)E`p+Zq&t;nuL(6T3rh#Y|-8^i5Z$Z0IXZDS2=nAVnQ<6?j8<}$T`DCdi+8?33w ze|_gOkjVZ`G`RGp)0s-j?oIns(6IlX|p!^+CKh2uYu&HCK#H|?sVJI zM}a#$^4(=#Cuun0J0!Rd>l8tyiM1uzBw|{c1^RXOqpX->BDzuh&<=|!HOE-*sxuD#OdIfri<1BT%5elIG35TqOUB>Yq56^ED6+BRYwC8ugBTFhx&R z9%^~m{O-IKZJ-TF+SfrewDsNz>Yx~n06Au2MDZ8%-W{~t(gfQgo8O`zI5mx`z z$QDQDkY7UxZ;~02bjDf%%lIwN@m3QC5n8e{PrS>==PGX^@)bv)z?R!Fi;yN1?;7Ya zj&iEmhxVOw6@qEetR50CkV`fJrlCAI{@V?0yFR`&P#!{_Tpm^UecgL#ZH(vGqV+E8 zyO^)WxNsFHG({2G-bF8j*3 zndKuV1?-E{Gk=t0z0|z`lPY76+3DG@0=8d*U!Ro6Wh->EIR9XaSil=-_ms> zRifs)HWhsmBOw^h^H<|X;U0Xad7aAeRe~4DH|7y4cHd=5blp1MDBL&0kpc&GWpCH- zmmqcQ=B-yN_vv4vCQkz{YvrJhE7w3881E$SozGJ%=ll$ps-Zj1+N|!MS-=g8D#WiL zwD1RU%&Iu*Q^zEKZS9o#rrM$a@QL%dlzj6VxFW`^S9sy5r}eEge07wRHcGrxoV$$mTZwP!M$C|mquc+eCEpr zK@<7)Ebj%Xr2~0FEuj|CC1sAGZv04gw88i)8#C$}@LBc}%hCQM@TM&1eC?{OBj;#P zo;oNhsmbT@m$#M?X4UpKp#dH4{L}n)Klj%iZByKb$Et=qbGoDSTbI%D7}xxLnH~Uwi*g=X*zMLM*0@&BJ$RaXM<5S>W*Ky6bGG}mA=UIzmIV>p&Wu%q^;et8FhqAm zcX4Y=;%(D@EurA7i`>#kqcq&N|>{h#reMT`lWT-?;4=F+>Fwm9|w1A96Kr#61*C_09_GxW9AYPnSiD; zSDxsi2^T^JCL~=!LrU}{=e)D3KJVI>S^RSSc7#+L;e5Wp>KMmJ9O^wVc01vGvc3bH z9YqRT-u6KWY(8cK&w*Fz`&g+5qDafTDSsp(5{zcIRea{g`d%y2loy$5cjkG*tzQs! zz)I6lJeB*?$h0dW`3oMD%P9gS)@W_vQ7>nenihPkX)r5_+OxGWJC&H@h#8O(kpiSj z%MZdcE(F4vk-2-~*8qqR?Tl2&U*TuAVLr`AxqwnT#jBD`$;oQ$gB+(lIl{d!cYieP zzFx~dz{6@(*vUODy)3wos#d`La-oc(mGk{d8_u*S(8yHfAOf0|TauO9JQx%GximM^ zXL$8B3Ta{&4Q}?11<$^_2A=Xi#Kd5tgHo;Z6eF*<{6$hFx%SK7`pB&wny^L3JS>5a z3H@~#L8oJa;k>Bj*9tPIz?a)#q_+Mnc|RUzcQbArO+L|PM4sb6g1}uzpu(EIFLj50 zakWbi!c!91V5|uvzW)8+f|5aPnm^A(|0Mn%k=nlwRN^ ze0dmVLMYDs5|l5yR;TfSH5-t^?xr4aIAkmqvG}Y$Adssu^wJIy6!D6Q2KmnP_Cx5v zAHi?VF)!tksl@IKmEv%Y%~?O{Sh0Z(gela})q0dJh*b4eJ*hjESBGti4?Qhrs+9zB zdf-V7pUOY%kvy6YDbeYQ7Aa{OIC|UDbDw}?O9PQR*rQEq1Z|WV{|Q4HkJ9RT9fDWX zt3q`V3L5jnn|+60?N8)daxe$8uHW19^KFQO_0Cq$&ScA!5V5MeDdGfs zX+LGAU2JQrG>tByuolQp3WYXO%GbdLzy!y~GUe7h=FiUXzcwDKT(|jK0@}T!zrR}_gzDkT#PCdCEaI_})R;tMlejRp>nmNtFFuoNogqmJ0p#oEc^r@kumVKUrk?HCrNnDGsUP+X^ z(e!;WZ5Qxz(ZH`XgP(+C_0h4yQmH-WWD|+6ogCN&PqA}+w zL3T^*_dm*r@!mKc{?rv!Cvr)d5Ol>kdy0}>C4bt@h&Eiq9F;-)cn?pzpTHObLl0Im z8n5Ci8%e7uh{i` z+KwyAUkOZf`S*qY+-mE1-zGEenj z3s>Eu+uej)9(C>x(mh8G%&&%`lrSMeN_aCoDMUwp?NFZntR#8Ef-9we&W>pM8p!?p z>wXNe>tnjZ+qY6_@c~3i;il2OiC~w7yM=tJYD6E;e69$~4*Rq)zF`v8Jl}9PQu#*1vy;m;?L_D1JB+9&`ckV6E1TvPHR+7=1-qB||TU`HVAn z54P!lr!*auIPNyg?bI;}*61H8U;@P0IN0*i#S-c^m0QWXlD+X-w=mei61khBetX08 zy3i~tr-!jvs@Q-$%bzir@?)O||DN9q!>nWK_cbNCC79hU2{R@AUHZZJeHWA-Ew<9g z%H9)ux6ley(&`=r( zx@V0)Fuj=Osds~-byq>L!(NW2C2qy*6?y|_Mq>9e>s6UD`{~#r^_90IIT6x z3!KPCc3BK_S)f1lN7?4c_#`T@H+4sM(V!gq97Ht59DaPEQGWG4rS77Ne8FP>^zx_b zea~~EM>nfCDhjh3n_W#>RSxN=Tmu-tS;b{ev0Zymv} z{*J;*8Q1BJfl6y{b&SS`Wvs&c=BpM~f!tX+jn6x}%`Qqjj0{ufp<^9LzmdLcfO7BU zVa~H^Yj-9kSZl$Y!L}^fEL+hKf~_glP3AkJ40TfS`I1^<-;vq9!(jEQXc|1jXc;U! zxu6?$7Q+Qn`+CE4m(s*%>BL<>OYjbn^073JFL7d>%_QWvtyT{aYuh45X3qDF#_yet zET=^Wo<-h9-$h-lB@sfV(B=s7=I10^$^#X1KN+5bp8eK(mv=zKcJjxvLNIaUZCeB= z#3*H<{i{{Ct<8Jy(C=EJraLnQ-}FYtUArzv4H3A%Fj-CP(Y-u#^~<+t|FVE<;Bnas z{MkC@=*3bHaeVkG?d6j4*?4hRB)He)8YnScFL|XgfVgBYc@~ltpS{IbS05GDq3{;v zgI)Lhfq$y4ZzU4A2KJ_r`FrySf>ZO0B{a@a9ZQTw=x9gFkM89n))4h^HuVdatHBbY zZm-eU-{E&q!`DYLhZ1@2n(v`!q;}`W)QttNqmv4*ZrHexYecuZSu!9$7V38%c0Aztq@Od!ZCAJZ_@& z60L)T_i5K!S|W%9aqvYS8vwuibqG23sQ~`-v;?%uO7c~qiN|eIHso`|;3FT+P|Kxu z^@)|=B=Ye0CC(Agkv>;sPcTzOJltY3)5iZaWvY|-b;(IPGzHBbfr~8OnXn!b?^0UB zHn#IEaNj!ksaDcIijuawA_OmY_`F5Sp$==%I)@}5Qe=DW$mEz`+b!9_oRT{Yds@%M zYAk2^4SFX6J#^LhgXT2DT1sC@_1HA7fahb^yc;hbT7A0E!$jdG0d^?UZhScjGx7u& zQFoI!(@yWfs%lDLk(P&?bT{O2su;7^_z%h~4$0L{%~d-1^PeV1T{M4oxHtIfthJv> ztg(499h`5KEudNpBebSzobk!N?vkQK!Hfj10rczDxRhxZI&xl~?7K zzb$vsYIzLbi_o$RL4?4fN(&`Bq{@$;S=sEK>?%F;W=P`q+aX#;wORt7Bza+h<*WChO@)|fSPqypJYYJ? z^Vi(u+7Ozitlv!tGeI!IZby=6rw7k%XLxFGY_?mgyFO0#r#{cH%X@GjIq&cqei#Og zw9CAVJdR*fR?jIsBp;9LeoQ0Ix z?Sx-|Q7`r9pv$!7enx?$I&$QMk_v;;91pWM}a5rKb1s7o%yHcSRw? z#r;9|{mR*taM_+6=5=y~lW~WH4NoLB+Rd!2haFe1cJ{Ic4wN;D(MA{F1z)Q-^>YeAo0IiVp;j?DYiZL;T8Zo3aW!aBnn;`*!c70|lRK57e711`fZhjKz5o{lsi5s9lPw+nsL z?I>V3v#7b{57k+_?v>OM?MHxD-WNrjPVAC+PV__gjvDJ~Lwn+T@pdach5Fs2rI+;s zBwviH_UaASbE6tA!Dq$uxX2&9xe}9iGCsa2%V3~|b3kG+ah`LbP4VVy%-RtMA(e)9 zv7&zU!QS;%eBtl4%9;(yG-HW^+wsO=5?Tv!S6}=#FLH+J+}*VpJ`3Ed4G%OIgAI{~ z!K4LUq0(USfl&XU4WkF#r57ZS;S3S zo?ipzuo97|Q}+|!h6P!K{>~6H(tma6slpw!4=Ur80)n+TWtr6vOg``Gh8;R%+*H)` zBX?33yNA5^)>Det{YIibcV5c-%eBYbWUugygw7|SM;2S72NUW0kw`yw@um1L{yH?F zz9*Y_m$RCYy7Wv9~E&ha35^V}^Bx3^6ZmW`n*TDm4Y8v}r?* zMTg>W*rDdgZ%?Db%|qFI%qA8|7%p}B@`}#=8oMIKwjbv$a zbyK)}Vrto~=3)PPL7I8SgDYGkM&#-!u^E$Z$LUsO4Ei8dK%q5{gqY zS`139wO<=9)jbu?SW}*mS1`Q%Jmlkk!-R+F(1rMA8DZ}mn$?4X_G6b>)rz{buAN~8 zCQRU(3Ukkg!O2ma<^!z$np0h0-k`n>L-DsBD|~YkrxU*CC9f=y*Ws%!tu*->_Y_7R z$q+&lehY=OJQ`OEdgkv{Ui@HYWZN84UFR6f z%+-zRl0_KUN>fkPDkj@yg5{Q0T;e*hko-fEcKG33)q3f>+kuGfF!~%4D<@Z^x{TWF z@Zgcwo2SXxTs>R-^PhzoKF<@>H|4zDsMz?XTd@|nz~y|t^}v36yw^0~{uTcx!Fjul z;L6YAsG1A;a5>bBKO-uQyD(o=xtkV0>YzJ6>T`el z4UDYM1wkoe%MznHJ8bGEE;6E4mOfxM2r!|;EOKpSFr!@BruKoG^Gg@D6uyy`Rb9uF zFaCE1Fjkq)Mn9iCn2i`P>|J?_$$Q7x&G=U%a)#>!JmcFPb>;) z<`TCfI^W9`%><~ri#-tgahtzvql6JncUcBoE|Mv8Uj)e{q$dt>yt~y=b z9JQvpp1qd55jJA?V)=J?TFUm3c@vABrWd2agbnkrKd^?7uc=VJ@Tp%iHs+?=mr?l# zCB*0l%cDtMOp~1+%cGP%56azz&oUO1S7;)ZN2X-bmGnxJ&4-;C?wMIz1$Zb`4OMO& zMV!{}8P@7k>YBv1yQD^rl{C3vVtLmEZPUvlnDcuhJ5sa^@`p&;6FUk=piz}6r+@(b z!U4w#VO)Hdq-A`)P%`f08p)`b?Ig7!0qTS;Z|Dt<1um-7x!ED2V}MUP;l6Q-;sZ2$S##mHxjwM6@R5RPW}*m!uXOY>dJ~4{I2_vf_OMP zs(7g-YA>O*gks@`8*&zHi1KBKKg8t9p416^#7+86@$4S9jSwKk$CI07J|f%-J$WdT z+o;*1)`GssZZX1q`t}R!8hz*kb`%_3@h7>RT$HPhMpV1hT#a-$(|<^t`_t2ne1>K{ z4AXz$UFv>L`t#P5Sep#P0ffhIdEJ{)4YKc;cvg)0th*FnZ#%@S_X#ax)vMhJpP3At zzE!ibv$ElaC{YWG3&H>A!!5`M$**(ueMUS&IG6vy%Egm3G+`O-X(46&`JyDX`q}F* z5eK~6ed-0ep=^Pem2+fg0;Rv&vj6Nt*1BFBOosMMuxo4v2eDTVJoo@UuvAk>&TjX^O~G_9x9-`JQ{2ge@R3k) z{t_ls#gH^Pc702;XHdVdyCcuV(!DdrE6EEOH^N5V#OA$i(xK~ikKy^CNRh%X4c87M7n^0^xk_GWTm5K?ktyOzfGs*d8F3SIZrw6|`XxWgv_7R?Bq(zjnWwOkfa z!RO@BK+a#n%cQEShicj_?YTIm4@w3a#XtSV@gYn!6G~kzpXe^D9^*Q`_Dh?SwS*^h zFq0vvdx4Le;c=aFcBUMS&m1sJAp@*>#Y8UVGjcIMV?V9Bojwul7y`yb4LPpC>r<`$ zQiBFRdeNvY~k1@)1Ya`bLshuuj9IX9j3JCj{sW%vN=OXY!dEu z=d4{yr8>sKa3*c2`?x9p-W?m4@~s*Udx%Hmo`*%bZF9dIfaAG$?6*pe0u} zAUZGI`Y1&hCO;2ZZpyg6zY2*2(jvLwLPYr}Tt0uVN&Vbp$UU2hKaJ6XOU7(AK;&BXC;WI$4|BI2Ua)={ zlhAt{mdiN_qzu$>2V&s$)x8DRxHt- zfEpPcSTj4A$0XCvnAagx}E_IGP4I@&LX* zx`vWJtfX~^j$o57p+yW1s6!D;Y59#ar_1>W>5Q0ut*RV|o9F0`{&4AsA&3rw+B4Op zGo7DEjNl;@Ud?x}77airf_AVIwF%vBeJ=o& zsX+Q&ITB4VoRCwAYx4B-GsvX0M2B(;&w80XJ!kQ51yn`7uVyhc4#Ms`f}#&CQe6Yh z6Rj1xR4$uHwKEYW_&u=$#?s}c7@NZ3-bWM(G8-|?{_Wp-R_y5 z>#lhdZYt%Snuh=Aj9$*|@DZeFEznwWCR5)*4PKxoc;YPJhrR~992&G6pxD+_G3bY- ztMC83ki04w`)h`i9j}JJ(#`EYRsrvE7S%S6tRa|I) zYoHsrbx4S}xT}qTK#%-9yR!v7NpB+Wl%1q{yfN=E+EB!@6>jh%rP*H5&j(w; zLd*65=Enab)KFmCR8FP@=p^Vf?8*Z}BxuH^cV56q0?l1ZRYj&Bsd%}OmK*ilGf%ri zlI2H4I4rWd#ENhf>XBA(jVuW3P+a#a9k{DlZ?RRl*a&M4T0E1kFdV2(SxA{r$JT?y zYW9}lYRoe}-OF{{syEMpV^G%QZWvXAGaql|)X~`@B+{uG@Scq|GUFTBz-t=r!Vd=+ zMH&RD?31ML*1sz_J zR$g{=LY&6d^3!8v_1KI!;V0M1?hPG)dJ|jJL86*?OXEuq_XEXXNbr>pifmLzBzrwlkQ1(BuY($s;97<`vgLjL0-86;%PP&_k-YuLOK< z!oRSk*cPgvPH~ND`XP-l#T5)y-e+EwpKFtJo~f#gg+&~8JcoX)im)*}&galKz#998@v$mk2fCc33kDc9!qlw0o&s>_<4 z6ASH|8#gfFG`&xicv$_F4D`C2NLvt+kij(yrQ z&dSo4h;$S&vqsYRMhEsy3ZbY`^f`xtt9$ghxQGY7AR}h`K%)iHV%0*7E)81!>tM^}5IH7fLcJ*NfC98Zm7x^TiO$!e4=M`N#t01S2@6h;p&8C(NUB z7QdX*`r>g)Dd8tM!bD?{lF6=#_azn6>U{_Wc(#LLCjU;eLCRlrK?a}0d4%ER$~NlZ zes^YC>ib{Ij+q~J8`X;O{bm&31yIVnlb28~b{cpJsfiWQmiK1+fd_Ri8xsH`Rq(68 zjVAw~?PTEcwQct@HjS*EKG?>NA0Sf6f2xUzD`MUl5f5f!x$!Rd5`T@_)@aT*N^7=Y zest%tIMds{_V4F#KiIu3ly$6LoapX&z)2_fajK8o=6ppF>L(HvDRsk$5^g}+!#(68593_QA;^4{_W}(WaIsd{lK!Qw)AK`(<0K%5=ujO$OP{oj zIiJAM3(Ntvs;K)h-}0hs*D3UIw~dI2q}nJ74X9MNg>MHB>s}h0N>)NaX9DowIOlr( z>viFk(tu@**%ogr%iLFv-#EC~4CO>JRY(3#G*(cH`Vy4OE;9q?Ah?L1o|i+=o;6%4cxgh zzy&;p%&hYA>!fRS*l?A7PCs-!IVOfI_F)#3Oaq2yXjS;gpq$AFm$JHT=}T_%}{X9hX5+luYWi*zD!b<-V(w z#2_Q+BARDuul4F0TuCR^2M$?cne>z)e2(m2HJbm8^U&V0)YrXpzME=9w%khZeRET+ z>~22K@EO5-$?4;}UlWof2mV0-mo-LzlYN8)tjiR~!7Ra4^VM)qC}jls$LY5wN|ZeZ zdTVc6Oj;ENM$;oi?F)xr`P?saKR^JVu5EvuIU>zd#7pZ5vZ-~=C@+zhG96KvpSx5Z z-rY%1#0`sh+&qEQTN~+uPzK_RL-FUtz6;#xc%O)TqVyzsc>lIzjDbmE^nqohfr1gs zBf&(W7BRdHxWW2xWrmL9<&=*R7n?0Jzezjqg*{k3TpLqP=ZP8KKflU-ilASIL`vT+ z5sRpAr`AG{wbtLy-|==9j!OJw{Z6!7Q0^-Jy~hWheL(}&Kx3JT!qRb!y_7(@-pS2R zp0!m4<5CHgT66$|@e(<@1SlrKB#t1Fz4eRrW==PTGYw+}=sYE(W{JOZseCrY@pxeR zh~;n(BwQbTW;R_quxmpDTa$f#VTAsTGo5z~s8bAs(xE7SC4@-xe35%s_k&60;_7Q_ z@{~O}ub=pVP%uGYM9{}Rn^b6xuJP3Fr~up5xr`GfH;ul#oY4rZba*#cAnU>!UCIw- zK&ELihXUD6WeZkYo5_z3yu2S78$F!0c4zP=eG)SH@t`!q;7E=^RbbtGns?ej>*g7@ z&90jpb;W=vfs0?NnGvY!rL;gY&IkhC_OTr~931^{jU<2E=S&{hHaH!;7MZ1w&H>q! zr`#5JfYKVD){Kp(rPGOja~-nXjN%zz$=2!`9Xi!%mwdQ+#XgNmN+6f@DOLvify^>; zZeH&t`c7lW9>AfI<&DTTnbne&1_haErIuFXASU*9g5%Tl2;$>0f+xQby3pja0Tz{%Z zGHDKwHGeMUa3ypw9J)FZ3~39hstkM8=SaqMvCW{68;UOY1q{N41Vq+KUL8qj#(#>h zO}ECl7BAP@)R#)u)|^tKsCX{EPjZY2gJ(D{>?a5sTi1z|p0q<7B``gsa!(f>$P^!E zyGHP?)CpBT{xH4QZ1{b>9Btn_L-J7h{;qD*tf_sV>i*)Q(){wkv#YJoKRSsQ63#*C z=gq6k6LA(O87~;i%Zb>8d07Z1SpT zMi9bs4b$Z5ER5zR7WtG>i2HUy(dG8`Bin)JMUfnKQe~WQ|B#tf7T5N9e# z>Yz1xJHWH`*Jh86TZf!R%yuc-)%C|IEEbz3W9eJWb-!`Ck3X1^9st>w9bk>H9)YN9 zU=u-P#5u#fFTMIAi$cO?lJtnom`w^Zzi?f;>yNKWz{?Qda>^cqBE59Yje#A-*-lOM z%t{rApP5}RSGnsk2cKucPfNQS&SH(Fik#&nKzR%L&FWv!gggYcQfW$#=sVb66T0z2 zzU-pQg{?%L?VCugQ^ge+iu6pS5|n1oAwSThZ>2sq*ofGrpgIYR(zaOa0_voT{G$Ys2@ca5 zohQC}eWr{_QlYmGTqER%*~35HQt{~^kh?8GX#z@jKNu8WS?KjO)}eNsE8ofswMGb5s3+*a&iBK1@Na?J$2N|q~3)$I&Uj}x>qvL$TLo-5Z(9jP%k`_T3R}o zJOha65GP^Ov7HqmRKHQ=pNfTYo)_~Ed79)d^N7(fSj!8PuL)<)o+TZ%{l=-fXFO#q)l>Gae*_r$7U4tqd@cejGEVx+4F_M{ktmvSWXTZ>(zrvw!*o*;S zpAh*QhZe9>48v)oUcG@yf{2k9cN$pklTthw@uAlbMl+sF6gX)_kh zRysrvRI*QdC;50EI)hCvYEEgP+^J61+-^Q@{-|sJ>`N5o!|poZAP8Z!OY9Nvc}q@b7ovGi<>gjAW;A3kFf|{l@u$Dv$iK z9+4GrYILN68eZ3uZE9+3@QBPRrsad=JV4K^zl=&;& zBzx$A2FnBAE?}ZU4iN&=HL%C25!c@CQ>!|=KiPj%%5f|uZ}06-!Kr>^@@N3rTEof_>#$ro)U&*!8=3$qPh=d4?HSu6C*Mx#0tKP{`7NJjy(p$y`mBt+K+%mdiDB$>6lpZUl%dH^{1i1-p5Y-ZV7!Tg+6P*T)iM| zE}6*AFzK?6CZAM5k|9K-=q8uR89edB*n#a&IkEV>dCVTxbbP1<&r(hAz-AX8QgqWO@ns}IE@WyMAdNub42 zM*73zpJ(nzqWv|y3R)ULx!~M{joCgsCM=ftU<(}eIdK5gh#dyPu#|K+E`in7fDl)E z)(zCaHGlqnCBo1P5O2U~=0W*q->5G5+mYJeIF+Mj&gK0A+!IGwCYr44%iSFduK6rd zz4XE2g|nNF(tbBQz-6rHN2R|ikP>d&6DJ{IqSBGscVSwvnXn$b%Wa@GBlb$-Jhed8#&YWSi&-e%v`Tj&7tC8z5xt)qOHX`eVoDaPimH4*egI_n#{XYeWCOa(V z#))hk#W9?q-Z&pVL7Tu<3KmfUUPUAMMsh_Cqo#@kEsEQUKo_O&cl;%iA6=YIw^l?d>afsSSnG(?$2aT;TN=9yFV=f{$v& zH}!2J7(#zka%p>(_1bgT2FU0QdA%BtMz|gMDjrh8EftU~aF3VB$QuCi$=vu`q~+QT zIklltXN6UZqk-6K>ra~-Qb6~gO5LFFAQ#n)iJ>~~Z%(}hZr$Ul?AQF(*4DKLN#k0* zKi_NbzH?O&-Ec5%T)sY$O~;OaVqjk;2a00<;x#<|kp4z+h^oBOU>7{kL?&xdI$6IT zj@{8iqH}@e3%x!nsfX2;zMnZ0>C=7QCb<@?pqCX;zsau*UdRU0Rw3+9=ipiL=hzyP1-eF>5He`~<&Co^TAAM1!SJ=Qz^u!=&v~A2 zaEc%QB5l=op1*FQ^L12@=B}7#FK4nZZveTQ_!Y1Ph)owP?Hi$FdDuUca*Y~SsU7;A z0~M#u9spL>m}go$z{D==NG(wLzF|zq$xfzsq?L)8kM*}NUKDR{!7-8#& zOEUpmies0wauL@}TS{Y7jWjI}U1yj1(ZD6J8+k$?;U8Ww_LYP8xGMid0NM>Wb=NHW zLpgX>$1^`-ZoE{3@3#17kBj|s)Sm0#_-qb_ARjO^lVLTSqF!YV7$c)GZmvt)ZQA3H z%09*6m&-xu*(b#z^kmaQHksr9AvTH1cHSg zxb?juLLJAP1_GTwhQHBKx=@OxuU-`zCC-vt2uTgw-$(LqPRxKMgs0z~OXcty?)Td)T<8 z-(#s8)bZ-A#fXSGQ$eOt>VaH8C{dc-;0>LJ73; zSuju>V28#w8y#JvnTbg((aegC(^)#BC1oeF?s z8(xXmU+Ja$%*Rxhu_dbzB*W!F>pB?8iv>8#bAUC-K@EJ&ES#D0Tp(=9(0QsxEXvaP z)~QYdG+5=KQ9UnTO7M%8{$OGfD%!qf>s$)B8MRe?o%Dm!h>P@k?TIl5HGwtNcHPW^ zz4w0Y{%1NWe4y1>@SNUS7znShE*V4gr$o$IJ3g;D$ujWoGha9`wbAuIYN}b8X{tIo2kBpg+(yb#VO{ zDLURm_c3A3=b&qSIov-5yw4tfKCff}IPa7=vZVQqW2N_`(-#pQc_Yi6#tyh7C_Z%y zy_wanF%a<@qC8c_#N|Xr{Kl~vL5jJqF}zs+&J5Q9MMKFw1`HRG>j$sFW(~X8GI!s8 zL{-qbF6sRJB#rXzgDcosG%RnH{NO53WCQArCX1fO+#SOHw(Lo2pGeTkimJmb`J&2l zoTQ}K#t8FCm4sW<#}q7->_h-R`@`~W$|(FTz!-cLG1P;7%v~+vH_#{8d5AGx==>h3 zfSk_@?i$}pt-I2$l11DFEW$h0F&)^HIf+m?)bxT2%aB$<_4+ym{>ca|?O^8E4=jng z!vK0OP#&)RbDHkBGa<%Qs4>HI1HGRkdGp42?&kmn1?T<74_j|Ib)t*2d_y!*@`=-V zCiZk^T>VlYzSr8o6O&`FS{0*p2Yq=55$$xW_?10gpa%vwQpYmT69N^tfYV^O+MPCo zGDG>zKAEq11<3drvW)1h*I$C5!7K6Wd61Wcs~n8hXRuXzG0!j8BD%>}JrX<_(%z(l zm-WY&LIp_dv>?FNIX}4XWhSZLUH=4uj-oV zyJoj$RI}->a=Dq0@Y^ZN;K&Ze6B(nP0t|5%_Ci!h*s3d2AUl#2etZ!K2ZvK`zykpf z+q7)m*ug*qjavT2Jd@(Lc#b6T(Ak41>!2^qOR~igfe%+vS^VWM={0q>4F?KSSBEH$ z`wQGPoH=-uPwY+RUlLsv`PZp&_d8E-qgfW9SSnRVjUIEoDa;;0k0C0+{^!St?cV(# zY!8dW+W;jZ@rf>r>$={FZP*c>$EOYe?>38(Zb-|h%x-?O(=_q3NCws}qUOaNbSe#& z3bSOesx@rYAKwrijN-$7P9Q+o5ojwAwnUBuRHCHD3lXj#+Wd-p)0%W8i(*w-RlQ1- z-;67AY7u7?2HwTPF?h(-;2>N>QKVefW>qmh`_*HzNUecG&0)7(WC7WF@fO*EE#acG zr5O<*{c5V|maQ0u=~3=OGa2`!XYoHwXw%V2JXZlSgR7}q=hf9dZYz%J1&}x)_O={uJV2F^rc~^(D6;4+G8#lnqc;?aZIIoLL>HR`y)F7OI`b z&>%f7!jZJ=$Fr@y_o8?M^;TOyexh8^ROd@cISZWS*TKL{Ta8(dw=fw!0;JD?GHd8D2k&8oi zn|fVu>ALn7qk--d!ZxdCsRO;?R?PP>d*2fM^R%{Vqr>pduY(oA;rp5mT@(&1EFMQ3)|N-}126nJoxG=Z|iEYt^RJilK-LF3;FKNac>sw{t?V&x? zFBA7uAU_-u@8Q41E}-+Jb!TPbysEZ^o<|n~*oXfFh>LP;n#6Em76J7Mp6#*Hy%h#61ixE`}O9jI5*18%vXVlpXT$FvytC%mCML9X9} zqXa%W`mr%Xl>nXFQ9WKc4AJE#PS6XON|s@K`d3G)IP>z|Unbb36iEMBXB3(javPSN zCo!HbYywV1wpnvZ^~`3_ksmnUaQPkulw)5Ec2UNg_>7Z>bwIK?PVSeA^&?C$Js-++ zlLdWf8EE{jqmgdrv3D&}Dxi zIyDP4)RccJJ5Ol#P_tg*>%sCyU>6+kLIxSS0twBfo04|MPXCZ!K;d1(#sq?`xb@#S zILO6*ScEniH1KiZ6P?9|+C&`fxMEsBwXLyO_qPS(@^?Z8qcJyR_mfN$7VZ6{u5%ll zMA_ZjCFA@Iw+nV)wbX~C>x%l&2iO;iCr!9o?Q8OKjXBo&=t%;)IDC%w&V_O2>CStz z2mQZs8n$%`Va=4}y(g%T@x%`>+#{QLyD(DF$_LPWsF1@{ChV|$T_6%l1wRww9fF^( z_=Fyw%^V53KUhO`CJV0IDjt%Vl7A!;FPC_%A#mP-$#XEma@ zavtbhcb2sp*+m|SjhralBCI$>Z&gZ$ylajvf8O3-CoI6?!_#3xcO|xrDBhnc50u#3 z3%)FUA(ZE>{=pWZprF;o)j@%Kg>5wu*dp84A#;5f`F})1_N- zS|*uF@9uKgZsb}Hcz~6oxp?@v>dxkwJ7f1EWo(bGNzJ-jzmfoQ=&auzFWl6!G9mJE zn0i};kV&vcie5^R$DVP{Z5DkpRV4n=$JUe+3Gcdp1|fXXGapr=^P$#5c}epU#12eM zAJ1hHUga{WDuN)zS~Xos0xi*X*bb5?uP5`|167Bmr^dyUR1ldc1&eO5$-K?soP?@=bawaGwbjOTCJr)rT>y3O@`4aqvreDz(Ubum z-wr=DYO`@{J&u?=wU6QAV7-zurP!|eG0l;jInY2v^YLUdI_Y2xl<}bWZn={2`XOj# z2{My=Yp#|X9rVBkit5kGWM`$lvQYv*hG~ptIDF*Ml_aZ7-8^+8un(X*MQp!Ib0XBa(qz8j{EXwK-@|iEITAfZ`ODcVARG@M19B=)$8|s#^Ph=&7b=9Ue_@x!gOM_a>*a&~^&m|tGe%!-l?;ARHQT2!qY~mI zosjPY@%klEpO0TMpJ8=!2)&E!f(VF)dX9uvsa5kBvVgTBWqqpOgQt~)mRT{hrzIgx z4Gjh%Id&7m+cZ{>>5-Od2ymF!M-fsUy_)FDH?W4F(S`Yeko81zFY9-5XCjx|U(Nnn zHaYQ5AFL@RV2Isrp8D z^$8@CwAOVIRpS;Ys2;5z6wSqvY93B3RZUb-DuT=|qLCj^>u1jBe3qSJQ8l}SH0yf1 zqq}7FMdWAbWdeHnLb2%-694n*Nw0S87?10z?V@#tlc4Z1pUovGAJZVIPL53P#1OQk zuL;C^l?REvf-lx*=9ZV33_K8j9IldPBTe?4a=uGA`?O4}&Vf90(0jUzqNQ26UqEO! zAELw1grW~Y$ja!cA?I)Ok@K%}JNwqBdx?kCyY!Mv&5&t^X&+`6n1Wk}GY%|AUM8Y* zlHToEU#T+4sK-AwUS9JbL^$0rNHa=u3wWHDwZD9aeNM6#=+b($>GWFLWz*i)($>^N zi@vWt&npN=yRam<H}Rcta6oo>dL{!#capiA$;#VLuM z`HP@8=_&~(U!m&pf+G*RXu_JJHGkuLx5`5C2Od+t^*WI(b*aE?VgK~c0f~X5b2z%} z#2l!pX>LA+qlQ66z6J+}FYaT@du-USc+Jlcj(7;Rc5TOALW<}rbU%*#K8g$Iw##bo26B=k8&-6RVA|8>Of?NfaGGvF1BlZy$K(4 z8PPQWO9-WX3r7#^uD&RkEv+WC8o~eBAnU**@lu~EsNy}@0o99=-EEr;Q*!YR72+tp zn49sP@ttXuY$TO=aF>m~?TeNckpHQvZOD#U{V|Fnad$x%0UoM|1 z%2OX=krsg_Viz-l#D2q1nDX2OhqWPm;`t8q)xDK0BSQ|ZAOfT-&TKquPlu{Ti(Pw$ zFpBLA=~u-_P>1jt7|A|zIDg}?M>PiOP=bo>m8?g&RWCK2(0bl3WU^` zyo=7P>lg>=zN|XtSuS2tpTnab%&H5|4~u8j_=VkL8H!~`ufeUq7MZW0x%&((Tpy3W zQ^{9T|IG4sR_1C5#~xcbrvUQ4gSbn z=bC_`XH7RW$(uZoW3#P$VWokY2vS^4#18l%R@aB0i(XU|lT--GoqfUoE0`chFvJ-* zQpmw|jspi61%}d48Y+NPTBCQRvCF?RsEjZ=qQ3LRtJ`+?`$pD#LiSpSLN0q)$%I~P zvifMb5cgT0X>93`-MISb&anE0JMwttcus3&DGCwUA?DWJSZ-J83z@LE(kA_Yw+q_y-!d(*-sg+*1`tt zj-_bw4A{ytEOJR06b!o$a4@5{bKgxs#H`65wH6sD-(mkDZMx%Eg zZxUtzG*cwXnH298!)|e*awc1wB9kM+G|;!~HDmV|6^r1{&TY4kLosy7`M%_jZ9=P8 z+izB@47|I+deT6~pc1?#=sn=DBp}#@1wkFf&oUvRz4fU4Cd*^5c{2-L5bKRsiR175 z_cm}AzQwD3A#HYrzFA$OO==3#>rAtXqthe+Nu1N;d%z#EBv3w%$UwQEcYXP9$|cFa zTp68OK4-uxTc4ohYT3?$%v9Uue$mo#07CFV>l3&?9YDB1{#{mdK?k)a?$TtE({G$* z{7jth6K%|EIUQXy9~CndX~GW#*X5C?F&xb#1*D8e7|@0%j09W738#kL z$GY1D8euCUpMX=ctjM8~S!MP{_|z_+=V$Pv)OW^pc`R&}`nWqC5prl^zW&;ZTrwKT zr{R~ilh^IbLv_$pB5l2v3g8F3YuV)0L-uL8U!JW2JoG%CO|`Z4;g->N5?>VBMdRq` z;1FO99SHnwdZMxF@BkSh%?TqLaPf%5Sp>V~H4)CjIPiX;`ee<80Pfyr89F0{IQ2Co z1@7oBbL~h^S_ycUTTxLP6y+H>3jFl2YD0(=)rqjCvlwp&Lp zN*fFQUHNwh3-XKpxBL0aoaNu2ApWm6^T)sC-ybd}`0QU#_+#Mm?@#z|hyQJ- z^T(6s|ND6g{rBttaeVpv`v0_WdG=3(8a1rbj)2@Bi)WWV{xt%xtiA0mt^asA{9m1) zbJBdYwPvXzN7}{Oe?55ei0zEd|L&tPsn?YF8c|BYZ*N6}v3tKFP@uTarE8`A9ak~( ziKRRRap(t&>ANTQ-u8BAyprEsjCH(wTq$z8l!@*$Sf1T(nx3^i4w`Pkd5ijh-|4B3 z8!VisPjR&0Vf^6XVE5%MntQlp`nca$ZEWxrk*{t|pxR|JGD=?e)?FO&2V1qy^TOV; zdrbWXB|Z^*$$A@yNPbdO8puw)c`HS$u7~#7Z~TF?RIX?xb`}w7HYTTuIpF;`n~G-H67IQnL7ZfBLii=FShBYeb#a zmBmw@lrGiPkG^k4&gx0x1*wA}u4(ePYzEF5c8Q0T42OpXQ(Jadu-RoMpcY!@hyRTZ zg8g75S1vZ!VA<)QLZF=r=YrKRixC^@ba3jOZ$IB$tx!LHgmXfGQ@@mb$`s*bn$*2U z!a*E!aNy*D3wGq^*%7+|e{dauMMzv`3?AL+N`0jUgs>=43R%lcJH@f$f=m)gTt}+qgk?_nPvwh7>Y#i;f`bO@F z*470{f|Wa4J}+&-a+p)ctp}e7J--kMhwuyD;(bTT5G?c_Z|MFT?(?JhZp=Eh5-^!e^c+$1pF$ul? zLip>E@NG11P}u#?x5mv$XK)&WXRDt_-2B|{x!=noP0|vV3H`FqEjfnj?XQBAg9H?lh0;&c*ZV7z%M%?__tOK| z)KjL@ebUYN!5n6fLCTn~sBgD4I-YlEg%nil<|(Y!cgln-$!F%LT70y~w1~0@T@&fi zU~5YXNosnaUiy5udW@~;G2M&tBEPY3^{VxfbJlZ$jEZ7~H{;2>J!i~2?Pqtb*{qE= zIX4+L={D;IG;enbzC#LW(iX)g$F{~MoCkF1Z(i$d&8f46a^UU9o{2c|wrwMoTI zO(=V#<2p$(nN#LmramF)!0uq~FzawL$zL8fQas|5JCb82{CfixxmVp1<^S#4;k;{4 zW-pm8lMYIU<;&8g3-^l9X1ZkdXKrS03-{IA84@?(8*UnIH<${hW*q(0wqdJ_k;tp8 zIxOZJl`UK>m#MTYsnfSDP^%k$Xp+QlBqrBn+@$66LS02bU%(8aahxZs0j>lW!W3af zpn>nd9?iXrk<02R$&1c|ndh1ptXi^^C6|Ix&y}O;e7iVN<(cf-($W_P_ z6=V8Rij%kLMu<&6rbF}+^&m}2mlnqk$HlUevQe^evJau&(DEPwq&fN)+WUI(bQ->W zJ$<8&FOFYvcZaADUjbj2P?q@F-3J6-_+1^i9jzaj1;)%+jVGvXy+FP64wt?wLSjOB z?LouOD_p^T;P*|(7wGGQ&u1b3>ScH9>x3U;KNMr)s8pzY6#5l=)5)!oH%Z&QJlk;y6QngN5kEbwHf;1&dbdfGrBam= zrPBH>b-9KWuUfN{kd4xmPbmdlLZzdnL-t|y$olaYZ06C`JSIXi99V21Tp;+eWx#&& zNatbx^U=gNoE`=?t)JsDZ_Z!GvSzV`8W7hx)Gpa7T7w5Pe%{|Y+sNE-8D#7~?Y{wv z*ogRe*+RWB5vUH4BS*5z@Tn@}`DQgAla7|vbLf78^CRciv+zNM!8mLBWtZrs35_or z)zEi#b;n!1FPdLythVzF8<9EnI8izsF51*pI?Sg(F&#a(7+i~9Q)gR9+Fv#Z(z{yx zc@cKlUUX4(lYnVw#$JAUo`$Qj5f@hT9}GzEEKg5coVR^8$6!F zILycg$od_47JHGASvO#-GLkqUqkx)NhRCR8?0k4Thvc zOcBlQrSt7KD4q0j+bRhYsi2&o_QMEt+!Rx5ZkpKv(0;e!*tvc8eH}V&y)qt35VU=5 zawD*G(Gs*7|2u~sFXs035kEBGx9Nh+ZqO2Xl(3ZC6!6nu9BqfTJXp`?AX4YfEdx}d zCy~=OrR`@2U#8!U)P1x~i1_wW;CJd3M7@h(q;!NwpQ7X96D$I<-^fbvoaRN{K-!guNH~$kc{FR3ONll-LK7IB#VE7v^U~L+) zMtU#IJ*=%BJ^P1ip~>IJJo{IS@Xwr9=$|f!{|`BBxX!Zcyf%ewl&fYT72uJ+Vq|m= zL`Tc0nVzn)_qI}U(V;R`(e4a4>xQIQR4F~-{BC2JdO(QSZ4~bFSv>OB(vL}RTLjEr ze6Ls1isUX+dL6LSP5zkukU(d()!TwYtK0bedQf6nVq0q4bpDl$nSDbht z*3{%;s+3&S=&`y96}*Y^T{XVM!J!BI9h8^D`>Tx6cLom=k1%Q%EHM9=h0&-d>fc=` z8G~q%BpN>_92-?AV1zeF`=;9qrws6MQT$uwx6*^MANY>;amc7W2HcJR#l25id8h5R zblZ%LK$E!{9?g&BRUH@lmM1oeb(Klx?jx%L32seKf0OfPd7T}YgzDd97d2acBad3* zxzL720j3+y7~m?^W{_qja}WVC;d(6amM^o$S!q&`=hC*KnOP;p((NUJfYJBG#Hu$A zUQYuUXlh2!+4evGU=g48vVBljNF98vi>#lq+(|6?p=G~fzS5x_RF+|u>886Cwm4X4 znDO%#OM(@wcxWS-Fc?r@*;Ya@G$tt~luvb{qUY#RRVp`Em1&?sjDD6OWt#AV%eghR zGlhAOti?Nzc92TBcXXE>RB7XHdw*_*pf#6z?h|-%?7;Ijjo%EQO;TX%Hp9Hhgr-Gf z!FR=-SFc#qsQ4@Sx-{w9`>26mLm1cYPBP_gY(ERBW^|1#|i+&Ob>wRIdwbbo= z`5Hx1eUSIC{u+IN)+{cH*`n@1klyxTVYS#y*1;W>4#^HO0wQ;3NlNbVAkOpCHgzv; zDoM4sC#dH^oF6rYXOHQwhY~Omnbj&hXDsT!o(dZsK72&@(9TP2Ot#q35pX~zJ#f1f zIeZ9pbo4~IoyIN3IQNNGyYx18B4;2qd?;tlTT<`*qto&R;NG2geOVY~jB&@=NcUY= z41UdN&eaqY?OlcZVqxz9{E+=Q*1YvyE*=7PDX66qUqfP849l;_TT51CU8`PUAs5VrsG<`Ki zvl&xz@kTrR;O@l`37WB;#*?VdLA4=(4}ni3OwNY&O`Go3?g=aRq%xQXCx6ux{n0yf z#!~EUoV}SA?JJoZ&G9beV4ciZ)wH!$| zUHLO2&#YfVCcxXvWcfh*z=3biOePg0DTjn9M>aV{eZIAK#uTtZ zL!ZR&$SvJK<-He4oR5rNMgH!T+Sj!+DtQ=mc<&rWHx~g{3)~XQk0Cs7X>8ASs5VrmU#s34v{{zMU1I7OX#s34v z{{zMU1I7OX#s34v|NlbqztYhE6N*0*{b#=VuSxA+Nv!6h|4M5AwSVo@zEuth!Iuqm!RWR=;%r8s~7wMNUJ$y>PbaIl8n!Q*BQ zWmPqle0=QS0kn0%`1n+L#8g2Bfc2rx&xU5wbQbjsEYr>3m>cgc;9QQi3AtkQwXLU{ zUQVih<&K2X^)_~xc}eM<|1b95JF3a1>l+mW5m1mKMXCj90@8a?6a=J5??rm=gpQzq zbm_fG6KMic1B52M_a2I&69_dxASVg;^SQ_@pY(c3Si?bM{#sF(z%beW9{z=9cWvYjKV96ixqj@A=)Q&c{BGW&E`yA zl;HP|$;=hndOaO{`Tma=(b&p8MD&^+^@aso_fqZqN^4q?@7j_HiuW4{Z`1l4-yV_g zwgZz4`B~c%Mq_nY*bu&Ms9+1_QGPmiv@JC&{n!2=Wi?WEzL7rA&oPvO{qums4<|DR zDsw_ss;6n*&p&rJTkjO_-g#^-KG$Vpju#qbZ)d>ALB)T}0j_$=xLy0nsJ3a?W1306*V=9Lp(Zvel4eNK7~%_hUUegBiE>eDkp z2lfU*>_R14>p)(y52Fo2qJs9_YH*iuWVS&nv!!Kz@6b|8K-waJOZngo8jTEa9-{n= zjQIoI?R;N3)ACOuNN-MG~HM|`iLG?ND;k#+=9qul# zAh(rlsDF1HPmtEm;Yta0Jq&a?Nn%T8?Fb_w>Gx^p{2|ewU>9^=k}L@(&B^sgZQ^tkiM=* zZ84vf-H?euc+o!Rg7V80hl>K}B3J5GK-|mvQ21)mf_}q?0N9S6e&1$gq+shW0|j#4?n3k%m5hZF;` zt~HsfFKS)CQCKttGPtK<`Bz@TS8-GsZ)w~)EpEM{iZZb7F5fX`vcpFfk<6VbMU60J z%-PGEmC;%VedST3?V)Y$FU|Xm@FFl{c-L<;wfxb3w(`_yj4q&C4rg=_x{i}>HwXo} z*=O*yNxe$C)s^9POFT@}ZP$xn3oFZYXJa!{;ZZ9V^I)qoy!Q|E{vs9?7PDFagqb^- z{B0G>7J=b=62?WGgm60Rcu%j6@L-11VJRB#1@ebu%80KYeX!p4>XGLky1NT!@^yzO zJ~u4@m{l|~;gyucA`z`;3$Rbf}1AHuc=+7tm zDW;@Boao7y@D9p}1=b#?Lw~I_y%W{)Ax3}_amCnbzMYB88`1C}3Wx&H+V_^27coC1 z4;AA7xGWGA>+*A4=YGtrVMG`|z%`j%`I%|Nt^3jf1T*}&)}Rwi*)9Der+xg045!$Z zmGO-b?JTdQnekFM5?l~xeljSnvo)7qlOmFx12$(!qyPxl$ zYb0nT&|Ez%D+tWVQ-8(wrLKK@QOO?`9k ztO4g&mXmsHt- z?I{X|RhqE>+@YHMecU@UAfL@AQ!xD6#9JCx6M&^)@So08ca!) zz*B#`QJ{>ioY?qUKHE@ay&$ht7jR)%!T*mvsrz{ z$C$?*H7^EC*s88+vHtuir5z$kmIz(4C{PaJWB22kV)3I;y>P?sVbaIRR=@ZwYk@-b zieXHYh^RltKZQykzuT&&v#A%Ec3MLp%mtE0Nh$d48w1Tp{JR047VPdZ5vl0?Xh{3!IQ@x*ps0z1Nx=2j(SjBSUv|85 z+`*g2@ZJyV-|O6JyO>E&tWFK@9EbTt<9+xsO5*jVasW_Vm({D}?-W1|1oif)fdu_D zE8{sxZevkicPP^u z)Qsd9MrW~g_N{i=cp%do9r_&sJQEC+Txrwpe**g}$9r_^zPIPZ71L^ls{E4k%!iIk z)PN*!jq~Cq62(Ut{wNT*8!hSg_r!d4_+HFYHd$U9;(Qm2dFH388b^%+mWN{0L1M`B z)zfJB{VOE1tMkeA`V^AqT7LJq>vnQ$Ly)iYAyblw4^I$nc;rf#)>AeQ-S6@pYy7NT z_p&Te&tRfhaS}ao7NY%{vmq0#{pUizYAvmGRL^nEl*Emw&Qdd>;ns02U4L;%THy3O zEl`_wuIWK8g6d)`tt#sd9Pq;*SZuOMcjjy%_~N-KaV>jWkc?^8Mup?B5eS4lI2>Cr z{3HwIE>}F4b)^y#P|h;YIqJASm+k+i?!pq4VGv>(q4tAogl|JFk(o6EOnEd@4%IdVy#JtfJ+uOsN*E~-s~ zn6+G;>ID!*+VTZD(GEM~{TM0VG*i%>U66a9^L@*-Jz%NnYb)7q)G}LVj9Q7GRr%%5 z!hY+;MDdrYx5IAbXLkMwejz|wVzy`dOyC`F;^q^@M`7**{Bka?&TCSPDMVNO^xI;0 zgqC%??K^{m!sfqvDe}3AjBqB&uoE_ZrJ>H#Zj_Pvg=&xRe$>xt{j`=mDKK|}bW1e( z;onCYYudW$-qyh$Q!=G)%MR~}3gRC}=i{$Ews|50dQ4g&M^;&W|4Tubb~pK&d#u~$ zq5F?-kDeY2#g*&P7Uzf6|6u=J(5={6SR}JXADUi>b)S!^{j2$Vm>!Ls?RbR) zx5E>qyPMcs6oUp2b)Wd{aQ+Drd1$Iqybwt3k;@qH|S0--l zdPI3->n?be7AA}PQZg{l@}Uwuk@vCMCT{Un`a=5Bko23 zs{_kih)~*`qmywQ#YY{mDg2Z3@7f1?Zh~jk6ss1BR9CwMG7MSwX&JOV5YB#%Sq6Da zF+;=YdSG_n0B6_x&D4y|Eu3vmfiUwLPjxb#r=5(d-q@rs_NG9h_nQ+$t{9)oE>aQf{(6B%V7g9?x1co%BV8A)kpR{sy` z;r)vBa^1jX!CUliyzl&IuiXz|9$TwC7a5C>`v^V}a)P?`o_mRO5lWi$B z#E+w4+zJAB83J0Qp5L?FKk-^#QKR?T67o_mjoh`*-5+p@hZHf=T=2rCXd7FWp&4;p z^3R3dChSJM@s&6*`!TuF>ZqrlpLE`$SoBg_T2GIrGgqKgQZ6%$MgLc zai*!1s$uR@`t*vY9jvS=k_rtxjtgqDQZ3g$MPE1Wg0+@>Ile;x z`Kd}Q-ML0{v`u<{;+N%%qIZAjrd>S$rX-b+B%c0YVbF3trdWDJeNGGLHmzoSdZr6CExUtirt2=@K7LI{dbaMIYW+ugg zC-uy8;oU8T|ttb23;^ zxmTPnqA%VEKaoiN=%uv#9UhV&Qr_v_NE)#vj~!HJ-YWr1eDl>`t&PW znaN?&TJVq8RLalVY+=ySTPe4bPR!_DE&q|zX6d1qv3Ja?b7( zNbKl?w$wM&(%5gieJ${%MfmR(pguMJ%zvtwj9EasD7xQ5g&<5y&4XmW&(*u$^v1QIi2t$2_M3YaV0w4z^aHhTw4>c2>{DyJWqQu>Q!ZOt2^P` zA=QldKZ5YAl1dfJ-i{UJnWlX@oPBF7wm%Nr8qvv)mJW`1mNW1I`0m#^8E%?EKFRf) zKnqGQvm}Fiej-&(t97SjxN};0de2A_Br?Bz${@O}C=C3HBdBJVWH6Ad7Fo6XB;EG> zbztp4r>9l=&=dNMzB8+lGyE@g1ATnJp3c1IbOz!!_r|#2^4ofJn1s80@QNo|>z;iZ z@TQKvt-S1=qPYjr6-}+mi`ZW-#YUx%n@UZR|b()#>*czyc;Jm8bCd5^i z{7x%NK^<}qb^it0=_|sk_V_>qi%8SrC?^n*9oTsh1?XWCrT4aIZT3<$;K53royb;F z+08%8Hg25RQ{8x%`NBP}XAZ_|wzNF$RQ-kK)hfyDQFc`kJp;a(_x^7TBn+U<3Eyz> zyvP;FiCBq8YCcvHqpE>Eg&z!6E{%mwejcFEbR>iEk4qcLsLeEnzt?QHLWaDakn^wm z11+mh5h*ca6UpWm!o7T&uPNg4Lac_K{}Go(;CO87#`#-ie@N)+%9)0W5zV+}Pelg7 zp2lmsMACvEoB-L11RQ0tRh=ofyuYer+qPl;4evT1F}sBv(m(SXWe_nK84rHQp2+R> zW}|e*eMoV!mNSo$62B=5^n;WL{w9Kuda6>ZwqPVUOi4Qr;7V?q>hdkwg$mINip#se zZ;E`)&5-dB2p#v7oB7t9l0EskN&nC7X%G1Lf?%DUrz23;@*Qw{Ed||Z?o5qyye$~_zNi=x5%|v0{t?%%(_G7|a8Gr4 z0jOg~w?#We47ONLN8^0UTlgytqcEGr`tCh3F(PQL*Vic*UpXcH&rvjpXV2+FJ-tn$fDK{)*RrSPMDotWbTBp}HZ4*2P zlMXp1_&>|%MnA?$t{i$|i^WA5_B4~-w1=vmbND>7Yr@RW#uvZZK_z%M_DgKt{CZ~A z#WO*lzVX>`v!l_yS-8V65{olMIqCm!MEjpAX+8lV?*AOo^8W9o*(xTMsIq4j6Bly_ zH&iV&X46X5+||+D#njxDkr%!Hh1$lFc64w<5uh5-dtImoMRPN2lh=-(1bXPA6Cpkx zMt)&_ga1*~jk)tbC%q~zj;3nnZj7j1G?h0psH$yqPd8L?i#@7uRG~HIuk=5EvNm(GViXYIX5@NjZf$Ah#>men zjM6E}ZZ1xacBtZZ0yh_T6vF?|Eg$+c9wj`Q2qiCeLbU@J(2>rj<+FY28*O*RZHs0#3W@t3p3+PZ@EHAg2fB50atK7Sj z%elaQ0c_SelGoCq<}VTzk~BEI;_L$}IUX>YQQz0T%lE16S$-ThE_Pfh`R8X^C3|;8 zpUHxL=WY7AejFQoKQ%Pq9=b1cr|~SKdT8!a6tJKDs%K+3J7A}*ZpmvSQxdU43_@P* z2W-6kbPEd`=kD(;sou@F38so^2QNef@uDwup+WK*7E>np{^=7b49${sPX6iBVc(6t zI`FlmA#RN+gUUhS(d!S@soJG#r6bBrLO6^Z15(buA4CwaCj
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + +
  • + +
  • +
+
+
+
+
+ + +

404

+ +

Page not found

+ + +
+
+ + +
+
+ +
+ +
+ +
+ + + + + +
+ + + + + + + diff --git a/docs/Functions/Calculate_Age/index.html b/docs/Functions/Calculate_Age/index.html new file mode 100644 index 0000000..b811eb5 --- /dev/null +++ b/docs/Functions/Calculate_Age/index.html @@ -0,0 +1,473 @@ + + + + + + + + + + + Calculate_Age - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Functions »
  • + + + +
  • Calculate_Age
  • +
  • + +
  • +
+
+
+
+
+ +

Calculate_Age

+

Created by Amr_Aly +Creation date : 02/07/2018 +It's a simple function to calculate your age +The error that will occur by the date 29/02/1980 or 84 or 88 or 92 or 96 or...etc +This error is almost one day you can neglect it +I think that it's very useful procedure if you use it in +a real project with datetimepicker and textbox +your birth date = y1, m1, d1 +current date = y2, m2, d2

+
    def calculate_age(y1, m1, d1, y2, m2, d2):
+
+        if d2 < d1:
+            d2 = d2 + 30
+            m2 = m2 - 1
+            if m2 < m1:
+                m2 = m2 + 12
+                y2 = y2 - 1
+
+        years    = int(y2 - y1)
+        months   = int(m2 - m1)
+        days     = int(d2 - d1) 
+        your_age = str(years) + ' Years', str(months) + ' Months', str(days) + ' Days'
+
+        return your_age
+
+

This date 29/2/1984 as an example its result must be (34 years, 4 months , 2 days) +But with this method the result will be(34 years, 4 months , 3 days) +you see now that you can neglect it , one day only is the difference +Don't forget that . It's a simple procedure

+
    print calculate_age(1984,2,29,2018,7,2)
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Functions/Functions_example_en/index.html b/docs/Functions/Functions_example_en/index.html new file mode 100644 index 0000000..204c6db --- /dev/null +++ b/docs/Functions/Functions_example_en/index.html @@ -0,0 +1,476 @@ + + + + + + + + + + + Functions_example_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Functions »
  • + + + +
  • Functions_example_en
  • +
  • + +
  • +
+
+
+
+
+ +

Functions_example_en

+
    from __future__ import print_function
+
+

Syntax +def function_name( parameters ): ==>parameters means passing argument to function +block of code +retrun or print

+
    print ("Example 1")
+    def names(x):
+        print(x)
+    names("dima")
+    print ("----------------")
+
+
+    print ("Example 2")
+    def emplpyee_name():
+        name=["Sara","Ahmad","Dima","Raed","Wael"]
+        return name
+    print(emplpyee_name())
+    print ("----------------")
+
+    print ("Example 3")
+    def sum(x,y):
+        s = x + y
+        return s
+    print(sum(3,4))
+    print ("----------------")
+
+    print ("Example 4")
+    def sum(x,y=6):
+        s = x + y
+        return s
+    print(sum(3))
+    print ("----------------")
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Functions/Game/index.html b/docs/Functions/Game/index.html new file mode 100644 index 0000000..01ed439 --- /dev/null +++ b/docs/Functions/Game/index.html @@ -0,0 +1,488 @@ + + + + + + + + + + + Game - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Functions »
  • + + + +
  • Game
  • +
  • + +
  • +
+
+
+
+
+ +

Game

+
    from __future__ import print_function
+
+

Example about function and if .. elif statment

+
    try:
+        raw_input          # Python 2
+    except NameError:
+        raw_input = input  # Python 3
+
+
+    def Game():
+        playerOne_points = 0
+        playerTwo_points = 0
+        while True:
+            print("Choose one of this choices: \n1- Rock \n2- Paper \n3- Scissors")
+            first_player = int(raw_input("Player one enter your choice: ").strip())
+            ch_list=[1,2,3]
+            while first_player not in ch_list:
+                print("incorrect choice , Try again ")
+                first_player = int(raw_input("Player one enter your choice: ").strip())
+            second_player = int(raw_input("Player two enter your choice: ").strip())
+            while second_player not in ch_list:
+                print("incorrect choice , Try again ")
+                second_player = int(raw_input("Player two enter your choice: ").strip())
+
+            if first_player == 1 and second_player == 3:    # Rock breaks scissors
+                playerOne_points += 1
+            elif second_player == 1 and first_player == 3:
+                playerTwo_points += 1
+            elif first_player == 3 and second_player == 2:  # Scissors cuts paper
+                playerOne_points += 1
+            elif second_player == 3 and first_player == 2:
+                playerTwo_points += 1
+            elif first_player == 2 and second_player == 1:  # Paper covers rock
+                playerOne_points += 1
+            elif second_player == 2 and first_player == 1:
+                playerTwo_points += 1
+            if playerOne_points > playerTwo_points:
+                print("Player one won: " + str(playerOne_points)+ " VS "+ str(playerTwo_points))
+            else:
+                print("Player two won: " + str(playerTwo_points)+ " VS "+ str(playerOne_points))
+            answer = raw_input("Do you want to continue? Y/N ").strip().upper()
+            if answer == "N":
+                break
+
+    Game()
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Functions/built-in-functions/index.html b/docs/Functions/built-in-functions/index.html new file mode 100644 index 0000000..f8e18af --- /dev/null +++ b/docs/Functions/built-in-functions/index.html @@ -0,0 +1,510 @@ + + + + + + + + + + + built-in-functions - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Functions »
  • + + + +
  • built-in-functions
  • +
  • + +
  • +
+
+
+
+
+ +

built-in-functions

+

This file contains some examples for built-in functions in python +they are functions that do certain things +I will explain

+

example 1 = .upper() +added by @basmalakamal

+
    str1 = "hello world"
+    print str1.upper()
+
+

this how we use it and it is used to return the string with capital letters

+

example 2 = isupper() +added by @basmalakamal

+
    str2 = "I love coding"
+    print str2.isupper()
+
+

this function returns a boolean it is used to see if all letters in the string are capital I have only one capital letter here +so it returned False +lets try again here

+
    str3 = "PYTHON IS AWESOME"
+    print str3.isupper() #prints True
+
+

example 3 = lower() +added by @basmalakamal

+
    str4 = "BASMALAH"
+    print str4.lower()
+
+

it returns the string with small letters

+

example 4 = islower() +added by @basmalakamal

+
    str5 = "Python"
+    print str5.islower()
+
+

this function returns a boolean it is used to see if all letters in the string are small I have one capital letter here +so it returned False +lets try again here

+
    str6 = "python"
+    print str6.islower() #prints True
+
+

example 5 = float() +added by @basmalakamal

+
    print float('12\n')
+
+

we can use this one to input an integer and it will return a float depends on what you have written +for example I wrote 12\n (\n means a space) so it returned 12.0

+

example 6 = id() +added by @basmalakamal

+
    print id(str6)
+
+

it returns the identity of any object cause every object has an identity in python memory

+

example 7 = len() +added by @basmalakamal

+

example 8 = int() +added by @basmalakamal

+

example 9 = str() +added by @basmalakamal

+

example 10 = max() +added by @basmalakamal

+

example 11 = sort() +added by @basmalakamal

+

example 12 = replace() +added by @basmalakamal

+

example 13 = append() +added by @basmalakamal

+

example 14 = index() +added by @basmalakamal

+

example 15 = split() +added by @basmalakamal

+

example 16 = join() +added by @basmalakamal

+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Functions/lambda_en/index.html b/docs/Functions/lambda_en/index.html new file mode 100644 index 0000000..18b33e2 --- /dev/null +++ b/docs/Functions/lambda_en/index.html @@ -0,0 +1,449 @@ + + + + + + + + + + + lambda_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Functions »
  • + + + +
  • lambda_en
  • +
  • + +
  • +
+
+
+
+
+ +

lambda_en

+

what is the output of this code?

+
    gun = lambda x:x*x
+    data = 1
+    for i in range(1,3):
+       data+=gun(i)
+    print(gun(data))
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Functions/math_functional_en/index.html b/docs/Functions/math_functional_en/index.html new file mode 100644 index 0000000..f71a1e4 --- /dev/null +++ b/docs/Functions/math_functional_en/index.html @@ -0,0 +1,469 @@ + + + + + + + + + + + math_functional_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Functions »
  • + + + +
  • math_functional_en
  • +
  • + +
  • +
+
+
+
+
+ +

math_functional_en

+
    from math import *
+
+

round

+
    print round(3.99999)
+    print round(66.265626596595, 3)
+
+

abs

+
    print abs(-22)
+
+

max

+
    print max(10,8,6,33,120)
+
+

min

+
    print min(10,8,6,33,120)
+
+

pow

+
    print pow(6.3 , 1.5)
+
+

sqrt

+
    print sqrt(4)
+
+

ceil

+
    print ceil(7.666)
+
+

copysign

+
    print copysign(1,-1)
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Functions/python_exmple_fibonacci_en/index.html b/docs/Functions/python_exmple_fibonacci_en/index.html new file mode 100644 index 0000000..964834d --- /dev/null +++ b/docs/Functions/python_exmple_fibonacci_en/index.html @@ -0,0 +1,460 @@ + + + + + + + + + + + python_exmple_fibonacci_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Functions »
  • + + + +
  • python_exmple_fibonacci_en
  • +
  • + +
  • +
+
+
+
+
+ +

python_exmple_fibonacci_en

+

this file print out the fibonacci of the function input

+

importing numpy for execute math with lists

+
    import numpy as np
+
+

define the function that takes one input

+
    def fibonacci_cube(num):
+        #define a list that contains 0 and 1 , because the fibonacci always starts with 0 and 1
+        lis = [0,1]
+        #this for loop takes the range of the parameter and 2
+        for i in range(2,num):
+            #appending the sum of the previuos two numbers to the list
+            lis.append(lis[i-2] + lis[i-1])
+        #finally returning the cube of the fibonacci content
+        return np.array(lis)**3
+
+

calling the function with 8 as an example

+
    print fibonacci_cube(8)
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Functions/revirse_string_en/index.html b/docs/Functions/revirse_string_en/index.html new file mode 100644 index 0000000..0501917 --- /dev/null +++ b/docs/Functions/revirse_string_en/index.html @@ -0,0 +1,456 @@ + + + + + + + + + + + revirse_string_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Functions »
  • + + + +
  • revirse_string_en
  • +
  • + +
  • +
+
+
+
+
+ +

revirse_string_en

+

added by @Azharoo +Python 3

+
    def revirse_string(word):
+        s=""
+        word= word.split()
+        for e in word:
+            s+= e[::-1] + " "
+        print s
+
+
+    word="Welcome to pythonCodes on GitHub"
+
+    revirse_string(word)
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Functions/strip_en/index.html b/docs/Functions/strip_en/index.html new file mode 100644 index 0000000..ba7b367 --- /dev/null +++ b/docs/Functions/strip_en/index.html @@ -0,0 +1,466 @@ + + + + + + + + + + + strip_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Functions »
  • + + + +
  • strip_en
  • +
  • + +
  • +
+
+
+
+
+ +

strip_en

+

strip() returns a copy of the string +in which all chars have been stripped +from the beginning and the end of the string

+

lstrip() removes leading characters (Left-strip) +rstrip() removes trailing characters (Right-strip)

+

Syntax +str.strip([chars]);

+

Example 1 +print Python a high level

+
    str = "Python a high level language";
+    print str.strip( 'language' )
+
+

Examlpe 2

+
    str = "Python a high level language , Python")
+
+

print a high level language ,

+
    print str.strip("Python")
+
+

print a high level language , Python

+
    print str.lstrip("Python")
+
+

print Python a high level language ,

+
    print str.rstrip("Python")
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Lists/Dictionary_ex_en/index.html b/docs/Lists/Dictionary_ex_en/index.html new file mode 100644 index 0000000..49a5db5 --- /dev/null +++ b/docs/Lists/Dictionary_ex_en/index.html @@ -0,0 +1,455 @@ + + + + + + + + + + + Dictionary_ex_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Lists »
  • + + + +
  • Dictionary_ex_en
  • +
  • + +
  • +
+
+
+
+
+ +

Dictionary_ex_en

+

added by @Dima

+
    EmployeeName = {"Dima":"2000",
+                    "Marwa":"4000",
+                    "Sarah":"2500"}
+
+    print(EmployeeName)
+
+    print len(EmployeeName)
+
+
+    EmployeeName["Dima"] = 5000
+    print(EmployeeName)
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Lists/List_Methods/pop_en/index.html b/docs/Lists/List_Methods/pop_en/index.html new file mode 100644 index 0000000..aa32281 --- /dev/null +++ b/docs/Lists/List_Methods/pop_en/index.html @@ -0,0 +1,481 @@ + + + + + + + + + + + pop_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Lists »
  • + + + +
  • List Methods »
  • + + + +
  • pop_en
  • +
  • + +
  • +
+
+
+
+
+ +

pop_en

+

added by @Azharoo +Python 3

+

The pop() method removes and returns the element at the given index (passed as an argument) from the list. +If no parameter is passed, the default index -1 is passed as an argument which returns the last element.

+

Example 1: Print Element Present at the Given Index from the List

+

programming language list

+
    language = ['Python', 'Php', 'C++', 'Oracle', 'Ruby']
+
+

Return value from pop() When 3 is passed

+
    print('When 3 is passed:') 
+    return_value = language.pop(3)
+    print('Return Value: ', return_value)
+
+

Updated List

+
    print('Updated List: ', language)
+
+

Example 2: pop() when index is not passed and for negative index

+

programming language list

+
    language = ['Python', 'Php', 'C++', 'Oracle', 'Ruby']
+
+

When index is not passed

+
    print('\nWhen index is not passed:') 
+    print('Return Value: ', language.pop())
+    print('Updated List: ', language)
+
+

When -1 is passed Pops Last Element

+
    print('\nWhen -1 is passed:') 
+    print('Return Value: ', language.pop(-1))
+    print('Updated List: ', language)
+
+

When -3 is passed Pops Third Last Element

+
    print('\nWhen -3 is passed:') 
+    print('Return Value: ', language.pop(-3))
+    print('Updated List: ', language)
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Lists/List_Methods/remove_en/index.html b/docs/Lists/List_Methods/remove_en/index.html new file mode 100644 index 0000000..110c003 --- /dev/null +++ b/docs/Lists/List_Methods/remove_en/index.html @@ -0,0 +1,483 @@ + + + + + + + + + + + remove_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Lists »
  • + + + +
  • List Methods »
  • + + + +
  • remove_en
  • +
  • + +
  • +
+
+
+
+
+ +

remove_en

+

added by @Azharoo +Python 3

+

The remove() method searches for the given element in the list and removes the first matching element. +If the element(argument) passed to the remove() method doesn't exist, valueError exception is thrown.

+

Example 1: Remove Element From The List +animal list

+
    animal = ['cat', 'dog', 'rabbit', 'cow']
+
+

'rabbit' element is removed

+
    animal.remove('rabbit')
+
+

Updated Animal List

+
    print('Updated animal list: ', animal)
+
+

Example 2: remove() Method on a List having Duplicate Elements +If a list contains duplicate elements, the remove() method removes only the first instance

+

animal list

+
    animal = ['cat', 'dog', 'dog', 'cow', 'dog']
+
+

'dog' element is removed

+
    animal.remove('dog')
+
+

Updated Animal List

+
    print('Updated animal list: ', animal)
+
+

Example 3: Trying to Delete Element That Doesn't Exist +When you run the program, you will get the following error: +ValueError: list.remove(x): x not in list

+

animal list

+
    animal = ['cat', 'dog', 'rabbit', 'cow']
+
+

Deleting 'fish' element

+
    animal.remove('fish')
+
+

Updated Animal List

+
    print('Updated animal list: ', animal)
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Lists/List_Methods/reverse_ar/index.html b/docs/Lists/List_Methods/reverse_ar/index.html new file mode 100644 index 0000000..e806878 --- /dev/null +++ b/docs/Lists/List_Methods/reverse_ar/index.html @@ -0,0 +1,511 @@ + + + + + + + + + + + reverse_ar - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Lists »
  • + + + +
  • List Methods »
  • + + + +
  • reverse_ar
  • +
  • + +
  • +
+
+
+
+
+ +

reverse_ar

+

added by @Azharoo +Python 3

+

The reverse() يعكس عناصر قائمة محددة. +The reverse() لا تأخذ أي عوامل. +The reverse() لا يعيد أي قيمة. يقوم فقط عكس العناصر وتحديث القائمة.

+

مثال 1 : Reverse a List

+

Operating System List

+
    os = ['Windows', 'macOS', 'Linux']
+    print('Original List:', os)
+
+

List Reverse

+
    os.reverse()
+
+

updated list

+
    print('Updated List:', os)
+
+

Example 2: Reverse a List Using Slicing Operator

+

Operating System List

+
    os = ['Windows', 'macOS', 'Linux']
+    print('Original List:', os)
+
+

Reversing a list +Syntax: reversed_list = os[start:stop:step]

+
    reversed_list = os[::-1]
+
+

updated list

+
    print('Updated List:', reversed_list)
+
+

Example 3: Accessing Individual Elements in Reversed Order

+

Operating System List

+
    os = ['Windows', 'macOS', 'Linux']
+
+

طباعة القائمة بشكل معكوس

+
    for o in reversed(os):
+        print(o)
+
+

مثال 4 : (شرح الاستاذ الفاضل ريمون )

+
    def my_f(list):
+      list1 = list.reverse() 
+      return list1
+
+    list =[10,20,40]
+
+    print(my_f(list)) ## الناتج هنا None
+
+
+
+    def my_f(list):
+      list1 = list.reverse() 
+      return list
+
+    list =[10,20,40]
+
+    print(my_f(list))## [40, 20, 10]
+
+

لماذا الناتجين مختلفين

+

ببساطة

+

فى المرة الاولى

+

reverse() +هى قامت بالتعديل على القائمة لكن لاتقوم باخراج القائمة الجديدة

+

لكن تم التعديل بالفعل على القائمة واذا تمت طباعة القائمة نجد ان

+

قيم العناصر قد انقلبت بالعكس

+

وهو ماحدث فى الكود الحالى عندما قمنا بارجاع قيمة القائمة

+

وتمت طباعة القيمة بالفعل

+

بينما فى المرة الاولى … ما طلبنا اخراجه هو العملية نفسها … وليست القيمة

+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Lists/List_Methods/reverse_en/index.html b/docs/Lists/List_Methods/reverse_en/index.html new file mode 100644 index 0000000..94a1d30 --- /dev/null +++ b/docs/Lists/List_Methods/reverse_en/index.html @@ -0,0 +1,528 @@ + + + + + + + + + + + reverse_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Lists »
  • + + + +
  • List Methods »
  • + + + +
  • reverse_en
  • +
  • + +
  • +
+
+
+
+
+ +

reverse_en

+

added by @Azharoo +Python 3

+

The reverse() method reverses the elements of a given list. +The reverse() function doesn't take any argument. +The reverse() function doesn't return any value. It only reverses the elements and updates the list.

+

Example 1: Reverse a List

+

Operating System List

+

os = ['Windows', 'macOS', 'Linux'] +print('Original List:', os)

+

List Reverse

+

os.reverse()

+

updated list

+

print('Updated List:', os)

+

Example 2: Reverse a List Using Slicing Operator

+

Operating System List

+

os = ['Windows', 'macOS', 'Linux'] +print('Original List:', os)

+

Reversing a list

+

Syntax: reversed_list = os[start:stop:step]

+

reversed_list = os[::-1]

+

updated list

+

print('Updated List:', reversed_list)

+

Example 3: Accessing Individual Elements in Reversed Order

+

Operating System List

+

os = ['Windows', 'macOS', 'Linux']

+

Printing Elements in Reversed Order

+

for o in reversed(os): + print(o)

+

Example 4 : none result (remon Tutor example)

+

def my_f(list): + list1 = list.reverse() + return list1

+

list =[10,20,40]

+

print(my_f(list)) ## The result is None

+

the same example but printed a list

+

def my_f(list): + list1 = list.reverse() + return list

+

list =[10,20,40]

+

print(my_f(list))## [40, 20, 10]

+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Lists/Sets_ex_en/index.html b/docs/Lists/Sets_ex_en/index.html new file mode 100644 index 0000000..b8df3ff --- /dev/null +++ b/docs/Lists/Sets_ex_en/index.html @@ -0,0 +1,460 @@ + + + + + + + + + + + Sets_ex_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Lists »
  • + + + +
  • Sets_ex_en
  • +
  • + +
  • +
+
+
+
+
+ +

Sets_ex_en

+

added by @Dima +Empty

+
    x = {}
+    print(x)
+
+

print ('Dima', 'Marwa', 'Sarah')

+
    EmployeeName = {"Dima", "Marwa", "Sarah"}
+    print(EmployeeName)
+
+

print length = 3

+
    print len(EmployeeName)
+
+

print Sarah +print EmployeeName[2] this will give an error because the set has unindex

+

remove marwa

+
    EmployeeName.remove("Marwa")
+    print EmployeeName
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Lists/Slicing_en/index.html b/docs/Lists/Slicing_en/index.html new file mode 100644 index 0000000..dcd54c4 --- /dev/null +++ b/docs/Lists/Slicing_en/index.html @@ -0,0 +1,470 @@ + + + + + + + + + + + Slicing_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Lists »
  • + + + +
  • Slicing_en
  • +
  • + +
  • +
+
+
+
+
+ +

Slicing_en

+

added by @Azharoo +Python 3 +Python slicing is a computationally fast way to methodically access parts of your data.

+

Create a list of science subjects and another list of integers from 1-10

+
    subjects = ['IT-Science','physics','biology','mathematics']
+    x=list(range(1,11))
+
+

slicing the entire list.

+
    subjects[:]
+    ['IT-Science', 'physics', 'biology', 'mathematics']
+    x[:]
+    [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
+
+

Slicing from index 0 up to the last index with a step size of 2.

+
    subjects[::2]
+    ['IT-Science', 'biology']
+    x[::2]
+    [1, 3, 5, 7, 9]
+
+

Slicing from index 9 down to the last index with a negative step size of 2.

+
    x[9:0:-2]
+    [10, 8, 6, 4, 2]
+    """Slicing from last index from the right of the list 
+    down to the last index of the left of the list with a
+    negative step size of 3."""
+    x[::-3]
+    [10, 7, 4, 1]
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Lists/Tuple_ex_en/index.html b/docs/Lists/Tuple_ex_en/index.html new file mode 100644 index 0000000..3cb16cf --- /dev/null +++ b/docs/Lists/Tuple_ex_en/index.html @@ -0,0 +1,457 @@ + + + + + + + + + + + Tuple_ex_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Lists »
  • + + + +
  • Tuple_ex_en
  • +
  • + +
  • +
+
+
+
+
+ +

Tuple_ex_en

+

added by @Dima +Empty

+
    x = ()
+    print(x)
+
+

print ('Dima', 'Marwa', 'Sarah')

+
    EmployeeName = ("Dima", "Marwa", "Sarah")
+    print(EmployeeName)
+
+

print length = 3

+
    print len(EmployeeName)
+
+

print Sarah

+
    print EmployeeName[2]
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Lists/comprehensions_en/index.html b/docs/Lists/comprehensions_en/index.html new file mode 100644 index 0000000..bdb1292 --- /dev/null +++ b/docs/Lists/comprehensions_en/index.html @@ -0,0 +1,485 @@ + + + + + + + + + + + comprehensions_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Lists »
  • + + + +
  • comprehensions_en
  • +
  • + +
  • +
+
+
+
+
+ +

comprehensions_en

+

Added by @ammarasmro

+

Comprehensions are very convenient one-liners that allow a user to from a +whole list or a dictionary easily

+

One of the biggest benefits for comprehensions is that they are faster than +a for-loop. As they allocate the necessary memory instead of appending an +element with each cycle and reallocate more resources in case it needs them

+
    sample_list = [x for x in range(5)]
+    print(sample_list)
+
+
+
+
+

[0,1,2,3,4]

+
+
+
+

Or to perform a task while iterating through items

+
    original_list = ['1', '2', '3'] # string representations of numbers
+    new_integer_list = [int(x) for x in original_list]
+
+

A similar concept can be applied to the dictionaries

+
    sample_dictionary =  {x: str(x) + '!' for x in range(3) }
+    print(sample_dictionary)
+
+
+
+
+

{0: '0!', 1: '1!', 2: '2!'}

+
+
+
+

Conditional statements can be used to preprocess data before including them +in a list

+
    list_of_even_numbers = [x for x in range(20) if x % 2 == 0 ]
+    print(list_of_even_numbers)
+
+
+
+
+

[0, 2, 4, 6, 8, 10, 12, 14, 16, 18]

+
+
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Lists/example/index.html b/docs/Lists/example/index.html new file mode 100644 index 0000000..d58b70c --- /dev/null +++ b/docs/Lists/example/index.html @@ -0,0 +1,452 @@ + + + + + + + + + + + example - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Lists »
  • + + + +
  • example
  • +
  • + +
  • +
+
+
+
+
+ +

example

+
    string="ali ahmed salm"
+    print (string.find("sa"))
+    print (string.find(""))
+    print (string.find (" "))
+    print (string.find("ah",3,5))
+    print (string.find("ah",3,6))
+    def get_s(a, b):
+      return a[:b]
+    print(get_s("mySchool",10))
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Lists/list_example_ar/index.html b/docs/Lists/list_example_ar/index.html new file mode 100644 index 0000000..0fc936a --- /dev/null +++ b/docs/Lists/list_example_ar/index.html @@ -0,0 +1,469 @@ + + + + + + + + + + + list_example_ar - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Lists »
  • + + + +
  • list_example_ar
  • +
  • + +
  • +
+
+
+
+
+ +

list_example_ar

+

This file contains some examples for Python Lists +How to create lists +how to print lists

+

example 1 +added by @engshorouq +empty list

+
    my_list=[]
+
+

list of integers

+
    my_list=[1,2,3,4,5]
+
+

list with mixed datatype

+
    my_list=[2,"python",2.2]
+
+

example 2 +added by @engshorouq +to print specific index

+
    my_list=['p','y','t','h','o','n']
+    print("first index in the list in positive index : ",my_list[0])
+    print("first index in the list in negative index : ",my_list[-5])
+
+

to print a range of items in the lists

+
    print("from beginning element to end : ",my_list[:])
+    print("from the second element to fifth element : ",my_list[1:4])
+    print("from beginning to the second : ",my_list[:-5])
+    print("from second to end element : ",my_list[1:])
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Lists/list_example_en/index.html b/docs/Lists/list_example_en/index.html new file mode 100644 index 0000000..ba95e7a --- /dev/null +++ b/docs/Lists/list_example_en/index.html @@ -0,0 +1,473 @@ + + + + + + + + + + + list_example_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Lists »
  • + + + +
  • list_example_en
  • +
  • + +
  • +
+
+
+
+
+ +

list_example_en

+

This file contains some examples for Python Lists +How to create lists +how to print lists

+

example 1 +added by @engshorouq +empty list

+
    my_list=[]
+
+

example 2 +added by anonymous +define a list with numbers from 1-5

+
    my_list=[1,2,3,4,5]
+
+

example 3 +added by anonymous +list with mixed datatype

+
    my_list=[2,"python",2.2]
+
+

example 4 +added by @engshorouq +print specific index

+
    my_list=['p','y','t','h','o','n']
+    print("first index in the list in positive index : ",my_list[0])
+    print("first index in the list in negative index : ",my_list[-5])
+
+

to print a range of items in the lists

+
    print("from beginning element to end : ",my_list[:])
+    print("from the second element to fifth element : ",my_list[1:4])
+    print("from beginning to the second : ",my_list[:-5])
+    print("from second to end element : ",my_list[1:])
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Lists/list_example_fr/index.html b/docs/Lists/list_example_fr/index.html new file mode 100644 index 0000000..6a0b09e --- /dev/null +++ b/docs/Lists/list_example_fr/index.html @@ -0,0 +1,442 @@ + + + + + + + + + + + list_example_fr - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Lists »
  • + + + +
  • list_example_fr
  • +
  • + +
  • +
+
+
+
+
+ +

list_example_fr

+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Lists/modify_add_lists/index.html b/docs/Lists/modify_add_lists/index.html new file mode 100644 index 0000000..9d20873 --- /dev/null +++ b/docs/Lists/modify_add_lists/index.html @@ -0,0 +1,477 @@ + + + + + + + + + + + modify_add_lists - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Lists »
  • + + + +
  • modify_add_lists
  • +
  • + +
  • +
+
+
+
+
+ +

modify_add_lists

+

how to add element to lists +how to modify elements in the lists

+

example1 +added by @engshorouq +create empty list

+
    my_list=[]
+
+

add element to empty string in two ways the first way(append)

+
    my_list.append("Learn")
+    my_list.append(["Pythn","Language"])
+
+

print list to show the output

+
    print("list after adding iteam using append : \n",my_list)
+
+

add element to my list by second way : using + operator

+
    my_list=my_list+["version"]
+    my_list=my_list+[3]
+    my_list=my_list+["interting","language"]
+
+

print list to show output

+
    print("\nlist after adding iteam using append : \n",my_list)
+
+

mistake in writing word inside list +modify 1st iteam

+
    my_list[0]="Learning"
+
+

modify 2nd item the 1st item inside it

+
    my_list[1][0]="Python"
+
+

modify 3rd to 5th item

+
    my_list[2:5]=["version 3","intersting","language"]
+
+

print list to show output

+
    print("\nlist after modification : \n",my_list)
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Lists/pop/index.html b/docs/Lists/pop/index.html new file mode 100644 index 0000000..8a7ba97 --- /dev/null +++ b/docs/Lists/pop/index.html @@ -0,0 +1,458 @@ + + + + + + + + + + + pop - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Lists »
  • + + + +
  • pop
  • +
  • + +
  • +
+
+
+
+
+ +

pop

+

الدالة pop() تقوم بحذف اخر عنصر بالقائمة +نستطيع ان نحدد العنصر المراد حذفه وذلك بتحديد اندكس العنصر بداخل القوسين

+

المثال الاول

+
    li = [2,3,4,5]
+    li.pop()
+    print li    #[يطبع [2,3,4
+
+

المثال الثاني

+
    li = [2,3,4,5]
+    li.pop(2)
+    print li    #[يطبع [2,3,5
+
+

الدالة pop لها قيمة ارجاع وهي العنصر المحذوف

+
    li = [2,3,4,5]
+    print li.pop()  # يطبع 5
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Modules/secreat-message/index.html b/docs/Modules/secreat-message/index.html new file mode 100644 index 0000000..e583695 --- /dev/null +++ b/docs/Modules/secreat-message/index.html @@ -0,0 +1,463 @@ + + + + + + + + + + + secreat-message - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Modules »
  • + + + +
  • secreat-message
  • +
  • + +
  • +
+
+
+
+
+ +

secreat-message

+
    from __future__ import print_function
+
+

This file contain examples for os module +What is os module? +is a module using for list files in folder, we can get name of current working directory +rename files , write on files

+
    import os
+
+    def rename_files():
+        # (1) get file names from a folder
+        file_list = os.listdir(r"C:\Users\user\Desktop\python\pythonCodes\Modules\images") 
+        # r (row path) mean take the string as it's and don't interpreter 
+        saved_path = os.getcwd()
+        print(saved_path)
+        saved_path = os.chdir(r"C:\Users\user\Desktop\python\pythonCodes\Modules\images")
+        for file_name in file_list:
+            os.rename(file_name , file_name.translate(None , "0123456789"))
+        print(saved_path)
+
+    rename_files()
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/OOP/Classes_en/index.html b/docs/OOP/Classes_en/index.html new file mode 100644 index 0000000..86b8f29 --- /dev/null +++ b/docs/OOP/Classes_en/index.html @@ -0,0 +1,466 @@ + + + + + + + + + + + Classes_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • OOP »
  • + + + +
  • Classes_en
  • +
  • + +
  • +
+
+
+
+
+ +

Classes_en

+
    from __future__ import print_function
+
+

declare a class

+

Synatx

+
      #class ClassName:
+      #block of code
+
+

Example 1 +init passing initial values to your object

+
    class Car:
+
+        'Print Car Name And Price'
+
+        def __init__(self,CarName,Price):
+               self.CarName = CarName
+               self.Price = Price
+
+    NewCar = Car("I8", 200000)
+
+    print("Car Name " + NewCar.CarName + "  Car Price " + str(NewCar.Price))
+
+
+    print("Car.__doc__:", Car.__doc__)
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/OOP/Inheritance_en/index.html b/docs/OOP/Inheritance_en/index.html new file mode 100644 index 0000000..5c605a4 --- /dev/null +++ b/docs/OOP/Inheritance_en/index.html @@ -0,0 +1,467 @@ + + + + + + + + + + + Inheritance_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • OOP »
  • + + + +
  • Inheritance_en
  • +
  • + +
  • +
+
+
+
+
+ +

Inheritance_en

+
    from __future__ import print_function
+    class Person:
+
+        def __init__(self, first, last):
+            self.firstname = first
+            self.lastname = last
+
+        def Name(self):
+            return self.firstname + " " + self.lastname
+
+    class Employee(Person):
+
+        def __init__(self, first, last, staffnum):
+            Person.__init__(self,first, last)
+            self.staffnumber = staffnum
+
+        def GetEmployee(self):
+            return self.Name() + ", " +  self.staffnumber
+
+    x = Person("Marge", "Simpson")
+    y = Employee("Homer", "Simpson", "1007")
+
+    print(x.Name())
+    print(y.GetEmployee())
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/OOP/OOP_test/index.html b/docs/OOP/OOP_test/index.html new file mode 100644 index 0000000..5e7b1eb --- /dev/null +++ b/docs/OOP/OOP_test/index.html @@ -0,0 +1,481 @@ + + + + + + + + + + + OOP_test - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • OOP »
  • + + + +
  • OOP_test
  • +
  • + +
  • +
+
+
+
+
+ +

OOP_test

+

added by Yassine Messaoudi AKA = TaKeO90 +This class is about to print kids info +Also use inheritance example

+
    class Kid_info:
+
+
+
+        def __init__(self, first_name, last_name, age,school_level ) :
+            self.first_name = first_name
+            self.last_name = last_name
+            self.age = age
+            self.school_level = school_level
+
+

Example

+
    kid = Kid_info("Ahmed", "issa","10","primary school")
+
+
+    print (kid.first_name)
+    print (kid.last_name)
+    print (kid.age)
+    print (kid.school_level)
+
+

inheritance example

+
    class Parent(Kid_info) :
+
+
+
+        def __init__(self, first_name, last_name , age, work, number_of_kids):
+            self.first_name = first_name
+            self.last_name = last_name
+            self.age = age
+            self.work = work
+            self.number_of_kids = number_of_kids
+
+
+    Father = Parent("ahmed", "jalal", "35", "engenieer" , "2")
+
+    print (Father.work)
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Print/Print_en/index.html b/docs/Print/Print_en/index.html new file mode 100644 index 0000000..22545d4 --- /dev/null +++ b/docs/Print/Print_en/index.html @@ -0,0 +1,485 @@ + + + + + + + + + + + Print_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Print »
  • + + + +
  • Print_en
  • +
  • + +
  • +
+
+
+
+
+ +

Print_en

+

print Hello

+
    print("Hello")
+
+    x, y = 1, 2
+
+

print 1

+
    print(x)
+
+

print 2

+
    print(y)
+
+

print 3

+
    print (x) + (y)
+
+

print 1,2

+
    print (x) , (y)
+
+

print (1,2)

+
    print (x,y)
+
+

print [0] [0, 1]==> because it return range frim 0 to x-1

+
    print range(x) ,range(y)
+
+
+    c="dima"
+    d="Hi"
+
+

print dimaHi

+
    print (c) + (d)
+
+

print dima Hi

+
    print (c)+(" ")+(d)
+
+

print dima +Hi

+
    print (c)+("\n")+(d)
+
+

print DIMA hi

+
    print (c).upper() , (d).lower()
+
+

print 1 dima

+
    print str(x) +(" ")+ (c)
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Strings/example/index.html b/docs/Strings/example/index.html new file mode 100644 index 0000000..b4cec77 --- /dev/null +++ b/docs/Strings/example/index.html @@ -0,0 +1,452 @@ + + + + + + + + + + + example - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Strings »
  • + + + +
  • example
  • +
  • + +
  • +
+
+
+
+
+ +

example

+
    string="ali ahmed salm"
+    print (string.find("sa"))
+    print (string.find(""))
+    print (string.find (" "))
+    print (string.find("ah",3,5))
+    print (string.find("ah",3,6))
+    def get_s(a, b):
+      return a[:b]
+    print(get_s("mySchool",10))
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Strings/strings_example_ar/index.html b/docs/Strings/strings_example_ar/index.html new file mode 100644 index 0000000..f6bdaa0 --- /dev/null +++ b/docs/Strings/strings_example_ar/index.html @@ -0,0 +1,494 @@ + + + + + + + + + + + strings_example_ar - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Strings »
  • + + + +
  • strings_example_ar
  • +
  • + +
  • +
+
+
+
+
+ +

strings_example_ar

+
    from __future__ import print_function
+
+

هذا الملف يحتوي على بعض الامثله عن السلاسل النصيه للغة البايثون +ماهي السلاسل النصية في البايثون ؟ +السلاسل النصيه هي النوع الاكثر شعبية في لغة البايثون +نستطيع ان ننشئها بسهوله بواسطة علامات الاقتباس +لغة البايثون تتعامل مع علامات الاقتباس الفردية والزوجية على حد سواء +يمكن إنشاء السلاسل النصية بسهوله كإسناد قيمة إلى متغير +مصدر التعريف https://www.tutorialspoint.com/python/python_strings.htm

+

مثال 1 +تمت مشاركتة بواسطة @remon +يقوم هذا المثال بطباعة السلسلة النصيه Hello World

+
    str1 ="Hello World"
+    print(str1) # --> Hello World
+
+

مثال 2 +تمت مشاركتة بواسطة @remon +يقوم هذا المثال بتوضيح تعامل الارقام كسلاسل نصية بداخل علامتي الاقتباس

+
    str2 ='Hello World 2'
+    print(str2) # --> Hello World 2
+
+

مثال 3 +تمت مشاركتة بواسطة @remon +مثال آخر عن طريقة تخزين الارقام كسلاسل نصية

+
    str3 ="2018"
+    print(str3) # --> 2018
+
+

مثال 4 +تمت مشاركتة بواسطة @tony.dx.3379aems5 +يوضح هذا المثال طريقة .....

+
    str4 = "Hello 2 My friends 3"
+    num1 = int(str4[str4.find("2")])
+    num2 = int(str4[-1])
+    result = num1 + num2 
+    print(result)
+
+

مثال 5 +تمت مشاركتة بواسطة @Takeo. yassine messaoudi +يوضح هذا المثال طريقة إستخدام الدالة +replace(old,new) +لإستبدال الحروف في السلسلة النصية

+
    str1 = "1 million arab coders "
+    a = str1.replace("m" , "M")
+    print (a) # --> 1 Million arab coders
+
+

مثال 6 +تمت مشاركتة بواسطة @ammore5 +يوضح هذا المثال طريقة جمع سلسلتين نصيتين وطباعتهما

+
    str1 = "hi "
+    str2 = "there !"
+    print (str1 + str2) # --> hi there !
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Strings/strings_example_en/index.html b/docs/Strings/strings_example_en/index.html new file mode 100644 index 0000000..d60f090 --- /dev/null +++ b/docs/Strings/strings_example_en/index.html @@ -0,0 +1,487 @@ + + + + + + + + + + + strings_example_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Strings »
  • + + + +
  • strings_example_en
  • +
  • + +
  • +
+
+
+
+
+ +

strings_example_en

+
    from __future__ import print_function
+
+

This file contains some examples for Python Strings +What is Strings in python ? +Strings are amongst the most popular types in Python. +We can create them simply by enclosing characters in quotes. +Python treats single quotes the same as double quotes. +Creating strings is as simple as assigning a value to a variable. +source of Definition https://www.tutorialspoint.com/python/python_strings.htm

+

example 1 +added by @remon

+
    str1 ="Hello World"
+    print(str1)
+
+

example 2 +added by @remon

+
    str2 ='Hello World 2'
+    print(str2)
+
+

example 3 +added by @remon

+
    str3 ="2018"
+    print(str3)
+
+

example 4 +added by @tony.dx.3379aems5

+
    str4 = "Hello 2 My friends 3"
+    num1 = int(str4[str4.find("2")])
+    num2 = int(str4[-1])
+    result = num1 + num2 
+    print(result)
+
+

example 5

+

added by @Takeo. yassine messaoudi

+
    str1 = "1 million arab coders "
+    a = str1.replace("m" , "M")
+    print (a)
+
+

example 6 +added by @ammore5 +This example demonstrates how to concatenate two strings

+
    str1 = "hi "
+    str2 = "there !"
+    print (str1 + str2)
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Strings/strings_example_fr/index.html b/docs/Strings/strings_example_fr/index.html new file mode 100644 index 0000000..5999649 --- /dev/null +++ b/docs/Strings/strings_example_fr/index.html @@ -0,0 +1,442 @@ + + + + + + + + + + + strings_example_fr - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Strings »
  • + + + +
  • strings_example_fr
  • +
  • + +
  • +
+
+
+
+
+ +

strings_example_fr

+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/True and False/Boolean_Type_Fr/index.html b/docs/True and False/Boolean_Type_Fr/index.html new file mode 100644 index 0000000..89c2c19 --- /dev/null +++ b/docs/True and False/Boolean_Type_Fr/index.html @@ -0,0 +1,489 @@ + + + + + + + + + + + Boolean_Type_Fr - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • True and False »
  • + + + +
  • Boolean_Type_Fr
  • +
  • + +
  • +
+
+
+
+
+ +

Boolean_Type_Fr

+
    from __future__ import print_function
+
+

Imane OUBALID: Une jeune marocaine, titulaire d'un master en Réseaux et Systèmes Informatique. +Elle dispose d'un esprit d'analyse, de synthèse, d'une capacité d'adaptation aux nouvelles situations, +et elle est passionnée par la programmation et les nouvelles technologies.

+

Booleen est un type de donnees qui ne peut prendre que deux valeurs logique: vrai (True) ou faux (False) +Il utilise d'autre expression tell que: et(and) non(not) ou(or) +A note il faut respecter l'ecriture des mots clea = 6

+

voila un exemple simple d'expressions booleennes

+
    A = 6
+    print((A == 7)) #renvoie la valeur logique False
+    print((A == 6)) #True
+
+

l'utilisation de l'operateur non(not) renvoie l'oppose de la valeur

+
    print('************ Operateur: not *************')
+    B = True
+    C = False
+    print((not B)) # resultat sera l'oppose de la valeur logique True = False(faux)
+    print((not not B))#True
+    print((not C))#True
+
+

l'operateur and(et) renvoie Vrai si tous les valeurs sont vraies

+
    print('************ Operateur: And *************')
+    print((True and True)) #True
+    print((True and False)) #False
+    print((False and True)) #False
+    print((False and False)) #False
+
+    D = 8
+    E = 9
+    print((D == 8 and D==9))#False
+    print((E == 9 and D==8))#True
+    print((not D and E==9))#False
+
+

l'operateur or(ou) renvoie Vrai si ou moins une valeur est vraie

+
    print('************ Operateur: or *************')
+    print((True or True)) #True
+    print((True or False)) #True
+    print((False or True)) #True
+    print((False or False)) #False
+
+    F=3
+    G=5
+    print((F==3 or F==0))#True
+    print((F==0 or G==0))#False
+    print((not F==0 or G==0))#True
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/True and False/Logic/index.html b/docs/True and False/Logic/index.html new file mode 100644 index 0000000..1321e35 --- /dev/null +++ b/docs/True and False/Logic/index.html @@ -0,0 +1,480 @@ + + + + + + + + + + + Logic - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • True and False »
  • + + + +
  • Logic
  • +
  • + +
  • +
+
+
+
+
+ +

Logic

+
    from __future__ import print_function
+
+

this is a logic table for (and, or) +before run this example you must *install library truths +in cmd run command pip install truths

+
    from truths import Truths
+
+    try:
+        raw_input          # Python 2
+    except NameError:
+        raw_input = input  # Python 3
+
+    print("-------------------------------------------------------")
+    print("""Example Prerequisite : please insatll truths library
+              *Open CMD rum command pip install truths *""")
+    print("-------------------------------------------------------")
+
+    r = raw_input(" Are you install truths???? :) Y:Yes , N:NO :) ").strip().upper()
+
+    def emp(r):
+        if r=="Y":
+            print(Truths(['a', 'b', 'x']))
+            print(Truths(['a', 'b', 'cat', 'has_address'], ['(a and b)', 'a and b or cat', 'a and (b or cat) or has_address']))
+            print(Truths(['a', 'b', 'x', 'd'], ['(a and b)', 'a and b or x', 'a and (b or x) or d'], ints=False))
+        else:
+            print("------------------------")
+            print("------------------------")
+            print("Please to Install truths")
+            print("------------------------")
+            print("------------------------")
+            print("------------------------")
+        raw_input("")
+
+
+
+
+    print(emp(r))
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/True and False/True_False_Examples_En/index.html b/docs/True and False/True_False_Examples_En/index.html new file mode 100644 index 0000000..1c0540e --- /dev/null +++ b/docs/True and False/True_False_Examples_En/index.html @@ -0,0 +1,453 @@ + + + + + + + + + + + True_False_Examples_En - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • True and False »
  • + + + +
  • True_False_Examples_En
  • +
  • + +
  • +
+
+
+
+
+ +

True_False_Examples_En

+
    from __future__ import print_function
+
+

example1 +by @tony.dx.3379aems5

+
    if True and False:
+        print ("False") #will not print
+    if True and True:
+        print ("True") #will print true
+    if False and False:
+        print ("False") #will not print
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Turtle/House_en/index.html b/docs/Turtle/House_en/index.html new file mode 100644 index 0000000..70d18cc --- /dev/null +++ b/docs/Turtle/House_en/index.html @@ -0,0 +1,460 @@ + + + + + + + + + + + House_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Turtle »
  • + + + +
  • House_en
  • +
  • + +
  • +
+
+
+
+
+ +

House_en

+
    from turtle import *
+    goto(300, 0)
+    goto(300, 400)
+    goto(50, 400)
+    goto(0, 300)
+    goto(0, 0)
+    penup()
+    goto(50, 400)
+    pendown()
+    goto(100, 300)
+    goto(100, 0)
+    penup()
+    goto(0, 300)
+    pendown()
+    goto(100, 300)
+    goto(300, 300)
+    screensize(2000, 2000)
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Turtle/draw_circle_en/index.html b/docs/Turtle/draw_circle_en/index.html new file mode 100644 index 0000000..fde5256 --- /dev/null +++ b/docs/Turtle/draw_circle_en/index.html @@ -0,0 +1,494 @@ + + + + + + + + + + + draw_circle_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Turtle »
  • + + + +
  • draw_circle_en
  • +
  • + +
  • +
+
+
+
+
+ +

draw_circle_en

+

added by @Azharoo +Python 3

+

Example - 1

+

Draw one circle

+
    import turtle
+
+    my_turtle = turtle.Turtle()
+    my_turtle.pencolor("red")
+
+    def circle(length,angle): 
+      my_turtle.forward(length)
+      my_turtle.left(angle)
+
+    for i in range(46):
+      circle(10,8)
+
+
+      # Example - 2
+      #Draw Circle of Squares
+
+    import turtle
+
+    my_turtle = turtle.Turtle()
+    my_turtle.speed(0)
+    my_turtle.pencolor("blue")
+
+    def square(length,angle):
+      for i in range(4):
+        my_turtle.forward(length)
+        my_turtle.right(angle)
+
+    for i in range(100):
+      square(100,90)
+      my_turtle.right(11)
+
+

Example - 3

+
      #Draw beautiful_circles
+
+    import turtle
+    t = turtle.Turtle()
+    window = turtle.Screen()
+    window.bgcolor("black")
+    colors=["red","yellow","purple"]
+
+    for x in range(10,50):
+        t.circle(x)
+        t.color(colors[x%3])
+        t.left(90)
+
+    t.screen.exitonclick()
+    t.screen.mainloop()
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Turtle/draw_en/index.html b/docs/Turtle/draw_en/index.html new file mode 100644 index 0000000..233c5cc --- /dev/null +++ b/docs/Turtle/draw_en/index.html @@ -0,0 +1,449 @@ + + + + + + + + + + + draw_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Turtle »
  • + + + +
  • draw_en
  • +
  • + +
  • +
+
+
+
+
+ +

draw_en

+

https://github.com/asweigart/simple-turtle-tutorial-for-python/blob/master/simple_turtle_tutorial.md

+
    from turtle import *
+    for i in range(500):# this "for" loop will repeat these functions 500 times
+        speed(50)
+        forward(i)
+        left(91)
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Turtle/draw_rectangle_en/index.html b/docs/Turtle/draw_rectangle_en/index.html new file mode 100644 index 0000000..a0cacad --- /dev/null +++ b/docs/Turtle/draw_rectangle_en/index.html @@ -0,0 +1,483 @@ + + + + + + + + + + + draw_rectangle_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Turtle »
  • + + + +
  • draw_rectangle_en
  • +
  • + +
  • +
+
+
+
+
+ +

draw_rectangle_en

+

added by @Azharoo +Python 3 +draw a simple rectangle

+

Example - 1

+
    import turtle
+    t = turtle.Turtle()
+    window = turtle.Screen()
+    window.bgcolor("black")
+    t.hideturtle()
+    t.color("red")
+
+    def slanted_rectangle(length,width):
+        for steps in range(2):
+            t.fd(width)
+            t.left(90)
+            t.fd(length)
+            t.left(90)
+
+    slanted_rectangle(length=200,width=100)
+
+

Example - 2 +draw a slanted rectangle

+
    import turtle
+    t = turtle.Turtle()
+    window = turtle.Screen()
+    window.bgcolor("black")
+
+
+    t.hideturtle()
+    t.color("red")
+
+    def slanted_rectangle(length,width,angle):
+        t.setheading(angle)
+        for steps in range(2):
+            t.fd(width)
+            t.left(90)
+            t.fd(length)
+            t.left(90)
+
+    slanted_rectangle(length=200,angle=45,width=100)
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Turtle/draw_square_en/index.html b/docs/Turtle/draw_square_en/index.html new file mode 100644 index 0000000..de4da10 --- /dev/null +++ b/docs/Turtle/draw_square_en/index.html @@ -0,0 +1,470 @@ + + + + + + + + + + + draw_square_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Turtle »
  • + + + +
  • draw_square_en
  • +
  • + +
  • +
+
+
+
+
+ +

draw_square_en

+

added by @Azharoo +Python 3 +draw a simple square

+

Example - 1

+
    import turtle
+    t = turtle.Turtle()
+    window = turtle.Screen()
+    window.bgcolor("black")
+    t.color("blue")
+    t.shape("turtle")
+    for i in range(4):
+      t.fd(100)
+      t.left(90)
+
+

Example - 2

+
    import turtle
+    t= turtle.Turtle()
+    t.screen.bgcolor("black")
+    t.color("red")
+    t.hideturtle()  # Hide the turtle during the draw
+
+    def square(length):
+        for steps in range(4):
+            t.fd(length)
+            t.left(90)
+
+    square(100)
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Turtle/draw_triangle_en/index.html b/docs/Turtle/draw_triangle_en/index.html new file mode 100644 index 0000000..4a2a283 --- /dev/null +++ b/docs/Turtle/draw_triangle_en/index.html @@ -0,0 +1,461 @@ + + + + + + + + + + + draw_triangle_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Turtle »
  • + + + +
  • draw_triangle_en
  • +
  • + +
  • +
+
+
+
+
+ +

draw_triangle_en

+

added by @Azharoo +Python 3

+

Example - 1

+

Draw triangle

+
    import turtle
+    t = turtle.Turtle()
+    window = turtle.Screen()
+    window.bgcolor("black")
+
+    t.color("red")
+    t.hideturtle() # hide the turtle
+
+    def triangle(length,angle=120):
+        for steps in range(3):
+            t.fd(length)
+            t.left(angle)
+
+    triangle(200)
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Twilio + Profanity/(Twilio + Profanity) Arabic version/index.html b/docs/Twilio + Profanity/(Twilio + Profanity) Arabic version/index.html new file mode 100644 index 0000000..5a16ded --- /dev/null +++ b/docs/Twilio + Profanity/(Twilio + Profanity) Arabic version/index.html @@ -0,0 +1,503 @@ + + + + + + + + + + + (Twilio + Profanity) Arabic version - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Twilio + Profanity »
  • + + + +
  • (Twilio + Profanity) Arabic version
  • +
  • + +
  • +
+
+
+
+
+ +

(Twilio + Profanity) Arabic version

+

أضيفت من قبل @Modydj +Python 2.7 +2 in 1 (Twilio + Profanity Editor)

+

آلية العمل:

+

1- سأقوم بإنشاء دالة def تحت اسم see_me_that_in_phone

+

2- سأجعله يعود للدالتين functions (check_profainty, read_text)

+

3- سأستقبل على جوالي فقط النتيجة ان كانت الرسالة تحوي على كلمات غير مرغوب بها أم لا

+

حسناً ، فلنبدأ ;)

+

استيراد المكتبات المناسبة في البداية

+
    import urllib
+    from twilio.rest import Client
+
+

كتابة دالتين def لتحقق من عملنا، +الأولى تدعى بـ read_text, والتي سوف تقرأ الملف المراد قراءته وفحصه.

+
    def read_text():
+        quotes = open(r'C:\Users\2\Desktop\movie_quotes.txt','r')# قم بتغير هذا الكود بحسب مسار الملف المراد فحصه
+        contents_of_file = quotes.read()
+        #print (contents_of_file)
+        quotes.close()
+        check_profainty(contents_of_file)
+
+

الثانية check profanity , والتي سوف تأخذ زمام الأمور لتنفيذ الأمر +الناتج عن قراءة الدالة الأولى read_text def.

+
    def check_profainty(text_to_check):
+        account_sid = "ACdXXXXXXXXXXXXXXXX" #ادخل هذا الرقم من twilio
+        auth_token = "3bXXXXXXXXXXXXXXXXX" #ادخل هذا الرقم من twilio
+        client = Client(account_sid, auth_token)
+        connection = urllib.urlopen("http://www.wdylike.appspot.com/?q=" + text_to_check)
+        output= connection.read()
+        #print (output)
+        connection.close()
+
+        if "true" in output:
+            message = client.messages.create(
+                body="profainty Alert!",
+                to="+213xxxxxxxx", # ضع رقم هاتفك
+                from_="+143xxxxxxx") # ضع رقمك في موقع twilio
+            print(message.sid)
+
+        elif "false" in output:
+            message = client.messages.create(
+                body="This document has no curse words!",
+                to="+213xxxxxxxx", # ضع رقم هاتفك
+                from_="+143xxxxxxx") # ضع رقمك في موقع twilio
+            print(message.sid)
+
+        else:
+            message = client.messages.create(
+                body="Could not scan the document properly.",
+                to="+213xxxxxxxx", # ضع رقم هاتفك
+                from_="+143xxxxxxx") # ضع رقمك في موقع twilio
+            print(message.sid)
+
+

الخطوة الأخيرة, ولكن في الواقع , هذه الخطوة الأولى, عندما تقوم بتشغيل البرنامج, +هذه الدالة سوف تبدأ بالعمل على استدعاء دالة read_text .

+
    def see_me_that_in_phone():
+              x = read_text()
+
+

دعونا نبدأ ;)

+
    see_me_that_in_phone()
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Twilio + Profanity/(Twilio + Profanity) English version/index.html b/docs/Twilio + Profanity/(Twilio + Profanity) English version/index.html new file mode 100644 index 0000000..5a50335 --- /dev/null +++ b/docs/Twilio + Profanity/(Twilio + Profanity) English version/index.html @@ -0,0 +1,505 @@ + + + + + + + + + + + (Twilio + Profanity) English version - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Twilio + Profanity »
  • + + + +
  • (Twilio + Profanity) English version
  • +
  • + +
  • +
+
+
+
+
+ +

(Twilio + Profanity) English version

+

added by @Modydj +Python 2.7 +2 in 1 (Twilio + Profanity Editor)

+

Mechanism of Action:

+
    +
  1. I will create def call: see_me_that_in_phone
  2. +
+

2 - I will make it back to the functions (check_profainty, read_text)

+

3 - Finally, I will receive on my mobile only the result if the message contains the words undesirable or not

+

Well, Let's start:

+

import the appropriate libraries in the first

+
    import urllib
+    from twilio.rest import Client
+
+

Write two def to check from our work, +The first one is read_text, which will read your target file.

+
    def read_text():
+        quotes = open(r'C:\Users\Desktop\movie_quotes.txt','r')# Let's change this address according to your destination
+        contents_of_file = quotes.read()
+        #print (contents_of_file)
+        quotes.close()
+        check_profanity(contents_of_file)
+
+

The second one is check profanity , which will take the order after knowing +the result by using read_text def.

+
    def check_profanity(text_to_check):
+        account_sid = "ACdXXXXXXXXXXXXXXXX" #Enter your twilio account_sid
+        auth_token = "3bXXXXXXXXXXXXXXXXX" # Enter your twilio account_token
+        client = Client(account_sid, auth_token)
+        connection = urllib.urlopen("http://www.wdylike.appspot.com/?q=" + text_to_check)
+        output= connection.read()
+        #print (output)
+        connection.close()
+
+        if "true" in output:
+            message = client.messages.create(
+                body="profainty Alert!",
+                to="+213xxxxxxxx", # put your number phone
+                from_="+143xxxxxxx")# put your number phone on Twilio
+            print(message.sid)
+
+        elif "false" in output:
+            message = client.messages.create(
+                body="This document has no curse words!",
+                to="+213xxxxxxxx",# put your number phone
+                from_="+143xxxxxxx")# put your number phone on Twilio
+            print(message.sid)
+
+        else:
+            message = client.messages.create(
+                body="Could not scan the document properly.",
+                to="+213xxxxxxxx",# put your number phone
+                from_="+143xxxxxxx")# put your number phone on Twilio
+            print(message.sid)
+
+

The last step, but in fact, this is the first step, when you run this program, +This def will start in the begging to summon read_text def.

+
    def see_me_that_in_phone():
+              x = read_text()
+
+

And here we go ;)

+
    see_me_that_in_phone()
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/Twilio + Profanity/(Twilio + Profanity) French version/index.html b/docs/Twilio + Profanity/(Twilio + Profanity) French version/index.html new file mode 100644 index 0000000..e512276 --- /dev/null +++ b/docs/Twilio + Profanity/(Twilio + Profanity) French version/index.html @@ -0,0 +1,505 @@ + + + + + + + + + + + (Twilio + Profanity) French version - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Twilio + Profanity »
  • + + + +
  • (Twilio + Profanity) French version
  • +
  • + +
  • +
+
+
+
+
+ +

(Twilio + Profanity) French version

+

ajouté par @Modydj +Python 2.7 +2 en 1 ( Twilio + Profanity Éditeur)

+

Mécanisme d'action:

+
    +
  1. Je vais créer def appel: see_me_that_in_phone
  2. +
+

2 - Je vais revenir aux fonctions: (check_profainty, read_text)

+

3 - Enfin, je recevrai sur mon portable le résultat si le message contient les mots indésirables ou non

+

Bien, On y va ;)

+

importer les bibliothèques appropriées dans le premier

+
    import urllib
+    from twilio.rest import Client
+
+

Ecrire deux def pour vérifier de notre travail, +Le premier est read_text, qui lira votre fichier cible.

+
    def read_text():
+        quotes = open(r'C:\Users\Desktop\movie_quotes.txt','r')# Changeons cette adresse en fonction de votre destination
+        contents_of_file = quotes.read()
+        #print (contents_of_file)
+        quotes.close()
+        check_profanity(contents_of_file)
+
+

Le second est de vérifier check_profanity, qui prendra l'ordre après avoir connu +le résultat en utilisant read_text def.

+
    def check_profanity(text_to_check):
+        account_sid = "ACdXXXXXXXXXXXXXXXX" # Entrez votre twilio account_sid
+        auth_token = "3bXXXXXXXXXXXXXXXXX" # Entrez votre twilio account_token
+        client = Client(account_sid, auth_token)
+        connection = urllib.urlopen("http://www.wdylike.appspot.com/?q=" + text_to_check)
+        output= connection.read()
+        #print (output)
+        connection.close()
+
+        if "true" in output:
+            message = client.messages.create(
+                body="profainty Alert!",
+                to="+213xxxxxxxx", # mettez votre numéro de téléphone
+                from_="+143xxxxxxx")# mettez votre numéro de téléphone sur Twilio
+            print(message.sid)
+
+        elif "false" in output:
+            message = client.messages.create(
+                body="This document has no curse words!",
+                to="+213xxxxxxxx",# mettez votre numéro de téléphone
+                from_="+143xxxxxxx")# mettez votre numéro de téléphone sur Twilio
+            print(message.sid)
+
+        else:
+            message = client.messages.create(
+                body="Could not scan the document properly.",
+                to="+213xxxxxxxx",# mettez votre numéro de téléphone
+                from_="+143xxxxxxx")# mettez votre numéro de téléphone sur Twilio
+            print(message.sid)
+
+

La dernière étape, mais en fait, c'est la première étape, lorsque vous exécutez ce programme, +Cette def commencera dans le begging pour invoquer read_text def.

+
    def see_me_that_in_phone():
+              x = read_text()
+
+

Et c'est parti ;)

+
    see_me_that_in_phone()
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/css/highlight.css b/docs/css/highlight.css new file mode 100644 index 0000000..0ae40a7 --- /dev/null +++ b/docs/css/highlight.css @@ -0,0 +1,124 @@ +/* +This is the GitHub theme for highlight.js + +github.com style (c) Vasily Polovnyov + +*/ + +.hljs { + display: block; + overflow-x: auto; + color: #333; + -webkit-text-size-adjust: none; +} + +.hljs-comment, +.diff .hljs-header, +.hljs-javadoc { + color: #998; + font-style: italic; +} + +.hljs-keyword, +.css .rule .hljs-keyword, +.hljs-winutils, +.nginx .hljs-title, +.hljs-subst, +.hljs-request, +.hljs-status { + color: #333; + font-weight: bold; +} + +.hljs-number, +.hljs-hexcolor, +.ruby .hljs-constant { + color: #008080; +} + +.hljs-string, +.hljs-tag .hljs-value, +.hljs-phpdoc, +.hljs-dartdoc, +.tex .hljs-formula { + color: #d14; +} + +.hljs-title, +.hljs-id, +.scss .hljs-preprocessor { + color: #900; + font-weight: bold; +} + +.hljs-list .hljs-keyword, +.hljs-subst { + font-weight: normal; +} + +.hljs-class .hljs-title, +.hljs-type, +.vhdl .hljs-literal, +.tex .hljs-command { + color: #458; + font-weight: bold; +} + +.hljs-tag, +.hljs-tag .hljs-title, +.hljs-rule .hljs-property, +.django .hljs-tag .hljs-keyword { + color: #000080; + font-weight: normal; +} + +.hljs-attribute, +.hljs-variable, +.lisp .hljs-body, +.hljs-name { + color: #008080; +} + +.hljs-regexp { + color: #009926; +} + +.hljs-symbol, +.ruby .hljs-symbol .hljs-string, +.lisp .hljs-keyword, +.clojure .hljs-keyword, +.scheme .hljs-keyword, +.tex .hljs-special, +.hljs-prompt { + color: #990073; +} + +.hljs-built_in { + color: #0086b3; +} + +.hljs-preprocessor, +.hljs-pragma, +.hljs-pi, +.hljs-doctype, +.hljs-shebang, +.hljs-cdata { + color: #999; + font-weight: bold; +} + +.hljs-deletion { + background: #fdd; +} + +.hljs-addition { + background: #dfd; +} + +.diff .hljs-change { + background: #0086b3; +} + +.hljs-chunk { + color: #aaa; +} diff --git a/docs/css/theme.css b/docs/css/theme.css new file mode 100644 index 0000000..099a2d8 --- /dev/null +++ b/docs/css/theme.css @@ -0,0 +1,12 @@ +/* + * This file is copied from the upstream ReadTheDocs Sphinx + * theme. To aid upgradability this file should *not* be edited. + * modifications we need should be included in theme_extra.css. + * + * https://github.com/rtfd/readthedocs.org/blob/master/readthedocs/core/static/core/css/theme.css + */ + +*{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}article,aside,details,figcaption,figure,footer,header,hgroup,nav,section{display:block}audio,canvas,video{display:inline-block;*display:inline;*zoom:1}audio:not([controls]){display:none}[hidden]{display:none}*{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}html{font-size:100%;-webkit-text-size-adjust:100%;-ms-text-size-adjust:100%}body{margin:0}a:hover,a:active{outline:0}abbr[title]{border-bottom:1px dotted}b,strong{font-weight:bold}blockquote{margin:0}dfn{font-style:italic}ins{background:#ff9;color:#000;text-decoration:none}mark{background:#ff0;color:#000;font-style:italic;font-weight:bold}pre,code,.rst-content tt,kbd,samp{font-family:monospace,serif;_font-family:"courier new",monospace;font-size:1em}pre{white-space:pre}q{quotes:none}q:before,q:after{content:"";content:none}small{font-size:85%}sub,sup{font-size:75%;line-height:0;position:relative;vertical-align:baseline}sup{top:-0.5em}sub{bottom:-0.25em}ul,ol,dl{margin:0;padding:0;list-style:none;list-style-image:none}li{list-style:none}dd{margin:0}img{border:0;-ms-interpolation-mode:bicubic;vertical-align:middle;max-width:100%}svg:not(:root){overflow:hidden}figure{margin:0}form{margin:0}fieldset{border:0;margin:0;padding:0}label{cursor:pointer}legend{border:0;*margin-left:-7px;padding:0;white-space:normal}button,input,select,textarea{font-size:100%;margin:0;vertical-align:baseline;*vertical-align:middle}button,input{line-height:normal}button,input[type="button"],input[type="reset"],input[type="submit"]{cursor:pointer;-webkit-appearance:button;*overflow:visible}button[disabled],input[disabled]{cursor:default}input[type="checkbox"],input[type="radio"]{box-sizing:border-box;padding:0;*width:13px;*height:13px}input[type="search"]{-webkit-appearance:textfield;-moz-box-sizing:content-box;-webkit-box-sizing:content-box;box-sizing:content-box}input[type="search"]::-webkit-search-decoration,input[type="search"]::-webkit-search-cancel-button{-webkit-appearance:none}button::-moz-focus-inner,input::-moz-focus-inner{border:0;padding:0}textarea{overflow:auto;vertical-align:top;resize:vertical}table{border-collapse:collapse;border-spacing:0}td{vertical-align:top}.chromeframe{margin:0.2em 0;background:#ccc;color:#000;padding:0.2em 0}.ir{display:block;border:0;text-indent:-999em;overflow:hidden;background-color:transparent;background-repeat:no-repeat;text-align:left;direction:ltr;*line-height:0}.ir br{display:none}.hidden{display:none !important;visibility:hidden}.visuallyhidden{border:0;clip:rect(0 0 0 0);height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute;width:1px}.visuallyhidden.focusable:active,.visuallyhidden.focusable:focus{clip:auto;height:auto;margin:0;overflow:visible;position:static;width:auto}.invisible{visibility:hidden}.relative{position:relative}big,small{font-size:100%}@media print{html,body,section{background:none !important}*{box-shadow:none !important;text-shadow:none !important;filter:none !important;-ms-filter:none !important}a,a:visited{text-decoration:underline}.ir a:after,a[href^="javascript:"]:after,a[href^="#"]:after{content:""}pre,blockquote{page-break-inside:avoid}thead{display:table-header-group}tr,img{page-break-inside:avoid}img{max-width:100% !important}@page{margin:0.5cm}p,h2,h3{orphans:3;widows:3}h2,h3{page-break-after:avoid}}.fa:before,.rst-content .admonition-title:before,.rst-content h1 .headerlink:before,.rst-content h2 .headerlink:before,.rst-content h3 .headerlink:before,.rst-content h4 .headerlink:before,.rst-content h5 .headerlink:before,.rst-content h6 .headerlink:before,.rst-content dl dt .headerlink:before,.icon:before,.wy-dropdown .caret:before,.wy-inline-validate.wy-inline-validate-success .wy-input-context:before,.wy-inline-validate.wy-inline-validate-danger .wy-input-context:before,.wy-inline-validate.wy-inline-validate-warning .wy-input-context:before,.wy-inline-validate.wy-inline-validate-info .wy-input-context:before,.wy-alert,.rst-content .note,.rst-content .attention,.rst-content .caution,.rst-content .danger,.rst-content .error,.rst-content .hint,.rst-content .important,.rst-content .tip,.rst-content .warning,.rst-content .seealso,.rst-content .admonition-todo,.btn,input[type="text"],input[type="password"],input[type="email"],input[type="url"],input[type="date"],input[type="month"],input[type="time"],input[type="datetime"],input[type="datetime-local"],input[type="week"],input[type="number"],input[type="search"],input[type="tel"],input[type="color"],select,textarea,.wy-menu-vertical li.on a,.wy-menu-vertical li.current>a,.wy-side-nav-search>a,.wy-side-nav-search .wy-dropdown>a,.wy-nav-top a{-webkit-font-smoothing:antialiased}.clearfix{*zoom:1}.clearfix:before,.clearfix:after{display:table;content:""}.clearfix:after{clear:both}/*! + * Font Awesome 4.1.0 by @davegandy - http://fontawesome.io - @fontawesome + * License - http://fontawesome.io/license (Font: SIL OFL 1.1, CSS: MIT License) + */@font-face{font-family:'FontAwesome';src:url("../fonts/fontawesome-webfont.eot?v=4.1.0");src:url("../fonts/fontawesome-webfont.eot?#iefix&v=4.1.0") format("embedded-opentype"),url("../fonts/fontawesome-webfont.woff?v=4.1.0") format("woff"),url("../fonts/fontawesome-webfont.ttf?v=4.1.0") format("truetype"),url("../fonts/fontawesome-webfont.svg?v=4.1.0#fontawesomeregular") format("svg");font-weight:normal;font-style:normal}.fa,.rst-content .admonition-title,.rst-content h1 .headerlink,.rst-content h2 .headerlink,.rst-content h3 .headerlink,.rst-content h4 .headerlink,.rst-content h5 .headerlink,.rst-content h6 .headerlink,.rst-content dl dt .headerlink,.icon{display:inline-block;font-family:FontAwesome;font-style:normal;font-weight:normal;line-height:1;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}.fa-lg{font-size:1.33333em;line-height:0.75em;vertical-align:-15%}.fa-2x{font-size:2em}.fa-3x{font-size:3em}.fa-4x{font-size:4em}.fa-5x{font-size:5em}.fa-fw{width:1.28571em;text-align:center}.fa-ul{padding-left:0;margin-left:2.14286em;list-style-type:none}.fa-ul>li{position:relative}.fa-li{position:absolute;left:-2.14286em;width:2.14286em;top:0.14286em;text-align:center}.fa-li.fa-lg{left:-1.85714em}.fa-border{padding:.2em .25em .15em;border:solid 0.08em #eee;border-radius:.1em}.pull-right{float:right}.pull-left{float:left}.fa.pull-left,.rst-content .pull-left.admonition-title,.rst-content h1 .pull-left.headerlink,.rst-content h2 .pull-left.headerlink,.rst-content h3 .pull-left.headerlink,.rst-content h4 .pull-left.headerlink,.rst-content h5 .pull-left.headerlink,.rst-content h6 .pull-left.headerlink,.rst-content dl dt .pull-left.headerlink,.pull-left.icon{margin-right:.3em}.fa.pull-right,.rst-content .pull-right.admonition-title,.rst-content h1 .pull-right.headerlink,.rst-content h2 .pull-right.headerlink,.rst-content h3 .pull-right.headerlink,.rst-content h4 .pull-right.headerlink,.rst-content h5 .pull-right.headerlink,.rst-content h6 .pull-right.headerlink,.rst-content dl dt .pull-right.headerlink,.pull-right.icon{margin-left:.3em}.fa-spin{-webkit-animation:spin 2s infinite linear;-moz-animation:spin 2s infinite linear;-o-animation:spin 2s infinite linear;animation:spin 2s infinite linear}@-moz-keyframes spin{0%{-moz-transform:rotate(0deg)}100%{-moz-transform:rotate(359deg)}}@-webkit-keyframes spin{0%{-webkit-transform:rotate(0deg)}100%{-webkit-transform:rotate(359deg)}}@-o-keyframes spin{0%{-o-transform:rotate(0deg)}100%{-o-transform:rotate(359deg)}}@keyframes spin{0%{-webkit-transform:rotate(0deg);transform:rotate(0deg)}100%{-webkit-transform:rotate(359deg);transform:rotate(359deg)}}.fa-rotate-90{filter:progid:DXImageTransform.Microsoft.BasicImage(rotation=1);-webkit-transform:rotate(90deg);-moz-transform:rotate(90deg);-ms-transform:rotate(90deg);-o-transform:rotate(90deg);transform:rotate(90deg)}.fa-rotate-180{filter:progid:DXImageTransform.Microsoft.BasicImage(rotation=2);-webkit-transform:rotate(180deg);-moz-transform:rotate(180deg);-ms-transform:rotate(180deg);-o-transform:rotate(180deg);transform:rotate(180deg)}.fa-rotate-270{filter:progid:DXImageTransform.Microsoft.BasicImage(rotation=3);-webkit-transform:rotate(270deg);-moz-transform:rotate(270deg);-ms-transform:rotate(270deg);-o-transform:rotate(270deg);transform:rotate(270deg)}.fa-flip-horizontal{filter:progid:DXImageTransform.Microsoft.BasicImage(rotation=0);-webkit-transform:scale(-1, 1);-moz-transform:scale(-1, 1);-ms-transform:scale(-1, 1);-o-transform:scale(-1, 1);transform:scale(-1, 1)}.fa-flip-vertical{filter:progid:DXImageTransform.Microsoft.BasicImage(rotation=2);-webkit-transform:scale(1, -1);-moz-transform:scale(1, -1);-ms-transform:scale(1, -1);-o-transform:scale(1, -1);transform:scale(1, -1)}.fa-stack{position:relative;display:inline-block;width:2em;height:2em;line-height:2em;vertical-align:middle}.fa-stack-1x,.fa-stack-2x{position:absolute;left:0;width:100%;text-align:center}.fa-stack-1x{line-height:inherit}.fa-stack-2x{font-size:2em}.fa-inverse{color:#fff}.fa-glass:before{content:""}.fa-music:before{content:""}.fa-search:before,.icon-search:before{content:""}.fa-envelope-o:before{content:""}.fa-heart:before{content:""}.fa-star:before{content:""}.fa-star-o:before{content:""}.fa-user:before{content:""}.fa-film:before{content:""}.fa-th-large:before{content:""}.fa-th:before{content:""}.fa-th-list:before{content:""}.fa-check:before{content:""}.fa-times:before{content:""}.fa-search-plus:before{content:""}.fa-search-minus:before{content:""}.fa-power-off:before{content:""}.fa-signal:before{content:""}.fa-gear:before,.fa-cog:before{content:""}.fa-trash-o:before{content:""}.fa-home:before,.icon-home:before{content:""}.fa-file-o:before{content:""}.fa-clock-o:before{content:""}.fa-road:before{content:""}.fa-download:before{content:""}.fa-arrow-circle-o-down:before{content:""}.fa-arrow-circle-o-up:before{content:""}.fa-inbox:before{content:""}.fa-play-circle-o:before{content:""}.fa-rotate-right:before,.fa-repeat:before{content:""}.fa-refresh:before{content:""}.fa-list-alt:before{content:""}.fa-lock:before{content:""}.fa-flag:before{content:""}.fa-headphones:before{content:""}.fa-volume-off:before{content:""}.fa-volume-down:before{content:""}.fa-volume-up:before{content:""}.fa-qrcode:before{content:""}.fa-barcode:before{content:""}.fa-tag:before{content:""}.fa-tags:before{content:""}.fa-book:before,.icon-book:before{content:""}.fa-bookmark:before{content:""}.fa-print:before{content:""}.fa-camera:before{content:""}.fa-font:before{content:""}.fa-bold:before{content:""}.fa-italic:before{content:""}.fa-text-height:before{content:""}.fa-text-width:before{content:""}.fa-align-left:before{content:""}.fa-align-center:before{content:""}.fa-align-right:before{content:""}.fa-align-justify:before{content:""}.fa-list:before{content:""}.fa-dedent:before,.fa-outdent:before{content:""}.fa-indent:before{content:""}.fa-video-camera:before{content:""}.fa-photo:before,.fa-image:before,.fa-picture-o:before{content:""}.fa-pencil:before{content:""}.fa-map-marker:before{content:""}.fa-adjust:before{content:""}.fa-tint:before{content:""}.fa-edit:before,.fa-pencil-square-o:before{content:""}.fa-share-square-o:before{content:""}.fa-check-square-o:before{content:""}.fa-arrows:before{content:""}.fa-step-backward:before{content:""}.fa-fast-backward:before{content:""}.fa-backward:before{content:""}.fa-play:before{content:""}.fa-pause:before{content:""}.fa-stop:before{content:""}.fa-forward:before{content:""}.fa-fast-forward:before{content:""}.fa-step-forward:before{content:""}.fa-eject:before{content:""}.fa-chevron-left:before{content:""}.fa-chevron-right:before{content:""}.fa-plus-circle:before{content:""}.fa-minus-circle:before{content:""}.fa-times-circle:before,.wy-inline-validate.wy-inline-validate-danger .wy-input-context:before{content:""}.fa-check-circle:before,.wy-inline-validate.wy-inline-validate-success .wy-input-context:before{content:""}.fa-question-circle:before{content:""}.fa-info-circle:before{content:""}.fa-crosshairs:before{content:""}.fa-times-circle-o:before{content:""}.fa-check-circle-o:before{content:""}.fa-ban:before{content:""}.fa-arrow-left:before{content:""}.fa-arrow-right:before{content:""}.fa-arrow-up:before{content:""}.fa-arrow-down:before{content:""}.fa-mail-forward:before,.fa-share:before{content:""}.fa-expand:before{content:""}.fa-compress:before{content:""}.fa-plus:before{content:""}.fa-minus:before{content:""}.fa-asterisk:before{content:""}.fa-exclamation-circle:before,.wy-inline-validate.wy-inline-validate-warning .wy-input-context:before,.wy-inline-validate.wy-inline-validate-info .wy-input-context:before,.rst-content .admonition-title:before{content:""}.fa-gift:before{content:""}.fa-leaf:before{content:""}.fa-fire:before,.icon-fire:before{content:""}.fa-eye:before{content:""}.fa-eye-slash:before{content:""}.fa-warning:before,.fa-exclamation-triangle:before{content:""}.fa-plane:before{content:""}.fa-calendar:before{content:""}.fa-random:before{content:""}.fa-comment:before{content:""}.fa-magnet:before{content:""}.fa-chevron-up:before{content:""}.fa-chevron-down:before{content:""}.fa-retweet:before{content:""}.fa-shopping-cart:before{content:""}.fa-folder:before{content:""}.fa-folder-open:before{content:""}.fa-arrows-v:before{content:""}.fa-arrows-h:before{content:""}.fa-bar-chart-o:before{content:""}.fa-twitter-square:before{content:""}.fa-facebook-square:before{content:""}.fa-camera-retro:before{content:""}.fa-key:before{content:""}.fa-gears:before,.fa-cogs:before{content:""}.fa-comments:before{content:""}.fa-thumbs-o-up:before{content:""}.fa-thumbs-o-down:before{content:""}.fa-star-half:before{content:""}.fa-heart-o:before{content:""}.fa-sign-out:before{content:""}.fa-linkedin-square:before{content:""}.fa-thumb-tack:before{content:""}.fa-external-link:before{content:""}.fa-sign-in:before{content:""}.fa-trophy:before{content:""}.fa-github-square:before{content:""}.fa-upload:before{content:""}.fa-lemon-o:before{content:""}.fa-phone:before{content:""}.fa-square-o:before{content:""}.fa-bookmark-o:before{content:""}.fa-phone-square:before{content:""}.fa-twitter:before{content:""}.fa-facebook:before{content:""}.fa-github:before,.icon-github:before{content:""}.fa-unlock:before{content:""}.fa-credit-card:before{content:""}.fa-rss:before{content:""}.fa-hdd-o:before{content:""}.fa-bullhorn:before{content:""}.fa-bell:before{content:""}.fa-certificate:before{content:""}.fa-hand-o-right:before{content:""}.fa-hand-o-left:before{content:""}.fa-hand-o-up:before{content:""}.fa-hand-o-down:before{content:""}.fa-arrow-circle-left:before,.icon-circle-arrow-left:before{content:""}.fa-arrow-circle-right:before,.icon-circle-arrow-right:before{content:""}.fa-arrow-circle-up:before{content:""}.fa-arrow-circle-down:before{content:""}.fa-globe:before{content:""}.fa-wrench:before{content:""}.fa-tasks:before{content:""}.fa-filter:before{content:""}.fa-briefcase:before{content:""}.fa-arrows-alt:before{content:""}.fa-group:before,.fa-users:before{content:""}.fa-chain:before,.fa-link:before,.icon-link:before{content:""}.fa-cloud:before{content:""}.fa-flask:before{content:""}.fa-cut:before,.fa-scissors:before{content:""}.fa-copy:before,.fa-files-o:before{content:""}.fa-paperclip:before{content:""}.fa-save:before,.fa-floppy-o:before{content:""}.fa-square:before{content:""}.fa-navicon:before,.fa-reorder:before,.fa-bars:before{content:""}.fa-list-ul:before{content:""}.fa-list-ol:before{content:""}.fa-strikethrough:before{content:""}.fa-underline:before{content:""}.fa-table:before{content:""}.fa-magic:before{content:""}.fa-truck:before{content:""}.fa-pinterest:before{content:""}.fa-pinterest-square:before{content:""}.fa-google-plus-square:before{content:""}.fa-google-plus:before{content:""}.fa-money:before{content:""}.fa-caret-down:before,.wy-dropdown .caret:before,.icon-caret-down:before{content:""}.fa-caret-up:before{content:""}.fa-caret-left:before{content:""}.fa-caret-right:before{content:""}.fa-columns:before{content:""}.fa-unsorted:before,.fa-sort:before{content:""}.fa-sort-down:before,.fa-sort-desc:before{content:""}.fa-sort-up:before,.fa-sort-asc:before{content:""}.fa-envelope:before{content:""}.fa-linkedin:before{content:""}.fa-rotate-left:before,.fa-undo:before{content:""}.fa-legal:before,.fa-gavel:before{content:""}.fa-dashboard:before,.fa-tachometer:before{content:""}.fa-comment-o:before{content:""}.fa-comments-o:before{content:""}.fa-flash:before,.fa-bolt:before{content:""}.fa-sitemap:before{content:""}.fa-umbrella:before{content:""}.fa-paste:before,.fa-clipboard:before{content:""}.fa-lightbulb-o:before{content:""}.fa-exchange:before{content:""}.fa-cloud-download:before{content:""}.fa-cloud-upload:before{content:""}.fa-user-md:before{content:""}.fa-stethoscope:before{content:""}.fa-suitcase:before{content:""}.fa-bell-o:before{content:""}.fa-coffee:before{content:""}.fa-cutlery:before{content:""}.fa-file-text-o:before{content:""}.fa-building-o:before{content:""}.fa-hospital-o:before{content:""}.fa-ambulance:before{content:""}.fa-medkit:before{content:""}.fa-fighter-jet:before{content:""}.fa-beer:before{content:""}.fa-h-square:before{content:""}.fa-plus-square:before{content:""}.fa-angle-double-left:before{content:""}.fa-angle-double-right:before{content:""}.fa-angle-double-up:before{content:""}.fa-angle-double-down:before{content:""}.fa-angle-left:before{content:""}.fa-angle-right:before{content:""}.fa-angle-up:before{content:""}.fa-angle-down:before{content:""}.fa-desktop:before{content:""}.fa-laptop:before{content:""}.fa-tablet:before{content:""}.fa-mobile-phone:before,.fa-mobile:before{content:""}.fa-circle-o:before{content:""}.fa-quote-left:before{content:""}.fa-quote-right:before{content:""}.fa-spinner:before{content:""}.fa-circle:before{content:""}.fa-mail-reply:before,.fa-reply:before{content:""}.fa-github-alt:before{content:""}.fa-folder-o:before{content:""}.fa-folder-open-o:before{content:""}.fa-smile-o:before{content:""}.fa-frown-o:before{content:""}.fa-meh-o:before{content:""}.fa-gamepad:before{content:""}.fa-keyboard-o:before{content:""}.fa-flag-o:before{content:""}.fa-flag-checkered:before{content:""}.fa-terminal:before{content:""}.fa-code:before{content:""}.fa-mail-reply-all:before,.fa-reply-all:before{content:""}.fa-star-half-empty:before,.fa-star-half-full:before,.fa-star-half-o:before{content:""}.fa-location-arrow:before{content:""}.fa-crop:before{content:""}.fa-code-fork:before{content:""}.fa-unlink:before,.fa-chain-broken:before{content:""}.fa-question:before{content:""}.fa-info:before{content:""}.fa-exclamation:before{content:""}.fa-superscript:before{content:""}.fa-subscript:before{content:""}.fa-eraser:before{content:""}.fa-puzzle-piece:before{content:""}.fa-microphone:before{content:""}.fa-microphone-slash:before{content:""}.fa-shield:before{content:""}.fa-calendar-o:before{content:""}.fa-fire-extinguisher:before{content:""}.fa-rocket:before{content:""}.fa-maxcdn:before{content:""}.fa-chevron-circle-left:before{content:""}.fa-chevron-circle-right:before{content:""}.fa-chevron-circle-up:before{content:""}.fa-chevron-circle-down:before{content:""}.fa-html5:before{content:""}.fa-css3:before{content:""}.fa-anchor:before{content:""}.fa-unlock-alt:before{content:""}.fa-bullseye:before{content:""}.fa-ellipsis-h:before{content:""}.fa-ellipsis-v:before{content:""}.fa-rss-square:before{content:""}.fa-play-circle:before{content:""}.fa-ticket:before{content:""}.fa-minus-square:before{content:""}.fa-minus-square-o:before{content:""}.fa-level-up:before{content:""}.fa-level-down:before{content:""}.fa-check-square:before{content:""}.fa-pencil-square:before{content:""}.fa-external-link-square:before{content:""}.fa-share-square:before{content:""}.fa-compass:before{content:""}.fa-toggle-down:before,.fa-caret-square-o-down:before{content:""}.fa-toggle-up:before,.fa-caret-square-o-up:before{content:""}.fa-toggle-right:before,.fa-caret-square-o-right:before{content:""}.fa-euro:before,.fa-eur:before{content:""}.fa-gbp:before{content:""}.fa-dollar:before,.fa-usd:before{content:""}.fa-rupee:before,.fa-inr:before{content:""}.fa-cny:before,.fa-rmb:before,.fa-yen:before,.fa-jpy:before{content:""}.fa-ruble:before,.fa-rouble:before,.fa-rub:before{content:""}.fa-won:before,.fa-krw:before{content:""}.fa-bitcoin:before,.fa-btc:before{content:""}.fa-file:before{content:""}.fa-file-text:before{content:""}.fa-sort-alpha-asc:before{content:""}.fa-sort-alpha-desc:before{content:""}.fa-sort-amount-asc:before{content:""}.fa-sort-amount-desc:before{content:""}.fa-sort-numeric-asc:before{content:""}.fa-sort-numeric-desc:before{content:""}.fa-thumbs-up:before{content:""}.fa-thumbs-down:before{content:""}.fa-youtube-square:before{content:""}.fa-youtube:before{content:""}.fa-xing:before{content:""}.fa-xing-square:before{content:""}.fa-youtube-play:before{content:""}.fa-dropbox:before{content:""}.fa-stack-overflow:before{content:""}.fa-instagram:before{content:""}.fa-flickr:before{content:""}.fa-adn:before{content:""}.fa-bitbucket:before,.icon-bitbucket:before{content:""}.fa-bitbucket-square:before{content:""}.fa-tumblr:before{content:""}.fa-tumblr-square:before{content:""}.fa-long-arrow-down:before{content:""}.fa-long-arrow-up:before{content:""}.fa-long-arrow-left:before{content:""}.fa-long-arrow-right:before{content:""}.fa-apple:before{content:""}.fa-windows:before{content:""}.fa-android:before{content:""}.fa-linux:before{content:""}.fa-dribbble:before{content:""}.fa-skype:before{content:""}.fa-foursquare:before{content:""}.fa-trello:before{content:""}.fa-female:before{content:""}.fa-male:before{content:""}.fa-gittip:before{content:""}.fa-sun-o:before{content:""}.fa-moon-o:before{content:""}.fa-archive:before{content:""}.fa-bug:before{content:""}.fa-vk:before{content:""}.fa-weibo:before{content:""}.fa-renren:before{content:""}.fa-pagelines:before{content:""}.fa-stack-exchange:before{content:""}.fa-arrow-circle-o-right:before{content:""}.fa-arrow-circle-o-left:before{content:""}.fa-toggle-left:before,.fa-caret-square-o-left:before{content:""}.fa-dot-circle-o:before{content:""}.fa-wheelchair:before{content:""}.fa-vimeo-square:before{content:""}.fa-turkish-lira:before,.fa-try:before{content:""}.fa-plus-square-o:before{content:""}.fa-space-shuttle:before{content:""}.fa-slack:before{content:""}.fa-envelope-square:before{content:""}.fa-wordpress:before{content:""}.fa-openid:before{content:""}.fa-institution:before,.fa-bank:before,.fa-university:before{content:""}.fa-mortar-board:before,.fa-graduation-cap:before{content:""}.fa-yahoo:before{content:""}.fa-google:before{content:""}.fa-reddit:before{content:""}.fa-reddit-square:before{content:""}.fa-stumbleupon-circle:before{content:""}.fa-stumbleupon:before{content:""}.fa-delicious:before{content:""}.fa-digg:before{content:""}.fa-pied-piper-square:before,.fa-pied-piper:before{content:""}.fa-pied-piper-alt:before{content:""}.fa-drupal:before{content:""}.fa-joomla:before{content:""}.fa-language:before{content:""}.fa-fax:before{content:""}.fa-building:before{content:""}.fa-child:before{content:""}.fa-paw:before{content:""}.fa-spoon:before{content:""}.fa-cube:before{content:""}.fa-cubes:before{content:""}.fa-behance:before{content:""}.fa-behance-square:before{content:""}.fa-steam:before{content:""}.fa-steam-square:before{content:""}.fa-recycle:before{content:""}.fa-automobile:before,.fa-car:before{content:""}.fa-cab:before,.fa-taxi:before{content:""}.fa-tree:before{content:""}.fa-spotify:before{content:""}.fa-deviantart:before{content:""}.fa-soundcloud:before{content:""}.fa-database:before{content:""}.fa-file-pdf-o:before{content:""}.fa-file-word-o:before{content:""}.fa-file-excel-o:before{content:""}.fa-file-powerpoint-o:before{content:""}.fa-file-photo-o:before,.fa-file-picture-o:before,.fa-file-image-o:before{content:""}.fa-file-zip-o:before,.fa-file-archive-o:before{content:""}.fa-file-sound-o:before,.fa-file-audio-o:before{content:""}.fa-file-movie-o:before,.fa-file-video-o:before{content:""}.fa-file-code-o:before{content:""}.fa-vine:before{content:""}.fa-codepen:before{content:""}.fa-jsfiddle:before{content:""}.fa-life-bouy:before,.fa-life-saver:before,.fa-support:before,.fa-life-ring:before{content:""}.fa-circle-o-notch:before{content:""}.fa-ra:before,.fa-rebel:before{content:""}.fa-ge:before,.fa-empire:before{content:""}.fa-git-square:before{content:""}.fa-git:before{content:""}.fa-hacker-news:before{content:""}.fa-tencent-weibo:before{content:""}.fa-qq:before{content:""}.fa-wechat:before,.fa-weixin:before{content:""}.fa-send:before,.fa-paper-plane:before{content:""}.fa-send-o:before,.fa-paper-plane-o:before{content:""}.fa-history:before{content:""}.fa-circle-thin:before{content:""}.fa-header:before{content:""}.fa-paragraph:before{content:""}.fa-sliders:before{content:""}.fa-share-alt:before{content:""}.fa-share-alt-square:before{content:""}.fa-bomb:before{content:""}.fa,.rst-content .admonition-title,.rst-content h1 .headerlink,.rst-content h2 .headerlink,.rst-content h3 .headerlink,.rst-content h4 .headerlink,.rst-content h5 .headerlink,.rst-content h6 .headerlink,.rst-content dl dt .headerlink,.icon,.wy-dropdown .caret,.wy-inline-validate.wy-inline-validate-success .wy-input-context,.wy-inline-validate.wy-inline-validate-danger .wy-input-context,.wy-inline-validate.wy-inline-validate-warning .wy-input-context,.wy-inline-validate.wy-inline-validate-info .wy-input-context{font-family:inherit}.fa:before,.rst-content .admonition-title:before,.rst-content h1 .headerlink:before,.rst-content h2 .headerlink:before,.rst-content h3 .headerlink:before,.rst-content h4 .headerlink:before,.rst-content h5 .headerlink:before,.rst-content h6 .headerlink:before,.rst-content dl dt .headerlink:before,.icon:before,.wy-dropdown .caret:before,.wy-inline-validate.wy-inline-validate-success .wy-input-context:before,.wy-inline-validate.wy-inline-validate-danger .wy-input-context:before,.wy-inline-validate.wy-inline-validate-warning .wy-input-context:before,.wy-inline-validate.wy-inline-validate-info .wy-input-context:before{font-family:"FontAwesome";display:inline-block;font-style:normal;font-weight:normal;line-height:1;text-decoration:inherit}a .fa,a .rst-content .admonition-title,.rst-content a .admonition-title,a .rst-content h1 .headerlink,.rst-content h1 a .headerlink,a .rst-content h2 .headerlink,.rst-content h2 a .headerlink,a .rst-content h3 .headerlink,.rst-content h3 a .headerlink,a .rst-content h4 .headerlink,.rst-content h4 a .headerlink,a .rst-content h5 .headerlink,.rst-content h5 a .headerlink,a .rst-content h6 .headerlink,.rst-content h6 a .headerlink,a .rst-content dl dt .headerlink,.rst-content dl dt a .headerlink,a .icon{display:inline-block;text-decoration:inherit}.btn .fa,.btn .rst-content .admonition-title,.rst-content .btn .admonition-title,.btn .rst-content h1 .headerlink,.rst-content h1 .btn .headerlink,.btn .rst-content h2 .headerlink,.rst-content h2 .btn .headerlink,.btn .rst-content h3 .headerlink,.rst-content h3 .btn .headerlink,.btn .rst-content h4 .headerlink,.rst-content h4 .btn .headerlink,.btn .rst-content h5 .headerlink,.rst-content h5 .btn .headerlink,.btn .rst-content h6 .headerlink,.rst-content h6 .btn .headerlink,.btn .rst-content dl dt .headerlink,.rst-content dl dt .btn .headerlink,.btn .icon,.nav .fa,.nav .rst-content .admonition-title,.rst-content .nav .admonition-title,.nav .rst-content h1 .headerlink,.rst-content h1 .nav .headerlink,.nav .rst-content h2 .headerlink,.rst-content h2 .nav .headerlink,.nav .rst-content h3 .headerlink,.rst-content h3 .nav .headerlink,.nav .rst-content h4 .headerlink,.rst-content h4 .nav .headerlink,.nav .rst-content h5 .headerlink,.rst-content h5 .nav .headerlink,.nav .rst-content h6 .headerlink,.rst-content h6 .nav .headerlink,.nav .rst-content dl dt .headerlink,.rst-content dl dt .nav .headerlink,.nav .icon{display:inline}.btn .fa.fa-large,.btn .rst-content .fa-large.admonition-title,.rst-content .btn .fa-large.admonition-title,.btn .rst-content h1 .fa-large.headerlink,.rst-content h1 .btn .fa-large.headerlink,.btn .rst-content h2 .fa-large.headerlink,.rst-content h2 .btn .fa-large.headerlink,.btn .rst-content h3 .fa-large.headerlink,.rst-content h3 .btn .fa-large.headerlink,.btn .rst-content h4 .fa-large.headerlink,.rst-content h4 .btn .fa-large.headerlink,.btn .rst-content h5 .fa-large.headerlink,.rst-content h5 .btn .fa-large.headerlink,.btn .rst-content h6 .fa-large.headerlink,.rst-content h6 .btn .fa-large.headerlink,.btn .rst-content dl dt .fa-large.headerlink,.rst-content dl dt .btn .fa-large.headerlink,.btn .fa-large.icon,.nav .fa.fa-large,.nav .rst-content .fa-large.admonition-title,.rst-content .nav .fa-large.admonition-title,.nav .rst-content h1 .fa-large.headerlink,.rst-content h1 .nav .fa-large.headerlink,.nav .rst-content h2 .fa-large.headerlink,.rst-content h2 .nav .fa-large.headerlink,.nav .rst-content h3 .fa-large.headerlink,.rst-content h3 .nav .fa-large.headerlink,.nav .rst-content h4 .fa-large.headerlink,.rst-content h4 .nav .fa-large.headerlink,.nav .rst-content h5 .fa-large.headerlink,.rst-content h5 .nav .fa-large.headerlink,.nav .rst-content h6 .fa-large.headerlink,.rst-content h6 .nav .fa-large.headerlink,.nav .rst-content dl dt .fa-large.headerlink,.rst-content dl dt .nav .fa-large.headerlink,.nav .fa-large.icon{line-height:0.9em}.btn .fa.fa-spin,.btn .rst-content .fa-spin.admonition-title,.rst-content .btn .fa-spin.admonition-title,.btn .rst-content h1 .fa-spin.headerlink,.rst-content h1 .btn .fa-spin.headerlink,.btn .rst-content h2 .fa-spin.headerlink,.rst-content h2 .btn .fa-spin.headerlink,.btn .rst-content h3 .fa-spin.headerlink,.rst-content h3 .btn .fa-spin.headerlink,.btn .rst-content h4 .fa-spin.headerlink,.rst-content h4 .btn .fa-spin.headerlink,.btn .rst-content h5 .fa-spin.headerlink,.rst-content h5 .btn .fa-spin.headerlink,.btn .rst-content h6 .fa-spin.headerlink,.rst-content h6 .btn .fa-spin.headerlink,.btn .rst-content dl dt .fa-spin.headerlink,.rst-content dl dt .btn .fa-spin.headerlink,.btn .fa-spin.icon,.nav .fa.fa-spin,.nav .rst-content .fa-spin.admonition-title,.rst-content .nav .fa-spin.admonition-title,.nav .rst-content h1 .fa-spin.headerlink,.rst-content h1 .nav .fa-spin.headerlink,.nav .rst-content h2 .fa-spin.headerlink,.rst-content h2 .nav .fa-spin.headerlink,.nav .rst-content h3 .fa-spin.headerlink,.rst-content h3 .nav .fa-spin.headerlink,.nav .rst-content h4 .fa-spin.headerlink,.rst-content h4 .nav .fa-spin.headerlink,.nav .rst-content h5 .fa-spin.headerlink,.rst-content h5 .nav .fa-spin.headerlink,.nav .rst-content h6 .fa-spin.headerlink,.rst-content h6 .nav .fa-spin.headerlink,.nav .rst-content dl dt .fa-spin.headerlink,.rst-content dl dt .nav .fa-spin.headerlink,.nav .fa-spin.icon{display:inline-block}.btn.fa:before,.rst-content .btn.admonition-title:before,.rst-content h1 .btn.headerlink:before,.rst-content h2 .btn.headerlink:before,.rst-content h3 .btn.headerlink:before,.rst-content h4 .btn.headerlink:before,.rst-content h5 .btn.headerlink:before,.rst-content h6 .btn.headerlink:before,.rst-content dl dt .btn.headerlink:before,.btn.icon:before{opacity:0.5;-webkit-transition:opacity 0.05s ease-in;-moz-transition:opacity 0.05s ease-in;transition:opacity 0.05s ease-in}.btn.fa:hover:before,.rst-content .btn.admonition-title:hover:before,.rst-content h1 .btn.headerlink:hover:before,.rst-content h2 .btn.headerlink:hover:before,.rst-content h3 .btn.headerlink:hover:before,.rst-content h4 .btn.headerlink:hover:before,.rst-content h5 .btn.headerlink:hover:before,.rst-content h6 .btn.headerlink:hover:before,.rst-content dl dt .btn.headerlink:hover:before,.btn.icon:hover:before{opacity:1}.btn-mini .fa:before,.btn-mini .rst-content .admonition-title:before,.rst-content .btn-mini .admonition-title:before,.btn-mini .rst-content h1 .headerlink:before,.rst-content h1 .btn-mini .headerlink:before,.btn-mini .rst-content h2 .headerlink:before,.rst-content h2 .btn-mini .headerlink:before,.btn-mini .rst-content h3 .headerlink:before,.rst-content h3 .btn-mini .headerlink:before,.btn-mini .rst-content h4 .headerlink:before,.rst-content h4 .btn-mini .headerlink:before,.btn-mini .rst-content h5 .headerlink:before,.rst-content h5 .btn-mini .headerlink:before,.btn-mini .rst-content h6 .headerlink:before,.rst-content h6 .btn-mini .headerlink:before,.btn-mini .rst-content dl dt .headerlink:before,.rst-content dl dt .btn-mini .headerlink:before,.btn-mini .icon:before{font-size:14px;vertical-align:-15%}.wy-alert,.rst-content .note,.rst-content .attention,.rst-content .caution,.rst-content .danger,.rst-content .error,.rst-content .hint,.rst-content .important,.rst-content .tip,.rst-content .warning,.rst-content .seealso,.rst-content .admonition-todo{padding:12px;line-height:24px;margin-bottom:24px;background:#e7f2fa}.wy-alert-title,.rst-content .admonition-title{color:#fff;font-weight:bold;display:block;color:#fff;background:#6ab0de;margin:-12px;padding:6px 12px;margin-bottom:12px}.wy-alert.wy-alert-danger,.rst-content .wy-alert-danger.note,.rst-content .wy-alert-danger.attention,.rst-content .wy-alert-danger.caution,.rst-content .danger,.rst-content .error,.rst-content .wy-alert-danger.hint,.rst-content .wy-alert-danger.important,.rst-content .wy-alert-danger.tip,.rst-content .wy-alert-danger.warning,.rst-content .wy-alert-danger.seealso,.rst-content .wy-alert-danger.admonition-todo{background:#fdf3f2}.wy-alert.wy-alert-danger .wy-alert-title,.rst-content .wy-alert-danger.note .wy-alert-title,.rst-content .wy-alert-danger.attention .wy-alert-title,.rst-content .wy-alert-danger.caution .wy-alert-title,.rst-content .danger .wy-alert-title,.rst-content .error .wy-alert-title,.rst-content .wy-alert-danger.hint .wy-alert-title,.rst-content .wy-alert-danger.important .wy-alert-title,.rst-content .wy-alert-danger.tip .wy-alert-title,.rst-content .wy-alert-danger.warning .wy-alert-title,.rst-content .wy-alert-danger.seealso .wy-alert-title,.rst-content .wy-alert-danger.admonition-todo .wy-alert-title,.wy-alert.wy-alert-danger .rst-content .admonition-title,.rst-content .wy-alert.wy-alert-danger .admonition-title,.rst-content .wy-alert-danger.note .admonition-title,.rst-content .wy-alert-danger.attention .admonition-title,.rst-content .wy-alert-danger.caution .admonition-title,.rst-content .danger .admonition-title,.rst-content .error .admonition-title,.rst-content .wy-alert-danger.hint .admonition-title,.rst-content .wy-alert-danger.important .admonition-title,.rst-content .wy-alert-danger.tip .admonition-title,.rst-content .wy-alert-danger.warning .admonition-title,.rst-content .wy-alert-danger.seealso .admonition-title,.rst-content .wy-alert-danger.admonition-todo .admonition-title{background:#f29f97}.wy-alert.wy-alert-warning,.rst-content .wy-alert-warning.note,.rst-content .attention,.rst-content .caution,.rst-content .wy-alert-warning.danger,.rst-content .wy-alert-warning.error,.rst-content .wy-alert-warning.hint,.rst-content .wy-alert-warning.important,.rst-content .wy-alert-warning.tip,.rst-content .warning,.rst-content .wy-alert-warning.seealso,.rst-content .admonition-todo{background:#ffedcc}.wy-alert.wy-alert-warning .wy-alert-title,.rst-content .wy-alert-warning.note .wy-alert-title,.rst-content .attention .wy-alert-title,.rst-content .caution .wy-alert-title,.rst-content .wy-alert-warning.danger .wy-alert-title,.rst-content .wy-alert-warning.error .wy-alert-title,.rst-content .wy-alert-warning.hint .wy-alert-title,.rst-content .wy-alert-warning.important .wy-alert-title,.rst-content .wy-alert-warning.tip .wy-alert-title,.rst-content .warning .wy-alert-title,.rst-content .wy-alert-warning.seealso .wy-alert-title,.rst-content .admonition-todo .wy-alert-title,.wy-alert.wy-alert-warning .rst-content .admonition-title,.rst-content .wy-alert.wy-alert-warning .admonition-title,.rst-content .wy-alert-warning.note .admonition-title,.rst-content .attention .admonition-title,.rst-content .caution .admonition-title,.rst-content .wy-alert-warning.danger .admonition-title,.rst-content .wy-alert-warning.error .admonition-title,.rst-content .wy-alert-warning.hint .admonition-title,.rst-content .wy-alert-warning.important .admonition-title,.rst-content .wy-alert-warning.tip .admonition-title,.rst-content .warning .admonition-title,.rst-content .wy-alert-warning.seealso .admonition-title,.rst-content .admonition-todo .admonition-title{background:#f0b37e}.wy-alert.wy-alert-info,.rst-content .note,.rst-content .wy-alert-info.attention,.rst-content .wy-alert-info.caution,.rst-content .wy-alert-info.danger,.rst-content .wy-alert-info.error,.rst-content .wy-alert-info.hint,.rst-content .wy-alert-info.important,.rst-content .wy-alert-info.tip,.rst-content .wy-alert-info.warning,.rst-content .seealso,.rst-content .wy-alert-info.admonition-todo{background:#e7f2fa}.wy-alert.wy-alert-info .wy-alert-title,.rst-content .note .wy-alert-title,.rst-content .wy-alert-info.attention .wy-alert-title,.rst-content .wy-alert-info.caution .wy-alert-title,.rst-content .wy-alert-info.danger .wy-alert-title,.rst-content .wy-alert-info.error .wy-alert-title,.rst-content .wy-alert-info.hint .wy-alert-title,.rst-content .wy-alert-info.important .wy-alert-title,.rst-content .wy-alert-info.tip .wy-alert-title,.rst-content .wy-alert-info.warning .wy-alert-title,.rst-content .seealso .wy-alert-title,.rst-content .wy-alert-info.admonition-todo .wy-alert-title,.wy-alert.wy-alert-info .rst-content .admonition-title,.rst-content .wy-alert.wy-alert-info .admonition-title,.rst-content .note .admonition-title,.rst-content .wy-alert-info.attention .admonition-title,.rst-content .wy-alert-info.caution .admonition-title,.rst-content .wy-alert-info.danger .admonition-title,.rst-content .wy-alert-info.error .admonition-title,.rst-content .wy-alert-info.hint .admonition-title,.rst-content .wy-alert-info.important .admonition-title,.rst-content .wy-alert-info.tip .admonition-title,.rst-content .wy-alert-info.warning .admonition-title,.rst-content .seealso .admonition-title,.rst-content .wy-alert-info.admonition-todo .admonition-title{background:#6ab0de}.wy-alert.wy-alert-success,.rst-content .wy-alert-success.note,.rst-content .wy-alert-success.attention,.rst-content .wy-alert-success.caution,.rst-content .wy-alert-success.danger,.rst-content .wy-alert-success.error,.rst-content .hint,.rst-content .important,.rst-content .tip,.rst-content .wy-alert-success.warning,.rst-content .wy-alert-success.seealso,.rst-content .wy-alert-success.admonition-todo{background:#dbfaf4}.wy-alert.wy-alert-success .wy-alert-title,.rst-content .wy-alert-success.note .wy-alert-title,.rst-content .wy-alert-success.attention .wy-alert-title,.rst-content .wy-alert-success.caution .wy-alert-title,.rst-content .wy-alert-success.danger .wy-alert-title,.rst-content .wy-alert-success.error .wy-alert-title,.rst-content .hint .wy-alert-title,.rst-content .important .wy-alert-title,.rst-content .tip .wy-alert-title,.rst-content .wy-alert-success.warning .wy-alert-title,.rst-content .wy-alert-success.seealso .wy-alert-title,.rst-content .wy-alert-success.admonition-todo .wy-alert-title,.wy-alert.wy-alert-success .rst-content .admonition-title,.rst-content .wy-alert.wy-alert-success .admonition-title,.rst-content .wy-alert-success.note .admonition-title,.rst-content .wy-alert-success.attention .admonition-title,.rst-content .wy-alert-success.caution .admonition-title,.rst-content .wy-alert-success.danger .admonition-title,.rst-content .wy-alert-success.error .admonition-title,.rst-content .hint .admonition-title,.rst-content .important .admonition-title,.rst-content .tip .admonition-title,.rst-content .wy-alert-success.warning .admonition-title,.rst-content .wy-alert-success.seealso .admonition-title,.rst-content .wy-alert-success.admonition-todo .admonition-title{background:#1abc9c}.wy-alert.wy-alert-neutral,.rst-content .wy-alert-neutral.note,.rst-content .wy-alert-neutral.attention,.rst-content .wy-alert-neutral.caution,.rst-content .wy-alert-neutral.danger,.rst-content .wy-alert-neutral.error,.rst-content .wy-alert-neutral.hint,.rst-content .wy-alert-neutral.important,.rst-content .wy-alert-neutral.tip,.rst-content .wy-alert-neutral.warning,.rst-content .wy-alert-neutral.seealso,.rst-content .wy-alert-neutral.admonition-todo{background:#f3f6f6}.wy-alert.wy-alert-neutral .wy-alert-title,.rst-content .wy-alert-neutral.note .wy-alert-title,.rst-content .wy-alert-neutral.attention .wy-alert-title,.rst-content .wy-alert-neutral.caution .wy-alert-title,.rst-content .wy-alert-neutral.danger .wy-alert-title,.rst-content .wy-alert-neutral.error .wy-alert-title,.rst-content .wy-alert-neutral.hint .wy-alert-title,.rst-content .wy-alert-neutral.important .wy-alert-title,.rst-content .wy-alert-neutral.tip .wy-alert-title,.rst-content .wy-alert-neutral.warning .wy-alert-title,.rst-content .wy-alert-neutral.seealso .wy-alert-title,.rst-content .wy-alert-neutral.admonition-todo .wy-alert-title,.wy-alert.wy-alert-neutral .rst-content .admonition-title,.rst-content .wy-alert.wy-alert-neutral .admonition-title,.rst-content .wy-alert-neutral.note .admonition-title,.rst-content .wy-alert-neutral.attention .admonition-title,.rst-content .wy-alert-neutral.caution .admonition-title,.rst-content .wy-alert-neutral.danger .admonition-title,.rst-content .wy-alert-neutral.error .admonition-title,.rst-content .wy-alert-neutral.hint .admonition-title,.rst-content .wy-alert-neutral.important .admonition-title,.rst-content .wy-alert-neutral.tip .admonition-title,.rst-content .wy-alert-neutral.warning .admonition-title,.rst-content .wy-alert-neutral.seealso .admonition-title,.rst-content .wy-alert-neutral.admonition-todo .admonition-title{color:#404040;background:#e1e4e5}.wy-alert.wy-alert-neutral a,.rst-content .wy-alert-neutral.note a,.rst-content .wy-alert-neutral.attention a,.rst-content .wy-alert-neutral.caution a,.rst-content .wy-alert-neutral.danger a,.rst-content .wy-alert-neutral.error a,.rst-content .wy-alert-neutral.hint a,.rst-content .wy-alert-neutral.important a,.rst-content .wy-alert-neutral.tip a,.rst-content .wy-alert-neutral.warning a,.rst-content .wy-alert-neutral.seealso a,.rst-content .wy-alert-neutral.admonition-todo a{color:#2980B9}.wy-alert p:last-child,.rst-content .note p:last-child,.rst-content .attention p:last-child,.rst-content .caution p:last-child,.rst-content .danger p:last-child,.rst-content .error p:last-child,.rst-content .hint p:last-child,.rst-content .important p:last-child,.rst-content .tip p:last-child,.rst-content .warning p:last-child,.rst-content .seealso p:last-child,.rst-content .admonition-todo p:last-child{margin-bottom:0}.wy-tray-container{position:fixed;bottom:0px;left:0;z-index:600}.wy-tray-container li{display:block;width:300px;background:transparent;color:#fff;text-align:center;box-shadow:0 5px 5px 0 rgba(0,0,0,0.1);padding:0 24px;min-width:20%;opacity:0;height:0;line-height:56px;overflow:hidden;-webkit-transition:all 0.3s ease-in;-moz-transition:all 0.3s ease-in;transition:all 0.3s ease-in}.wy-tray-container li.wy-tray-item-success{background:#27AE60}.wy-tray-container li.wy-tray-item-info{background:#2980B9}.wy-tray-container li.wy-tray-item-warning{background:#E67E22}.wy-tray-container li.wy-tray-item-danger{background:#E74C3C}.wy-tray-container li.on{opacity:1;height:56px}@media screen and (max-width: 768px){.wy-tray-container{bottom:auto;top:0;width:100%}.wy-tray-container li{width:100%}}button{font-size:100%;margin:0;vertical-align:baseline;*vertical-align:middle;cursor:pointer;line-height:normal;-webkit-appearance:button;*overflow:visible}button::-moz-focus-inner,input::-moz-focus-inner{border:0;padding:0}button[disabled]{cursor:default}.btn{display:inline-block;border-radius:2px;line-height:normal;white-space:nowrap;text-align:center;cursor:pointer;font-size:100%;padding:6px 12px 8px 12px;color:#fff;border:1px solid rgba(0,0,0,0.1);background-color:#27AE60;text-decoration:none;font-weight:normal;font-family:"Lato","proxima-nova","Helvetica Neue",Arial,sans-serif;box-shadow:0px 1px 2px -1px rgba(255,255,255,0.5) inset,0px -2px 0px 0px rgba(0,0,0,0.1) inset;outline-none:false;vertical-align:middle;*display:inline;zoom:1;-webkit-user-drag:none;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;-webkit-transition:all 0.1s linear;-moz-transition:all 0.1s linear;transition:all 0.1s linear}.btn-hover{background:#2e8ece;color:#fff}.btn:hover{background:#2cc36b;color:#fff}.btn:focus{background:#2cc36b;outline:0}.btn:active{box-shadow:0px -1px 0px 0px rgba(0,0,0,0.05) inset,0px 2px 0px 0px rgba(0,0,0,0.1) inset;padding:8px 12px 6px 12px}.btn:visited{color:#fff}.btn:disabled{background-image:none;filter:progid:DXImageTransform.Microsoft.gradient(enabled = false);filter:alpha(opacity=40);opacity:0.4;cursor:not-allowed;box-shadow:none}.btn-disabled{background-image:none;filter:progid:DXImageTransform.Microsoft.gradient(enabled = false);filter:alpha(opacity=40);opacity:0.4;cursor:not-allowed;box-shadow:none}.btn-disabled:hover,.btn-disabled:focus,.btn-disabled:active{background-image:none;filter:progid:DXImageTransform.Microsoft.gradient(enabled = false);filter:alpha(opacity=40);opacity:0.4;cursor:not-allowed;box-shadow:none}.btn::-moz-focus-inner{padding:0;border:0}.btn-small{font-size:80%}.btn-info{background-color:#2980B9 !important}.btn-info:hover{background-color:#2e8ece !important}.btn-neutral{background-color:#f3f6f6 !important;color:#404040 !important}.btn-neutral:hover{background-color:#e5ebeb !important;color:#404040}.btn-neutral:visited{color:#404040 !important}.btn-success{background-color:#27AE60 !important}.btn-success:hover{background-color:#295 !important}.btn-danger{background-color:#E74C3C !important}.btn-danger:hover{background-color:#ea6153 !important}.btn-warning{background-color:#E67E22 !important}.btn-warning:hover{background-color:#e98b39 !important}.btn-invert{background-color:#222}.btn-invert:hover{background-color:#2f2f2f !important}.btn-link{background-color:transparent !important;color:#2980B9;box-shadow:none;border-color:transparent !important}.btn-link:hover{background-color:transparent !important;color:#409ad5 !important;box-shadow:none}.btn-link:active{background-color:transparent !important;color:#409ad5 !important;box-shadow:none}.btn-link:visited{color:#9B59B6}.wy-btn-group .btn,.wy-control .btn{vertical-align:middle}.wy-btn-group{margin-bottom:24px;*zoom:1}.wy-btn-group:before,.wy-btn-group:after{display:table;content:""}.wy-btn-group:after{clear:both}.wy-dropdown{position:relative;display:inline-block}.wy-dropdown-menu{position:absolute;left:0;display:none;float:left;top:100%;min-width:100%;background:#fcfcfc;z-index:100;border:solid 1px #cfd7dd;box-shadow:0 2px 2px 0 rgba(0,0,0,0.1);padding:12px}.wy-dropdown-menu>dd>a{display:block;clear:both;color:#404040;white-space:nowrap;font-size:90%;padding:0 12px;cursor:pointer}.wy-dropdown-menu>dd>a:hover{background:#2980B9;color:#fff}.wy-dropdown-menu>dd.divider{border-top:solid 1px #cfd7dd;margin:6px 0}.wy-dropdown-menu>dd.search{padding-bottom:12px}.wy-dropdown-menu>dd.search input[type="search"]{width:100%}.wy-dropdown-menu>dd.call-to-action{background:#e3e3e3;text-transform:uppercase;font-weight:500;font-size:80%}.wy-dropdown-menu>dd.call-to-action:hover{background:#e3e3e3}.wy-dropdown-menu>dd.call-to-action .btn{color:#fff}.wy-dropdown.wy-dropdown-up .wy-dropdown-menu{bottom:100%;top:auto;left:auto;right:0}.wy-dropdown.wy-dropdown-bubble .wy-dropdown-menu{background:#fcfcfc;margin-top:2px}.wy-dropdown.wy-dropdown-bubble .wy-dropdown-menu a{padding:6px 12px}.wy-dropdown.wy-dropdown-bubble .wy-dropdown-menu a:hover{background:#2980B9;color:#fff}.wy-dropdown.wy-dropdown-left .wy-dropdown-menu{right:0;text-align:right}.wy-dropdown-arrow:before{content:" ";border-bottom:5px solid #f5f5f5;border-left:5px solid transparent;border-right:5px solid transparent;position:absolute;display:block;top:-4px;left:50%;margin-left:-3px}.wy-dropdown-arrow.wy-dropdown-arrow-left:before{left:11px}.wy-form-stacked select{display:block}.wy-form-aligned input,.wy-form-aligned textarea,.wy-form-aligned select,.wy-form-aligned .wy-help-inline,.wy-form-aligned label{display:inline-block;*display:inline;*zoom:1;vertical-align:middle}.wy-form-aligned .wy-control-group>label{display:inline-block;vertical-align:middle;width:10em;margin:6px 12px 0 0;float:left}.wy-form-aligned .wy-control{float:left}.wy-form-aligned .wy-control label{display:block}.wy-form-aligned .wy-control select{margin-top:6px}fieldset{border:0;margin:0;padding:0}legend{display:block;width:100%;border:0;padding:0;white-space:normal;margin-bottom:24px;font-size:150%;*margin-left:-7px}label{display:block;margin:0 0 0.3125em 0;color:#999;font-size:90%}input,select,textarea{font-size:100%;margin:0;vertical-align:baseline;*vertical-align:middle}.wy-control-group{margin-bottom:24px;*zoom:1;max-width:68em;margin-left:auto;margin-right:auto;*zoom:1}.wy-control-group:before,.wy-control-group:after{display:table;content:""}.wy-control-group:after{clear:both}.wy-control-group:before,.wy-control-group:after{display:table;content:""}.wy-control-group:after{clear:both}.wy-control-group.wy-control-group-required>label:after{content:" *";color:#E74C3C}.wy-control-group .wy-form-full,.wy-control-group .wy-form-halves,.wy-control-group .wy-form-thirds{padding-bottom:12px}.wy-control-group .wy-form-full select,.wy-control-group .wy-form-halves select,.wy-control-group .wy-form-thirds select{width:100%}.wy-control-group .wy-form-full input[type="text"],.wy-control-group .wy-form-full input[type="password"],.wy-control-group .wy-form-full input[type="email"],.wy-control-group .wy-form-full input[type="url"],.wy-control-group .wy-form-full input[type="date"],.wy-control-group .wy-form-full input[type="month"],.wy-control-group .wy-form-full input[type="time"],.wy-control-group .wy-form-full input[type="datetime"],.wy-control-group .wy-form-full input[type="datetime-local"],.wy-control-group .wy-form-full input[type="week"],.wy-control-group .wy-form-full input[type="number"],.wy-control-group .wy-form-full input[type="search"],.wy-control-group .wy-form-full input[type="tel"],.wy-control-group .wy-form-full input[type="color"],.wy-control-group .wy-form-halves input[type="text"],.wy-control-group .wy-form-halves input[type="password"],.wy-control-group .wy-form-halves input[type="email"],.wy-control-group .wy-form-halves input[type="url"],.wy-control-group .wy-form-halves input[type="date"],.wy-control-group .wy-form-halves input[type="month"],.wy-control-group .wy-form-halves input[type="time"],.wy-control-group .wy-form-halves input[type="datetime"],.wy-control-group .wy-form-halves input[type="datetime-local"],.wy-control-group .wy-form-halves input[type="week"],.wy-control-group .wy-form-halves input[type="number"],.wy-control-group .wy-form-halves input[type="search"],.wy-control-group .wy-form-halves input[type="tel"],.wy-control-group .wy-form-halves input[type="color"],.wy-control-group .wy-form-thirds input[type="text"],.wy-control-group .wy-form-thirds input[type="password"],.wy-control-group .wy-form-thirds input[type="email"],.wy-control-group .wy-form-thirds input[type="url"],.wy-control-group .wy-form-thirds input[type="date"],.wy-control-group .wy-form-thirds input[type="month"],.wy-control-group .wy-form-thirds input[type="time"],.wy-control-group .wy-form-thirds input[type="datetime"],.wy-control-group .wy-form-thirds input[type="datetime-local"],.wy-control-group .wy-form-thirds input[type="week"],.wy-control-group .wy-form-thirds input[type="number"],.wy-control-group .wy-form-thirds input[type="search"],.wy-control-group .wy-form-thirds input[type="tel"],.wy-control-group .wy-form-thirds input[type="color"]{width:100%}.wy-control-group .wy-form-full{float:left;display:block;margin-right:2.35765%;width:100%;margin-right:0}.wy-control-group .wy-form-full:last-child{margin-right:0}.wy-control-group .wy-form-halves{float:left;display:block;margin-right:2.35765%;width:48.82117%}.wy-control-group .wy-form-halves:last-child{margin-right:0}.wy-control-group .wy-form-halves:nth-of-type(2n){margin-right:0}.wy-control-group .wy-form-halves:nth-of-type(2n+1){clear:left}.wy-control-group .wy-form-thirds{float:left;display:block;margin-right:2.35765%;width:31.76157%}.wy-control-group .wy-form-thirds:last-child{margin-right:0}.wy-control-group .wy-form-thirds:nth-of-type(3n){margin-right:0}.wy-control-group .wy-form-thirds:nth-of-type(3n+1){clear:left}.wy-control-group.wy-control-group-no-input .wy-control{margin:6px 0 0 0;font-size:90%}.wy-control-no-input{display:inline-block;margin:6px 0 0 0;font-size:90%}.wy-control-group.fluid-input input[type="text"],.wy-control-group.fluid-input input[type="password"],.wy-control-group.fluid-input input[type="email"],.wy-control-group.fluid-input input[type="url"],.wy-control-group.fluid-input input[type="date"],.wy-control-group.fluid-input input[type="month"],.wy-control-group.fluid-input input[type="time"],.wy-control-group.fluid-input input[type="datetime"],.wy-control-group.fluid-input input[type="datetime-local"],.wy-control-group.fluid-input input[type="week"],.wy-control-group.fluid-input input[type="number"],.wy-control-group.fluid-input input[type="search"],.wy-control-group.fluid-input input[type="tel"],.wy-control-group.fluid-input input[type="color"]{width:100%}.wy-form-message-inline{display:inline-block;padding-left:0.3em;color:#666;vertical-align:middle;font-size:90%}.wy-form-message{display:block;color:#999;font-size:70%;margin-top:0.3125em;font-style:italic}input{line-height:normal}input[type="button"],input[type="reset"],input[type="submit"]{-webkit-appearance:button;cursor:pointer;font-family:"Lato","proxima-nova","Helvetica Neue",Arial,sans-serif;*overflow:visible}input[type="text"],input[type="password"],input[type="email"],input[type="url"],input[type="date"],input[type="month"],input[type="time"],input[type="datetime"],input[type="datetime-local"],input[type="week"],input[type="number"],input[type="search"],input[type="tel"],input[type="color"]{-webkit-appearance:none;padding:6px;display:inline-block;border:1px solid #ccc;font-size:80%;font-family:"Lato","proxima-nova","Helvetica Neue",Arial,sans-serif;box-shadow:inset 0 1px 3px #ddd;border-radius:0;-webkit-transition:border 0.3s linear;-moz-transition:border 0.3s linear;transition:border 0.3s linear}input[type="datetime-local"]{padding:0.34375em 0.625em}input[disabled]{cursor:default}input[type="checkbox"],input[type="radio"]{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;padding:0;margin-right:0.3125em;*height:13px;*width:13px}input[type="search"]{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}input[type="search"]::-webkit-search-cancel-button,input[type="search"]::-webkit-search-decoration{-webkit-appearance:none}input[type="text"]:focus,input[type="password"]:focus,input[type="email"]:focus,input[type="url"]:focus,input[type="date"]:focus,input[type="month"]:focus,input[type="time"]:focus,input[type="datetime"]:focus,input[type="datetime-local"]:focus,input[type="week"]:focus,input[type="number"]:focus,input[type="search"]:focus,input[type="tel"]:focus,input[type="color"]:focus{outline:0;outline:thin dotted \9;border-color:#333}input.no-focus:focus{border-color:#ccc !important}input[type="file"]:focus,input[type="radio"]:focus,input[type="checkbox"]:focus{outline:thin dotted #333;outline:1px auto #129FEA}input[type="text"][disabled],input[type="password"][disabled],input[type="email"][disabled],input[type="url"][disabled],input[type="date"][disabled],input[type="month"][disabled],input[type="time"][disabled],input[type="datetime"][disabled],input[type="datetime-local"][disabled],input[type="week"][disabled],input[type="number"][disabled],input[type="search"][disabled],input[type="tel"][disabled],input[type="color"][disabled]{cursor:not-allowed;background-color:#f3f6f6;color:#cad2d3}input:focus:invalid,textarea:focus:invalid,select:focus:invalid{color:#E74C3C;border:1px solid #E74C3C}input:focus:invalid:focus,textarea:focus:invalid:focus,select:focus:invalid:focus{border-color:#E74C3C}input[type="file"]:focus:invalid:focus,input[type="radio"]:focus:invalid:focus,input[type="checkbox"]:focus:invalid:focus{outline-color:#E74C3C}input.wy-input-large{padding:12px;font-size:100%}textarea{overflow:auto;vertical-align:top;width:100%;font-family:"Lato","proxima-nova","Helvetica Neue",Arial,sans-serif}select,textarea{padding:0.5em 0.625em;display:inline-block;border:1px solid #ccc;font-size:80%;box-shadow:inset 0 1px 3px #ddd;-webkit-transition:border 0.3s linear;-moz-transition:border 0.3s linear;transition:border 0.3s linear}select{border:1px solid #ccc;background-color:#fff}select[multiple]{height:auto}select:focus,textarea:focus{outline:0}select[disabled],textarea[disabled],input[readonly],select[readonly],textarea[readonly]{cursor:not-allowed;background-color:#fff;color:#cad2d3;border-color:transparent}.wy-checkbox,.wy-radio{margin:6px 0;color:#404040;display:block}.wy-checkbox input,.wy-radio input{vertical-align:baseline}.wy-form-message-inline{display:inline-block;*display:inline;*zoom:1;vertical-align:middle}.wy-input-prefix,.wy-input-suffix{white-space:nowrap}.wy-input-prefix .wy-input-context,.wy-input-suffix .wy-input-context{padding:6px;display:inline-block;font-size:80%;background-color:#f3f6f6;border:solid 1px #ccc;color:#999}.wy-input-suffix .wy-input-context{border-left:0}.wy-input-prefix .wy-input-context{border-right:0}.wy-control-group.wy-control-group-error .wy-form-message,.wy-control-group.wy-control-group-error>label{color:#E74C3C}.wy-control-group.wy-control-group-error input[type="text"],.wy-control-group.wy-control-group-error input[type="password"],.wy-control-group.wy-control-group-error input[type="email"],.wy-control-group.wy-control-group-error input[type="url"],.wy-control-group.wy-control-group-error input[type="date"],.wy-control-group.wy-control-group-error input[type="month"],.wy-control-group.wy-control-group-error input[type="time"],.wy-control-group.wy-control-group-error input[type="datetime"],.wy-control-group.wy-control-group-error input[type="datetime-local"],.wy-control-group.wy-control-group-error input[type="week"],.wy-control-group.wy-control-group-error input[type="number"],.wy-control-group.wy-control-group-error input[type="search"],.wy-control-group.wy-control-group-error input[type="tel"],.wy-control-group.wy-control-group-error input[type="color"]{border:solid 1px #E74C3C}.wy-control-group.wy-control-group-error textarea{border:solid 1px #E74C3C}.wy-inline-validate{white-space:nowrap}.wy-inline-validate .wy-input-context{padding:0.5em 0.625em;display:inline-block;font-size:80%}.wy-inline-validate.wy-inline-validate-success .wy-input-context{color:#27AE60}.wy-inline-validate.wy-inline-validate-danger .wy-input-context{color:#E74C3C}.wy-inline-validate.wy-inline-validate-warning .wy-input-context{color:#E67E22}.wy-inline-validate.wy-inline-validate-info .wy-input-context{color:#2980B9}.rotate-90{-webkit-transform:rotate(90deg);-moz-transform:rotate(90deg);-ms-transform:rotate(90deg);-o-transform:rotate(90deg);transform:rotate(90deg)}.rotate-180{-webkit-transform:rotate(180deg);-moz-transform:rotate(180deg);-ms-transform:rotate(180deg);-o-transform:rotate(180deg);transform:rotate(180deg)}.rotate-270{-webkit-transform:rotate(270deg);-moz-transform:rotate(270deg);-ms-transform:rotate(270deg);-o-transform:rotate(270deg);transform:rotate(270deg)}.mirror{-webkit-transform:scaleX(-1);-moz-transform:scaleX(-1);-ms-transform:scaleX(-1);-o-transform:scaleX(-1);transform:scaleX(-1)}.mirror.rotate-90{-webkit-transform:scaleX(-1) rotate(90deg);-moz-transform:scaleX(-1) rotate(90deg);-ms-transform:scaleX(-1) rotate(90deg);-o-transform:scaleX(-1) rotate(90deg);transform:scaleX(-1) rotate(90deg)}.mirror.rotate-180{-webkit-transform:scaleX(-1) rotate(180deg);-moz-transform:scaleX(-1) rotate(180deg);-ms-transform:scaleX(-1) rotate(180deg);-o-transform:scaleX(-1) rotate(180deg);transform:scaleX(-1) rotate(180deg)}.mirror.rotate-270{-webkit-transform:scaleX(-1) rotate(270deg);-moz-transform:scaleX(-1) rotate(270deg);-ms-transform:scaleX(-1) rotate(270deg);-o-transform:scaleX(-1) rotate(270deg);transform:scaleX(-1) rotate(270deg)}@media only screen and (max-width: 480px){.wy-form button[type="submit"]{margin:0.7em 0 0}.wy-form input[type="text"],.wy-form input[type="password"],.wy-form input[type="email"],.wy-form input[type="url"],.wy-form input[type="date"],.wy-form input[type="month"],.wy-form input[type="time"],.wy-form input[type="datetime"],.wy-form input[type="datetime-local"],.wy-form input[type="week"],.wy-form input[type="number"],.wy-form input[type="search"],.wy-form input[type="tel"],.wy-form input[type="color"]{margin-bottom:0.3em;display:block}.wy-form label{margin-bottom:0.3em;display:block}.wy-form input[type="password"],.wy-form input[type="email"],.wy-form input[type="url"],.wy-form input[type="date"],.wy-form input[type="month"],.wy-form input[type="time"],.wy-form input[type="datetime"],.wy-form input[type="datetime-local"],.wy-form input[type="week"],.wy-form input[type="number"],.wy-form input[type="search"],.wy-form input[type="tel"],.wy-form input[type="color"]{margin-bottom:0}.wy-form-aligned .wy-control-group label{margin-bottom:0.3em;text-align:left;display:block;width:100%}.wy-form-aligned .wy-control{margin:1.5em 0 0 0}.wy-form .wy-help-inline,.wy-form-message-inline,.wy-form-message{display:block;font-size:80%;padding:6px 0}}@media screen and (max-width: 768px){.tablet-hide{display:none}}@media screen and (max-width: 480px){.mobile-hide{display:none}}.float-left{float:left}.float-right{float:right}.full-width{width:100%}.wy-table,.rst-content table.docutils,.rst-content table.field-list{border-collapse:collapse;border-spacing:0;empty-cells:show;margin-bottom:24px}.wy-table caption,.rst-content table.docutils caption,.rst-content table.field-list caption{color:#000;font:italic 85%/1 arial,sans-serif;padding:1em 0;text-align:center}.wy-table td,.rst-content table.docutils td,.rst-content table.field-list td,.wy-table th,.rst-content table.docutils th,.rst-content table.field-list th{font-size:90%;margin:0;overflow:visible;padding:8px 16px}.wy-table td:first-child,.rst-content table.docutils td:first-child,.rst-content table.field-list td:first-child,.wy-table th:first-child,.rst-content table.docutils th:first-child,.rst-content table.field-list th:first-child{border-left-width:0}.wy-table thead,.rst-content table.docutils thead,.rst-content table.field-list thead{color:#000;text-align:left;vertical-align:bottom;white-space:nowrap}.wy-table thead th,.rst-content table.docutils thead th,.rst-content table.field-list thead th{font-weight:bold;border-bottom:solid 2px #e1e4e5}.wy-table td,.rst-content table.docutils td,.rst-content table.field-list td{background-color:transparent;vertical-align:middle}.wy-table td p,.rst-content table.docutils td p,.rst-content table.field-list td p{line-height:18px}.wy-table td p:last-child,.rst-content table.docutils td p:last-child,.rst-content table.field-list td p:last-child{margin-bottom:0}.wy-table .wy-table-cell-min,.rst-content table.docutils .wy-table-cell-min,.rst-content table.field-list .wy-table-cell-min{width:1%;padding-right:0}.wy-table .wy-table-cell-min input[type=checkbox],.rst-content table.docutils .wy-table-cell-min input[type=checkbox],.rst-content table.field-list .wy-table-cell-min input[type=checkbox],.wy-table .wy-table-cell-min input[type=checkbox],.rst-content table.docutils .wy-table-cell-min input[type=checkbox],.rst-content table.field-list .wy-table-cell-min input[type=checkbox]{margin:0}.wy-table-secondary{color:gray;font-size:90%}.wy-table-tertiary{color:gray;font-size:80%}.wy-table-odd td,.wy-table-striped tr:nth-child(2n-1) td,.rst-content table.docutils:not(.field-list) tr:nth-child(2n-1) td{background-color:#f3f6f6}.wy-table-backed{background-color:#f3f6f6}.wy-table-bordered-all,.rst-content table.docutils{border:1px solid #e1e4e5}.wy-table-bordered-all td,.rst-content table.docutils td{border-bottom:1px solid #e1e4e5;border-left:1px solid #e1e4e5}.wy-table-bordered-all tbody>tr:last-child td,.rst-content table.docutils tbody>tr:last-child td{border-bottom-width:0}.wy-table-bordered{border:1px solid #e1e4e5}.wy-table-bordered-rows td{border-bottom:1px solid #e1e4e5}.wy-table-bordered-rows tbody>tr:last-child td{border-bottom-width:0}.wy-table-horizontal tbody>tr:last-child td{border-bottom-width:0}.wy-table-horizontal td,.wy-table-horizontal th{border-width:0 0 1px 0;border-bottom:1px solid #e1e4e5}.wy-table-horizontal tbody>tr:last-child td{border-bottom-width:0}.wy-table-responsive{margin-bottom:24px;max-width:100%;overflow:auto}.wy-table-responsive table{margin-bottom:0 !important}.wy-table-responsive table td,.wy-table-responsive table th{white-space:nowrap}a{color:#2980B9;text-decoration:none}a:hover{color:#3091d1}a:visited{color:#9B59B6}html{height:100%;overflow-x:hidden}body{font-family:"Lato","proxima-nova","Helvetica Neue",Arial,sans-serif;font-weight:normal;color:#404040;min-height:100%;overflow-x:hidden;background:#edf0f2}.wy-text-left{text-align:left}.wy-text-center{text-align:center}.wy-text-right{text-align:right}.wy-text-large{font-size:120%}.wy-text-normal{font-size:100%}.wy-text-small,small{font-size:80%}.wy-text-strike{text-decoration:line-through}.wy-text-warning{color:#E67E22 !important}a.wy-text-warning:hover{color:#eb9950 !important}.wy-text-info{color:#2980B9 !important}a.wy-text-info:hover{color:#409ad5 !important}.wy-text-success{color:#27AE60 !important}a.wy-text-success:hover{color:#36d278 !important}.wy-text-danger{color:#E74C3C !important}a.wy-text-danger:hover{color:#ed7669 !important}.wy-text-neutral{color:#404040 !important}a.wy-text-neutral:hover{color:#595959 !important}h1,h2,h3,h4,h5,h6,legend{margin-top:0;font-weight:700;font-family:"Roboto Slab","ff-tisa-web-pro","Georgia",Arial,sans-serif}p{line-height:24px;margin:0;font-size:16px;margin-bottom:24px}h1{font-size:175%}h2{font-size:150%}h3{font-size:125%}h4{font-size:115%}h5{font-size:110%}h6{font-size:100%}hr{display:block;height:1px;border:0;border-top:1px solid #e1e4e5;margin:24px 0;padding:0}code,.rst-content tt{white-space:nowrap;max-width:100%;background:#fff;border:solid 1px #e1e4e5;font-size:75%;padding:0 5px;font-family:Consolas,"Andale Mono WT","Andale Mono","Lucida Console","Lucida Sans Typewriter","DejaVu Sans Mono","Bitstream Vera Sans Mono","Liberation Mono","Nimbus Mono L",Monaco,"Courier New",Courier,monospace;color:#E74C3C;overflow-x:auto}code.code-large,.rst-content tt.code-large{font-size:90%}.wy-plain-list-disc,.rst-content .section ul,.rst-content .toctree-wrapper ul,article ul{list-style:disc;line-height:24px;margin-bottom:24px}.wy-plain-list-disc li,.rst-content .section ul li,.rst-content .toctree-wrapper ul li,article ul li{list-style:disc;margin-left:24px}.wy-plain-list-disc li p:last-child,.rst-content .section ul li p:last-child,.rst-content .toctree-wrapper ul li p:last-child,article ul li p:last-child{margin-bottom:0}.wy-plain-list-disc li ul,.rst-content .section ul li ul,.rst-content .toctree-wrapper ul li ul,article ul li ul{margin-bottom:0}.wy-plain-list-disc li li,.rst-content .section ul li li,.rst-content .toctree-wrapper ul li li,article ul li li{list-style:circle}.wy-plain-list-disc li li li,.rst-content .section ul li li li,.rst-content .toctree-wrapper ul li li li,article ul li li li{list-style:square}.wy-plain-list-disc li ol li,.rst-content .section ul li ol li,.rst-content .toctree-wrapper ul li ol li,article ul li ol li{list-style:decimal}.wy-plain-list-decimal,.rst-content .section ol,.rst-content ol.arabic,article ol{list-style:decimal;line-height:24px;margin-bottom:24px}.wy-plain-list-decimal li,.rst-content .section ol li,.rst-content ol.arabic li,article ol li{list-style:decimal;margin-left:24px}.wy-plain-list-decimal li p:last-child,.rst-content .section ol li p:last-child,.rst-content ol.arabic li p:last-child,article ol li p:last-child{margin-bottom:0}.wy-plain-list-decimal li ul,.rst-content .section ol li ul,.rst-content ol.arabic li ul,article ol li ul{margin-bottom:0}.wy-plain-list-decimal li ul li,.rst-content .section ol li ul li,.rst-content ol.arabic li ul li,article ol li ul li{list-style:disc}.codeblock-example{border:1px solid #e1e4e5;border-bottom:none;padding:24px;padding-top:48px;font-weight:500;background:#fff;position:relative}.codeblock-example:after{content:"Example";position:absolute;top:0px;left:0px;background:#9B59B6;color:#fff;padding:6px 12px}.codeblock-example.prettyprint-example-only{border:1px solid #e1e4e5;margin-bottom:24px}.codeblock,pre.literal-block,.rst-content .literal-block,.rst-content pre.literal-block,div[class^='highlight']{border:1px solid #e1e4e5;padding:0px;overflow-x:auto;background:#fff;margin:1px 0 24px 0}.codeblock div[class^='highlight'],pre.literal-block div[class^='highlight'],.rst-content .literal-block div[class^='highlight'],div[class^='highlight'] div[class^='highlight']{border:none;background:none;margin:0}div[class^='highlight'] td.code{width:100%}.linenodiv pre{border-right:solid 1px #e6e9ea;margin:0;padding:12px 12px;font-family:Consolas,"Andale Mono WT","Andale Mono","Lucida Console","Lucida Sans Typewriter","DejaVu Sans Mono","Bitstream Vera Sans Mono","Liberation Mono","Nimbus Mono L",Monaco,"Courier New",Courier,monospace;font-size:12px;line-height:1.5;color:#d9d9d9}div[class^='highlight'] pre{white-space:pre;margin:0;padding:12px 12px;font-family:Consolas,"Andale Mono WT","Andale Mono","Lucida Console","Lucida Sans Typewriter","DejaVu Sans Mono","Bitstream Vera Sans Mono","Liberation Mono","Nimbus Mono L",Monaco,"Courier New",Courier,monospace;font-size:12px;line-height:1.5;display:block;overflow:auto;color:#404040}@media print{.codeblock,pre.literal-block,.rst-content .literal-block,.rst-content pre.literal-block,div[class^='highlight'],div[class^='highlight'] pre{white-space:pre-wrap}}.hll{background-color:#ffc;margin:0 -12px;padding:0 12px;display:block}.c{color:#998;font-style:italic}.err{color:#a61717;background-color:#e3d2d2}.k{font-weight:bold}.o{font-weight:bold}.cm{color:#998;font-style:italic}.cp{color:#999;font-weight:bold}.c1{color:#998;font-style:italic}.cs{color:#999;font-weight:bold;font-style:italic}.gd{color:#000;background-color:#fdd}.gd .x{color:#000;background-color:#faa}.ge{font-style:italic}.gr{color:#a00}.gh{color:#999}.gi{color:#000;background-color:#dfd}.gi .x{color:#000;background-color:#afa}.go{color:#888}.gp{color:#555}.gs{font-weight:bold}.gu{color:purple;font-weight:bold}.gt{color:#a00}.kc{font-weight:bold}.kd{font-weight:bold}.kn{font-weight:bold}.kp{font-weight:bold}.kr{font-weight:bold}.kt{color:#458;font-weight:bold}.m{color:#099}.s{color:#d14}.n{color:#333}.na{color:teal}.nb{color:#0086b3}.nc{color:#458;font-weight:bold}.no{color:teal}.ni{color:purple}.ne{color:#900;font-weight:bold}.nf{color:#900;font-weight:bold}.nn{color:#555}.nt{color:navy}.nv{color:teal}.ow{font-weight:bold}.w{color:#bbb}.mf{color:#099}.mh{color:#099}.mi{color:#099}.mo{color:#099}.sb{color:#d14}.sc{color:#d14}.sd{color:#d14}.s2{color:#d14}.se{color:#d14}.sh{color:#d14}.si{color:#d14}.sx{color:#d14}.sr{color:#009926}.s1{color:#d14}.ss{color:#990073}.bp{color:#999}.vc{color:teal}.vg{color:teal}.vi{color:teal}.il{color:#099}.gc{color:#999;background-color:#EAF2F5}.wy-breadcrumbs li{display:inline-block}.wy-breadcrumbs li.wy-breadcrumbs-aside{float:right}.wy-breadcrumbs li a{display:inline-block;padding:5px}.wy-breadcrumbs li a:first-child{padding-left:0}.wy-breadcrumbs-extra{margin-bottom:0;color:#b3b3b3;font-size:80%;display:inline-block}@media screen and (max-width: 480px){.wy-breadcrumbs-extra{display:none}.wy-breadcrumbs li.wy-breadcrumbs-aside{display:none}}@media print{.wy-breadcrumbs li.wy-breadcrumbs-aside{display:none}}.wy-affix{position:fixed;top:1.618em}.wy-menu a:hover{text-decoration:none}.wy-menu-horiz{*zoom:1}.wy-menu-horiz:before,.wy-menu-horiz:after{display:table;content:""}.wy-menu-horiz:after{clear:both}.wy-menu-horiz ul,.wy-menu-horiz li{display:inline-block}.wy-menu-horiz li:hover{background:rgba(255,255,255,0.1)}.wy-menu-horiz li.divide-left{border-left:solid 1px #404040}.wy-menu-horiz li.divide-right{border-right:solid 1px #404040}.wy-menu-horiz a{height:32px;display:inline-block;line-height:32px;padding:0 16px}.wy-menu-vertical header{height:32px;display:inline-block;line-height:32px;padding:0 1.618em;display:block;font-weight:bold;text-transform:uppercase;font-size:80%;color:#2980B9;white-space:nowrap}.wy-menu-vertical ul{margin-bottom:0}.wy-menu-vertical li.divide-top{border-top:solid 1px #404040}.wy-menu-vertical li.divide-bottom{border-bottom:solid 1px #404040}.wy-menu-vertical li.current{background:#e3e3e3}.wy-menu-vertical li.current a{color:gray;border-right:solid 1px #c9c9c9;padding:0.4045em 2.427em}.wy-menu-vertical li.current a:hover{background:#d6d6d6}.wy-menu-vertical li.on a,.wy-menu-vertical li.current>a{color:#404040;padding:0.4045em 1.618em;font-weight:bold;position:relative;background:#fcfcfc;border:none;border-bottom:solid 1px #c9c9c9;border-top:solid 1px #c9c9c9;padding-left:1.618em -4px}.wy-menu-vertical li.on a:hover,.wy-menu-vertical li.current>a:hover{background:#fcfcfc}.wy-menu-vertical li.toctree-l2.current>a{background:#c9c9c9;padding:0.4045em 2.427em}.wy-menu-vertical li.current ul{display:block}.wy-menu-vertical li ul{margin-bottom:0;display:none}.wy-menu-vertical .local-toc li ul{display:block}.wy-menu-vertical li ul li a{margin-bottom:0;color:#b3b3b3;font-weight:normal}.wy-menu-vertical a{display:inline-block;line-height:18px;padding:0.4045em 1.618em;display:block;position:relative;font-size:90%;color:#b3b3b3}.wy-menu-vertical a:hover{background-color:#4e4a4a;cursor:pointer}.wy-menu-vertical a:active{background-color:#2980B9;cursor:pointer;color:#fff}.wy-side-nav-search{z-index:200;background-color:#2980B9;text-align:center;padding:0.809em;display:block;color:#fcfcfc;margin-bottom:0.809em}.wy-side-nav-search input[type=text]{width:100%;border-radius:50px;padding:6px 12px;border-color:#2472a4}.wy-side-nav-search img{display:block;margin:auto auto 0.809em auto;height:45px;width:45px;background-color:#2980B9;padding:5px;border-radius:100%}.wy-side-nav-search>a,.wy-side-nav-search .wy-dropdown>a{color:#fcfcfc;font-size:100%;font-weight:bold;display:inline-block;padding:4px 6px;margin-bottom:0.809em}.wy-side-nav-search>a:hover,.wy-side-nav-search .wy-dropdown>a:hover{background:rgba(255,255,255,0.1)}.wy-nav .wy-menu-vertical header{color:#2980B9}.wy-nav .wy-menu-vertical a{color:#b3b3b3}.wy-nav .wy-menu-vertical a:hover{background-color:#2980B9;color:#fff}[data-menu-wrap]{-webkit-transition:all 0.2s ease-in;-moz-transition:all 0.2s ease-in;transition:all 0.2s ease-in;position:absolute;opacity:1;width:100%;opacity:0}[data-menu-wrap].move-center{left:0;right:auto;opacity:1}[data-menu-wrap].move-left{right:auto;left:-100%;opacity:0}[data-menu-wrap].move-right{right:-100%;left:auto;opacity:0}.wy-body-for-nav{background:left repeat-y #fcfcfc;background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAIAAACQd1PeAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAyRpVFh0WE1MOmNvbS5hZG9iZS54bXAAAAAAADw/eHBhY2tldCBiZWdpbj0i77u/IiBpZD0iVzVNME1wQ2VoaUh6cmVTek5UY3prYzlkIj8+IDx4OnhtcG1ldGEgeG1sbnM6eD0iYWRvYmU6bnM6bWV0YS8iIHg6eG1wdGs9IkFkb2JlIFhNUCBDb3JlIDUuMy1jMDExIDY2LjE0NTY2MSwgMjAxMi8wMi8wNi0xNDo1NjoyNyAgICAgICAgIj4gPHJkZjpSREYgeG1sbnM6cmRmPSJodHRwOi8vd3d3LnczLm9yZy8xOTk5LzAyLzIyLXJkZi1zeW50YXgtbnMjIj4gPHJkZjpEZXNjcmlwdGlvbiByZGY6YWJvdXQ9IiIgeG1sbnM6eG1wPSJodHRwOi8vbnMuYWRvYmUuY29tL3hhcC8xLjAvIiB4bWxuczp4bXBNTT0iaHR0cDovL25zLmFkb2JlLmNvbS94YXAvMS4wL21tLyIgeG1sbnM6c3RSZWY9Imh0dHA6Ly9ucy5hZG9iZS5jb20veGFwLzEuMC9zVHlwZS9SZXNvdXJjZVJlZiMiIHhtcDpDcmVhdG9yVG9vbD0iQWRvYmUgUGhvdG9zaG9wIENTNiAoTWFjaW50b3NoKSIgeG1wTU06SW5zdGFuY2VJRD0ieG1wLmlpZDoxOERBMTRGRDBFMUUxMUUzODUwMkJCOThDMEVFNURFMCIgeG1wTU06RG9jdW1lbnRJRD0ieG1wLmRpZDoxOERBMTRGRTBFMUUxMUUzODUwMkJCOThDMEVFNURFMCI+IDx4bXBNTTpEZXJpdmVkRnJvbSBzdFJlZjppbnN0YW5jZUlEPSJ4bXAuaWlkOjE4REExNEZCMEUxRTExRTM4NTAyQkI5OEMwRUU1REUwIiBzdFJlZjpkb2N1bWVudElEPSJ4bXAuZGlkOjE4REExNEZDMEUxRTExRTM4NTAyQkI5OEMwRUU1REUwIi8+IDwvcmRmOkRlc2NyaXB0aW9uPiA8L3JkZjpSREY+IDwveDp4bXBtZXRhPiA8P3hwYWNrZXQgZW5kPSJyIj8+EwrlwAAAAA5JREFUeNpiMDU0BAgwAAE2AJgB9BnaAAAAAElFTkSuQmCC);background-size:300px 1px}.wy-grid-for-nav{position:absolute;width:100%;height:100%}.wy-nav-side{position:absolute;top:0;left:0;width:300px;overflow:hidden;min-height:100%;background:#343131;z-index:200}.wy-nav-top{display:none;background:#2980B9;color:#fff;padding:0.4045em 0.809em;position:relative;line-height:50px;text-align:center;font-size:100%;*zoom:1}.wy-nav-top:before,.wy-nav-top:after{display:table;content:""}.wy-nav-top:after{clear:both}.wy-nav-top a{color:#fff;font-weight:bold}.wy-nav-top img{margin-right:12px;height:45px;width:45px;background-color:#2980B9;padding:5px;border-radius:100%}.wy-nav-top i{font-size:30px;float:left;cursor:pointer}.wy-nav-content-wrap{margin-left:300px;background:#fcfcfc;min-height:100%}.wy-nav-content{padding:1.618em 3.236em;height:100%;max-width:800px;margin:auto}.wy-body-mask{position:fixed;width:100%;height:100%;background:rgba(0,0,0,0.2);display:none;z-index:499}.wy-body-mask.on{display:block}footer{color:#999}footer p{margin-bottom:12px}.rst-footer-buttons{*zoom:1}.rst-footer-buttons:before,.rst-footer-buttons:after{display:table;content:""}.rst-footer-buttons:after{clear:both}#search-results .search li{margin-bottom:24px;border-bottom:solid 1px #e1e4e5;padding-bottom:24px}#search-results .search li:first-child{border-top:solid 1px #e1e4e5;padding-top:24px}#search-results .search li a{font-size:120%;margin-bottom:12px;display:inline-block}#search-results .context{color:gray;font-size:90%}@media screen and (max-width: 768px){.wy-body-for-nav{background:#fcfcfc}.wy-nav-top{display:block}.wy-nav-side{left:-300px}.wy-nav-side.shift{width:85%;left:0}.wy-nav-content-wrap{margin-left:0}.wy-nav-content-wrap .wy-nav-content{padding:1.618em}.wy-nav-content-wrap.shift{position:fixed;min-width:100%;left:85%;top:0;height:100%;overflow:hidden}}@media screen and (min-width: 1400px){.wy-nav-content-wrap{background:rgba(0,0,0,0.05)}.wy-nav-content{margin:0;background:#fcfcfc}}@media print{.rst-versions,footer,.wy-nav-side{display:none}.wy-nav-content-wrap{margin-left:0}}nav.stickynav{position:fixed;top:0}.rst-versions{position:fixed;bottom:0;left:0;width:300px;color:#fcfcfc;background:#1f1d1d;border-top:solid 10px #343131;font-family:"Lato","proxima-nova","Helvetica Neue",Arial,sans-serif;z-index:400}.rst-versions a{color:#2980B9;text-decoration:none}.rst-versions .rst-badge-small{display:none}.rst-versions .rst-current-version{padding:12px;background-color:#272525;display:block;text-align:right;font-size:90%;cursor:pointer;color:#27AE60;*zoom:1}.rst-versions .rst-current-version:before,.rst-versions .rst-current-version:after{display:table;content:""}.rst-versions .rst-current-version:after{clear:both}.rst-versions .rst-current-version .fa,.rst-versions .rst-current-version .rst-content .admonition-title,.rst-content .rst-versions .rst-current-version .admonition-title,.rst-versions .rst-current-version .rst-content h1 .headerlink,.rst-content h1 .rst-versions .rst-current-version .headerlink,.rst-versions .rst-current-version .rst-content h2 .headerlink,.rst-content h2 .rst-versions .rst-current-version .headerlink,.rst-versions .rst-current-version .rst-content h3 .headerlink,.rst-content h3 .rst-versions .rst-current-version .headerlink,.rst-versions .rst-current-version .rst-content h4 .headerlink,.rst-content h4 .rst-versions .rst-current-version .headerlink,.rst-versions .rst-current-version .rst-content h5 .headerlink,.rst-content h5 .rst-versions .rst-current-version .headerlink,.rst-versions .rst-current-version .rst-content h6 .headerlink,.rst-content h6 .rst-versions .rst-current-version .headerlink,.rst-versions .rst-current-version .rst-content dl dt .headerlink,.rst-content dl dt .rst-versions .rst-current-version .headerlink,.rst-versions .rst-current-version .icon{color:#fcfcfc}.rst-versions .rst-current-version .fa-book,.rst-versions .rst-current-version .icon-book{float:left}.rst-versions .rst-current-version .icon-book{float:left}.rst-versions .rst-current-version.rst-out-of-date{background-color:#E74C3C;color:#fff}.rst-versions .rst-current-version.rst-active-old-version{background-color:#F1C40F;color:#000}.rst-versions.shift-up .rst-other-versions{display:block}.rst-versions .rst-other-versions{font-size:90%;padding:12px;color:gray;display:none}.rst-versions .rst-other-versions hr{display:block;height:1px;border:0;margin:20px 0;padding:0;border-top:solid 1px #413d3d}.rst-versions .rst-other-versions dd{display:inline-block;margin:0}.rst-versions .rst-other-versions dd a{display:inline-block;padding:6px;color:#fcfcfc}.rst-versions.rst-badge{width:auto;bottom:20px;right:20px;left:auto;border:none;max-width:300px}.rst-versions.rst-badge .icon-book{float:none}.rst-versions.rst-badge .fa-book,.rst-versions.rst-badge .icon-book{float:none}.rst-versions.rst-badge.shift-up .rst-current-version{text-align:right}.rst-versions.rst-badge.shift-up .rst-current-version .fa-book,.rst-versions.rst-badge.shift-up .rst-current-version .icon-book{float:left}.rst-versions.rst-badge.shift-up .rst-current-version .icon-book{float:left}.rst-versions.rst-badge .rst-current-version{width:auto;height:30px;line-height:30px;padding:0 6px;display:block;text-align:center}@media screen and (max-width: 768px){.rst-versions{width:85%;display:none}.rst-versions.shift{display:block}img{width:100%;height:auto}}.rst-content img{max-width:100%;height:auto !important}.rst-content div.figure{margin-bottom:24px}.rst-content div.figure.align-center{text-align:center}.rst-content .section>img{margin-bottom:24px}.rst-content blockquote{margin-left:24px;line-height:24px;margin-bottom:24px}.rst-content .note .last,.rst-content .attention .last,.rst-content .caution .last,.rst-content .danger .last,.rst-content .error .last,.rst-content .hint .last,.rst-content .important .last,.rst-content .tip .last,.rst-content .warning .last,.rst-content .seealso .last,.rst-content .admonition-todo .last{margin-bottom:0}.rst-content .admonition-title:before{margin-right:4px}.rst-content .admonition table{border-color:rgba(0,0,0,0.1)}.rst-content .admonition table td,.rst-content .admonition table th{background:transparent !important;border-color:rgba(0,0,0,0.1) !important}.rst-content .section ol.loweralpha,.rst-content .section ol.loweralpha li{list-style:lower-alpha}.rst-content .section ol.upperalpha,.rst-content .section ol.upperalpha li{list-style:upper-alpha}.rst-content .section ol p,.rst-content .section ul p{margin-bottom:12px}.rst-content .line-block{margin-left:24px}.rst-content .topic-title{font-weight:bold;margin-bottom:12px}.rst-content .toc-backref{color:#404040}.rst-content .align-right{float:right;margin:0px 0px 24px 24px}.rst-content .align-left{float:left;margin:0px 24px 24px 0px}.rst-content .align-center{margin:auto;display:block}.rst-content h1 .headerlink,.rst-content h2 .headerlink,.rst-content h3 .headerlink,.rst-content h4 .headerlink,.rst-content h5 .headerlink,.rst-content h6 .headerlink,.rst-content dl dt .headerlink{display:none;visibility:hidden;font-size:14px}.rst-content h1 .headerlink:after,.rst-content h2 .headerlink:after,.rst-content h3 .headerlink:after,.rst-content h4 .headerlink:after,.rst-content h5 .headerlink:after,.rst-content h6 .headerlink:after,.rst-content dl dt .headerlink:after{visibility:visible;content:"";font-family:FontAwesome;display:inline-block}.rst-content h1:hover .headerlink,.rst-content h2:hover .headerlink,.rst-content h3:hover .headerlink,.rst-content h4:hover .headerlink,.rst-content h5:hover .headerlink,.rst-content h6:hover .headerlink,.rst-content dl dt:hover .headerlink{display:inline-block}.rst-content .sidebar{float:right;width:40%;display:block;margin:0 0 24px 24px;padding:24px;background:#f3f6f6;border:solid 1px #e1e4e5}.rst-content .sidebar p,.rst-content .sidebar ul,.rst-content .sidebar dl{font-size:90%}.rst-content .sidebar .last{margin-bottom:0}.rst-content .sidebar .sidebar-title{display:block;font-family:"Roboto Slab","ff-tisa-web-pro","Georgia",Arial,sans-serif;font-weight:bold;background:#e1e4e5;padding:6px 12px;margin:-24px;margin-bottom:24px;font-size:100%}.rst-content .highlighted{background:#F1C40F;display:inline-block;font-weight:bold;padding:0 6px}.rst-content .footnote-reference,.rst-content .citation-reference{vertical-align:super;font-size:90%}.rst-content table.docutils.citation,.rst-content table.docutils.footnote{background:none;border:none;color:#999}.rst-content table.docutils.citation td,.rst-content table.docutils.citation tr,.rst-content table.docutils.footnote td,.rst-content table.docutils.footnote tr{border:none;background-color:transparent !important;white-space:normal}.rst-content table.docutils.citation td.label,.rst-content table.docutils.footnote td.label{padding-left:0;padding-right:0;vertical-align:top}.rst-content table.field-list{border:none}.rst-content table.field-list td{border:none;padding-top:5px}.rst-content table.field-list td>strong{display:inline-block;margin-top:3px}.rst-content table.field-list .field-name{padding-right:10px;text-align:left;white-space:nowrap}.rst-content table.field-list .field-body{text-align:left;padding-left:0}.rst-content tt{color:#000}.rst-content tt big,.rst-content tt em{font-size:100% !important;line-height:normal}.rst-content tt .xref,a .rst-content tt{font-weight:bold}.rst-content a tt{color:#2980B9}.rst-content dl{margin-bottom:24px}.rst-content dl dt{font-weight:bold}.rst-content dl p,.rst-content dl table,.rst-content dl ul,.rst-content dl ol{margin-bottom:12px !important}.rst-content dl dd{margin:0 0 12px 24px}.rst-content dl:not(.docutils){margin-bottom:24px}.rst-content dl:not(.docutils) dt{display:inline-block;margin:6px 0;font-size:90%;line-height:normal;background:#e7f2fa;color:#2980B9;border-top:solid 3px #6ab0de;padding:6px;position:relative}.rst-content dl:not(.docutils) dt:before{color:#6ab0de}.rst-content dl:not(.docutils) dt .headerlink{color:#404040;font-size:100% !important}.rst-content dl:not(.docutils) dl dt{margin-bottom:6px;border:none;border-left:solid 3px #ccc;background:#f0f0f0;color:gray}.rst-content dl:not(.docutils) dl dt .headerlink{color:#404040;font-size:100% !important}.rst-content dl:not(.docutils) dt:first-child{margin-top:0}.rst-content dl:not(.docutils) tt{font-weight:bold}.rst-content dl:not(.docutils) tt.descname,.rst-content dl:not(.docutils) tt.descclassname{background-color:transparent;border:none;padding:0;font-size:100% !important}.rst-content dl:not(.docutils) tt.descname{font-weight:bold}.rst-content dl:not(.docutils) .optional{display:inline-block;padding:0 4px;color:#000;font-weight:bold}.rst-content dl:not(.docutils) .property{display:inline-block;padding-right:8px}.rst-content .viewcode-link,.rst-content .viewcode-back{display:inline-block;color:#27AE60;font-size:80%;padding-left:24px}.rst-content .viewcode-back{display:block;float:right}.rst-content p.rubric{margin-bottom:12px;font-weight:bold}@media screen and (max-width: 480px){.rst-content .sidebar{width:100%}}span[id*='MathJax-Span']{color:#404040}.math{text-align:center} diff --git a/docs/css/theme_extra.css b/docs/css/theme_extra.css new file mode 100644 index 0000000..cf8123e --- /dev/null +++ b/docs/css/theme_extra.css @@ -0,0 +1,194 @@ +/* + * Sphinx doesn't have support for section dividers like we do in + * MkDocs, this styles the section titles in the nav + * + * https://github.com/mkdocs/mkdocs/issues/175 + */ +.wy-menu-vertical span { + line-height: 18px; + padding: 0.4045em 1.618em; + display: block; + position: relative; + font-size: 90%; + color: #838383; +} + +.wy-menu-vertical .subnav a { + padding: 0.4045em 2.427em; +} + +/* + * Long navigations run off the bottom of the screen as the nav + * area doesn't scroll. + * + * https://github.com/mkdocs/mkdocs/pull/202 + * + * Builds upon pull 202 https://github.com/mkdocs/mkdocs/pull/202 + * to make toc scrollbar end before navigations buttons to not be overlapping. + */ +.wy-nav-side { + height: calc(100% - 45px); + overflow-y: auto; + min-height: 0; +} + +.rst-versions{ + border-top: 0; + height: 45px; +} + +@media screen and (max-width: 768px) { + .wy-nav-side { + height: 100%; + } +} + +/* + * readthedocs theme hides nav items when the window height is + * too small to contain them. + * + * https://github.com/mkdocs/mkdocs/issues/#348 + */ +.wy-menu-vertical ul { + margin-bottom: 2em; +} + +/* + * Wrap inline code samples otherwise they shoot of the side and + * can't be read at all. + * + * https://github.com/mkdocs/mkdocs/issues/313 + * https://github.com/mkdocs/mkdocs/issues/233 + * https://github.com/mkdocs/mkdocs/issues/834 + */ +code { + white-space: pre-wrap; + word-wrap: break-word; + padding: 2px 5px; +} + +/** + * Make code blocks display as blocks and give them the appropriate + * font size and padding. + * + * https://github.com/mkdocs/mkdocs/issues/855 + * https://github.com/mkdocs/mkdocs/issues/834 + * https://github.com/mkdocs/mkdocs/issues/233 + */ +pre code { + white-space: pre; + word-wrap: normal; + display: block; + padding: 12px; + font-size: 12px; +} + +/* + * Fix link colors when the link text is inline code. + * + * https://github.com/mkdocs/mkdocs/issues/718 + */ +a code { + color: #2980B9; +} +a:hover code { + color: #3091d1; +} +a:visited code { + color: #9B59B6; +} + +/* + * The CSS classes from highlight.js seem to clash with the + * ReadTheDocs theme causing some code to be incorrectly made + * bold and italic. + * + * https://github.com/mkdocs/mkdocs/issues/411 + */ +pre .cs, pre .c { + font-weight: inherit; + font-style: inherit; +} + +/* + * Fix some issues with the theme and non-highlighted code + * samples. Without and highlighting styles attached the + * formatting is broken. + * + * https://github.com/mkdocs/mkdocs/issues/319 + */ +.no-highlight { + display: block; + padding: 0.5em; + color: #333; +} + + +/* + * Additions specific to the search functionality provided by MkDocs + */ + +.search-results article { + margin-top: 23px; + border-top: 1px solid #E1E4E5; + padding-top: 24px; +} + +.search-results article:first-child { + border-top: none; +} + +form .search-query { + width: 100%; + border-radius: 50px; + padding: 6px 12px; /* csslint allow: box-model */ + border-color: #D1D4D5; +} + +.wy-menu-vertical li ul { + display: inherit; +} + +.wy-menu-vertical li ul.subnav ul.subnav{ + padding-left: 1em; +} + +.wy-menu-vertical .subnav li.current > a { + padding-left: 2.42em; +} +.wy-menu-vertical .subnav li.current > ul li a { + padding-left: 3.23em; +} + +/* + * Improve inline code blocks within admonitions. + * + * https://github.com/mkdocs/mkdocs/issues/656 + */ + .admonition code { + color: #404040; + border: 1px solid #c7c9cb; + border: 1px solid rgba(0, 0, 0, 0.2); + background: #f8fbfd; + background: rgba(255, 255, 255, 0.7); +} + +/* + * Account for wide tables which go off the side. + * Override borders to avoid wierdness on narrow tables. + * + * https://github.com/mkdocs/mkdocs/issues/834 + * https://github.com/mkdocs/mkdocs/pull/1034 + */ +.rst-content .section .docutils { + width: 100%; + overflow: auto; + display: block; + border: none; +} + +td, th { + border: 1px solid #e1e4e5 !important; /* csslint allow: important */ + border-collapse: collapse; +} + diff --git a/docs/definitions/Data_Types_en/index.html b/docs/definitions/Data_Types_en/index.html new file mode 100644 index 0000000..648815c --- /dev/null +++ b/docs/definitions/Data_Types_en/index.html @@ -0,0 +1,475 @@ + + + + + + + + + + + Data_Types_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Definitions »
  • + + + +
  • Data_Types_en
  • +
  • + +
  • +
+
+
+
+
+ +

Data_Types_en

+

what is python

+

added by @Dima

+
    print("What is Data Types?")
+
+    print("_______________________________________________________")
+
+
+    print("Collections of data put together like array ")
+
+    print("________________________________________________________")
+
+    print("there are four data types in the Python ")
+
+    print("________________________________________________________")
+
+    print("""1)--List is a collection which is ordered and changeable.
+          Allows duplicate members.""")
+    print("________________________________________________________")
+
+    print("""2)--Tuple is a collection which is ordered and unchangeable
+           Allows duplicate members.""")
+    print("________________________________________________________")
+
+    print("""3)--Set is a collection which is unordered and unindexed.
+           No duplicate members.""")
+    print("________________________________________________________")
+
+    print("""4)--Dictionary is a collection which is unordered,.""")
+
+
+
+    input("press close to exit")
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/definitions/Function_Def_en/index.html b/docs/definitions/Function_Def_en/index.html new file mode 100644 index 0000000..7d70046 --- /dev/null +++ b/docs/definitions/Function_Def_en/index.html @@ -0,0 +1,461 @@ + + + + + + + + + + + Function_Def_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Definitions »
  • + + + +
  • Function_Def_en
  • +
  • + +
  • +
+
+
+
+
+ +

Function_Def_en

+
    from __future__ import print_function
+
+

what is Functions

+

added by @Dima

+
    print("What is Functions?")
+
+    print("_______________________________________________________")
+
+
+    print(""" A function is a block of organized,
+    reusable code that is used to perform a single,
+    related action. Functions provide better
+    modularity for your application and a high
+    degree of code reusing""")
+
+    print("________________________________________________________")
+
+    input("press close to exit")
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/definitions/OOP_Def_en/index.html b/docs/definitions/OOP_Def_en/index.html new file mode 100644 index 0000000..6e01d5d --- /dev/null +++ b/docs/definitions/OOP_Def_en/index.html @@ -0,0 +1,504 @@ + + + + + + + + + + + OOP_Def_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Definitions »
  • + + + +
  • OOP_Def_en
  • +
  • + +
  • +
+
+
+
+
+ +

OOP_Def_en

+
    from __future__ import print_function
+
+

what is python

+

added by @Dima

+
    print("What is OOP?")
+
+    print("_______________________________________________________")
+
+
+    print(""" combining data and functionality
+    and wrap it inside something called an object.
+    This is called the object oriented programming
+    paradigm. Most of the time you can use procedural
+    programming, but when writing large programs or have
+    a problem that is better suited to this method, you
+    can use object oriented programming techniques.""")
+
+    print("________________________________________________________")
+
+    print("***Classes***")
+
+    print("_______________________________________________________")
+
+
+    print(""" A user-defined prototype for an object
+    that defines a set of attributes that characterize
+    any object of the class.""")
+
+    print("________________________________________________________")
+
+    print("***objects****")
+
+    print("_______________________________________________________")
+
+
+    print("""objects are instances of the class""")
+
+    print("________________________________________________________")
+
+    print("**methods***")
+
+    print("_______________________________________________________")
+
+
+    print("""its a function, except that we have an extra self variable""")
+
+    print("________________________________________________________")
+
+    print("***Inheritance***")
+
+    print("_______________________________________________________")
+
+
+    print("""its a mechanism to reuse of code.
+    Inheritance can be best imagined as implementing
+    a type and subtype relationship between classes.""")
+
+    print("________________________________________________________")
+
+
+    input("press close to exit")
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/definitions/Python_Def_en/index.html b/docs/definitions/Python_Def_en/index.html new file mode 100644 index 0000000..5be79ac --- /dev/null +++ b/docs/definitions/Python_Def_en/index.html @@ -0,0 +1,466 @@ + + + + + + + + + + + Python_Def_en - Python Codes + + + + + + + + + + + + + + + + +
+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • Definitions »
  • + + + +
  • Python_Def_en
  • +
  • + +
  • +
+
+
+
+
+ +

Python_Def_en

+
    from __future__ import print_function
+
+

what is python

+

added by @Dima

+
    print("What is Python?")
+
+    print("_______________________________________________________")
+
+
+    print(""" In technical terms,
+          Python is an object-oriented,
+          high-level programming language
+          with integrated dynamic
+          semantics primarily
+          for web and app development.
+          It is extremely attractive in the field of Rapid
+          Application Development
+          because it offers dynamic
+          typing and dynamic binding options""")
+
+    print("________________________________________________________")
+
+    input("press close to exit")
+
+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + « Previous + + + Next » + + +
+ + + + + + + diff --git a/docs/fonts/fontawesome-webfont.eot b/docs/fonts/fontawesome-webfont.eot new file mode 100644 index 0000000000000000000000000000000000000000..0662cb96bfb78cb2603df4bc9995314bd6806312 GIT binary patch literal 37405 zcmZ^pWl$VU@a7j-+}&YucXwahCAho06I>Q|cXxMpcMa|Y2qZwTkO24I)qVI^U0rug zJw3mg>FTdj^N^+j0DLI`0Q7$e1pLo{0whBL{$omN|C9dj`ak@CLXyXN`Tv&xL+}7# zfD6DG;0cfb_yDW`9{=r}{!;(|4WRL#+5o%&jsP=&`+tNQpz|Mb|L=_5|G5JKZ~<5W zoc}F$0O&tu2XOpH007$mPfyVQ(-8oW)Rg^yCWe8+UI(PG0aCaC0oOPSSMf`$n0jT> zNXqA6GJtPRak*%7-a)|uJ_cYiiNSybhhwHgZsoQT!Xm){KHAvM=U7}|U1LMC#O~E5 zr29c@hQt;YTG-}+NpnmSA-uodhzL6v(y*sW`M!ORS+=>yZEu#TCj! zUy+<2^w9t}gp+uZf4of?Wu~aMPFG3*SSQZCNj%`3Bj@JX#iTZn)$zBBxIh!mQkTH^ z$w|djT}ESOe63Tg_77=Kz*-Hv z>{BQjmd06dHK(UTXP4msH0^JEhbcuu1K6tPKEA0hD-``i-8n+4m3HNWmvab<;8NlS zDAsXXE>0tAwn8zMiXDesTOk`z05XDaMEI9&(8~|Nl;&D%6C@bNj6Gu2vaDayhS`Zv z)W46=-5L8j*NC+e7!=_YpV7bPQMRXH``qc@*(&=}Hv2!d+a@yGe{WuVftGFtJwqZ$ zXlZnjCV5(O>mF@@5tL!3w)g9~xQ?h}eEhYFbmRT_ZQt*qoF)PNYv44JmY81?P^}^P z8=vEU0?Y%~chU3Paw=H3G37{0tnbte`sP+RLWzaPDi}WL*t<-xclAU8ZJHv)&RQ!WD+LZ5>G4Z=X5e8h zI~8x0!V1~u)|J&aWqBxvnqxKNjU7WKjakJB?JgwDJ;`A0#&QZ24YnkX6JqgItAlG* zRLYYB)iEk!%4Utz$Pj}CBp0IOR_!v_{WraEVmY*2lMhXyz|Y#Kn@J^k78Xp}MXlX! z#-km>Z@u_epCJ>#)tNu1gnC6@;K`;vSCk$iDAA>&b2?}gR!L8pXBM4!14 ze;6nq#ODiF{jqqg#tUutCTo()dzY=JHPe%AjvZa0`EALGl~fc)-RVj0DM<^zLMS~l z@*^OQT|>5}r-!{Xr-7{XlUR<6P8eid6%K&py{Z%xF}oVHDmqq;=YeNf>Et=@Xf+&LGOx>6Lcxi0c1-J%%$n^Y z0_!{mDCN%?pK^mdIsvt38PT8W%*)lsf0N4qZNLzTbty#wB22yjkXMe9B-#B4!aIc_ z!9NR;!Ca(NXBe_BfznV=fVI7$o~nEnFwh~jo}{rT^Cciw3wM)N%U?(q);-l1fiPvI zT_PT$)0`lIxoF)w3ZzdS5P0PX4G{K1Lm^hsh&Qexk?=Ogwrq8`=nrk2L@k8QR+)bby7QXcZYX=B9u1NnfzZT z9^K&T@)D)!?z3EbAhjD0M{<>|Z7p0K-N7#E#}gDb2%S|4f?3n}3o#KozgQ_3iUg{s z{D=^3IRs&?ao>C_CFWZfjW&2i+w-i#u##w^NYV&Z6BlPPc+mXGpdl}etH?UUYq%0S zVC>r!$*Csq6N2c=T^o(Fj9X&1X#mHDA7jK-HK~q*7QH0XeU#l0J3ZSubwz*fc8m~F zc_*Wp2E+54uop~t!Iq_kIi& zx63!K&I(~un;B49{A0CaBro&v6H`-`uVO4?(ai;2Kwwsm>5v)j%fLUYH5IFXn4UZ~ zDmHrbVrHL!Z4|XWe+hEWIIf#B-p);T+>2JV$D z@-si^D34!8SOg33#Da_Fs6#Bp;cy|f=w&UrH8|zrPlMc^CULm(w21K%9g>lu29X7G)HxDeVKVJ#OmQIA3<DB=wbw_C~hLLg*7e;3P;*kd`~+Fe^VU-Bt)ri!@* z60eD^A_>i;O`?=jo1}GX3pSuft>KR?qdNF4pwf z|Dhr_u@*sXZ3}$DzEWTV5+>68ThA#>WIaS>RwT7$TngT zmn!yfa4J)I7E|7i{o z$ES{Y36>D>4<^w@_#p^iv&iB=DVOK~A0}(JLMV}IAksuBZDFB-7M2dbloF&R z$`TcBVy|{uo)$;eMk@!WK99jP{+x-7KrbBF{z#F|tA$r;e17{ti#2e5u6fOrPyoR} z<=oO9fc(z7s9svZe@oWA*W&p5?|OZx+GPNp)pLb$fVONpeKj(agx~f06){dbByl{ObJJ)V8@)BW!-; zz+|>i$>7w;aTDKmtSl#`vw;yV=0{|=qxYG~bIlYOPWv*EfT0t|s<3TOza|dH=*RhN zd~|P5(@{QePE_>rMu7Khi!P?k`f1jXyoyaI6K6}q z5w2l3gp{AWp@uyD-oYS)`Qs{rfTP-0v(24h5>HmtChQ9hsjPESIr#|9TfE&Nb4*5R zSVxS$@V!;exgU4*F={h5$7NvFNNu7iIzl7k8cmir4O!A-_-V-)K#8f-v%Kv-P@sX1 zWLsZgy{93V>2Fa)DX!PbD5g(!-AM_~@=a7vu$In<=p$=9jMgju?Hs!{lcuOvn?m?- z;9qquyPiv>Zv{9T?bzoJPg(h^Qdomi*RWd;Rqo#0VAbET;7d-%Mfjg7$!7Jkf)728IE?nF zuwW8}QZX7wm?(GU4)hlyp8cXC&cM>yAw3>Jv?^S)sAh7AQAANE*ptw@b8w7$EoWE0B!5=X5u86kvtt9eGosARbHb;g(0_IP)jbYe7NBor8KN(wT!`(4$Ib zIUJk+{=EZW8;GKKL{1fT!}p04oXjTyFpVoN9Ug>A{US@XYGFVQj&0O!NEH40o898J^8hCa^y6Qs|gtW{b% zdtJWq?48pozNht0^0JhMasrmO8zMr=BT2!?by$zdZ=|H@Xke zI0d#9t})kW;F7|JHO*|@m!y46>bGSa2Ax(DdlNwZ@bR`iw;3NPI-)S(Q2}pC9P|7r ziziW-Dlp^6-NgYpz{X93X(RL^M8H@@?W1$V{O|xx;-%hs!8Sgo^!SXb-@LT5jGD$|XcS=KCe{V^BGVzmAOs3s3BIS}l`@-)R1 zG?>~s>Wiy}Nc=2O%>HLI|1Yz`T5YWjqLA*f=7o-tm1g?MkHtFtHBJUcQv|MG zSYHQF8jW5^a;ez*RzoxP_3r~Qhu@e+eC>bT61 zM!%+znz~09KgdtDhxDoCs!07c%{?>xwX!*{o;w4tDCV5q3foqA;2V3`X*a~_c~ zPsC^)uTL~$Q{~AlcP*e2AE69@OsS&UX^6=lpr}s*R{phnj{V9N%)DqEeBKi;YN*Lz z=c;@?Z&WK+dn(W!0~Se4s_QAT)?U6&}E+Lhw!5N$nYe4FBNj2f7^@NA2Bv;xGx8lg*ujReEln# zL*5Ay?Wf+Dr{(Q%s=5w&XgF<1v9EvH!zS-J-vkfik8-=&RRmS|QQ>oUx(0Sc*a|sW z%%S33!=+A^cX2-EoPM<#N2*YUdgM7ES2ZzhBC{4^^(Mj9hx3F?oNWlkgD1Y?>j$^~ zdVoL{Cg}4_K}?7=FtwY{Y5)^MOP+_uZa0Wxv@rIHC5-*?RaxlFWIc`2rnV&*Kh<(x zjC@1D*{SYh_IZVQf!_F0Y6FX9K$iEgEvY>!goU^g3A3&9N>z18C|amAL;G*Et>rlRrV48k*ER{0vazDox=PyAr+a zEq`}2?4NUNPfMEjv5%wQ5!`m%EUwtJQbr4e4s%XI47Xepy2NM7;cG2_wF8){JGSIv z9G9s`M1@fVKB7Wv6cyn_?K4TphQFuAsHPg6B^7^IY>BhfYvf)dEQY2^XCnU|s=Jol zh+&iieR>ax{n+t_Im1%9Ng1Y$h)CsC!KF=n<(4H!y%JE9D-=hqmg5z`?>J&_KC5Ff z!l`Rb=2OoGySCgr{*s(RoR`B}0l6g@+cWgmV^h1tFU_s+z|qJVkLpE|spVX1-tj^x zp=Hijw{rfD;yeFcBgjt^VQCqDY+F9UeZu|3KlcX7Jhwt6GELR7e<^jTFD0?M(ax>C)E75Zrq(=FZp|?e$VN+z5id zMJ#<12q0U>hn9ag0fkZ8)MlojEn4tI`^8wwV!cBGIw$o1#`rQr*Exw%Em+oz`l48V z>smox%zyVF+l8yt{*JbSb;`txVeDNw|B)Bp-iR)*BRb#elYSukwk$f!9rCPrDra~D z0NuL>G>n!QX|DZ6ep}HGD=o7fb2G*%4F@3$H^Ohup2|>B%Clifwg0+ntVheV@qSx> zo0IngEsKDM-Pg|#5>qpcv1*o-GAm8tx;np8!Ds zp#)8-HsN_|hG$I!BQFPlSn+Zy57k-oXRX!t zH!R$Z4Ai?&(Pc~p>Z^D)p&w`P#phG@!i1fsKO)KIyjBQt4qajY= za|XyFvW#RB%NUI37BqpI&cB|()<&6HYII9FQHE!Q1%`gQ=Ql4En7Qg4yso8TvSiRW ze))y7RqzOl-M1o65}n>BsGR>5j=~n)lOu_kQeJJEirO#{YcFh^p%rF4m~=R7;aD2# z17PaV6$(3c&t1|eV$7`6A8KBig#IY~2{T|nr?tVOBt)Oxx@~Yw#{ekrzsJa|#7@WH zs#Y{(if9&R%_M~~ZWhyYqPjg7u?UPY8;jWu<|*uU(1@0j7`mpZgv&qwWm}TD2e2mc z``MrubPsyLB@S*64<~`x_I)>uoU;ZJLdBak+%6w^n9Lu6t`8xT7PykuFA_&*6^ zY^7I%zP6pRxI`~95l7OWm(T8f_XCl4xLf3-_RD^&xKtV@$Oh$%>9!%%IKNT7N96bf zo|9&wksUa->zFXOo4=S6*GkV2WYw#IdoHT2WIUNBexWJV1!^!zitVkii6*>3FIol+?C|sx6}!Y8>k3+^0roSAQif>ck3ay5G8B`AGsMO#0$IL)?b}s>g#x# ztx@Pg@db|YRrgZb_Q+Pe7MG6vjx&fRLP@=UNG;=r_9NlW9ta1*##f?e^qd${n3Jjb-O~6|gSt#MU>b(5+ELlDd-X4yn1}(&XH;&EqtPwcZ zzwJ;}TDd7~Ay{AhUJSu6%I3VSSoskfs*d!!a3VywPG7d9;L%#V`C$ti$_5zr45^5@ zHV@{el?YatwPeR*0%VKUA|*M0=7Tjolr#v)In@KpRz)ZoHNHMQoJ}^u#%rEr54)tl zt6A}(0R&{A_~*8t^ds(HT021G8`3?dbb^n+{1yk<;DV-HXh-`=D_r}0LPYNDy5n`%Xmttr+O z>l-Er93NUC6)1HtX)XLH2QAx|nX%|Vrs&Ij=*Q}tWM=2=WAdf9N{klAS1 z)v@hyE#_5d-Bz6mY*8b&3DYiC&myy%xF>vv;Djuqi?0BzoR$OL#9U}e(NgYZOx-TE zXN>BPBCi?5(d~S`h}H{<^c9@)TWJuB zk^l41mEVC(+coUjUoy1$~9wT1um%Sr|i=F`_{YQTf`0zQ})K>4tL3*uECr zp>N0x$16t%7&GIC`w=S4-n?DwqSYXI;eayjxPL)e?)(-CvSkiWoqYJSYlueR6in@1 zHjDmu06Ce>FDtG6b5I@i@|I4QrhG7^fVqYQ6?by`8wT9M*>KT17Ph`Q*Jv$qdisnI z=83pw&?*Q`Lw?V6Sx65VRmneXMDYVV657^k&Qwy^1T}1Ng0K&M$mSrl z7a5&-0^4#GrOND_-rn31$@MMTx*DPC962Llwj^G zT2$OETczZY3Y1n>dM0jr5=&2Swe+IEhaDk08f8~)B0MVJ-6r7|3QV}a3!EV=YIq*q z2K^27*a<*NS~*;_oQ`}$>4UFnm)cMJ=6Zob*>0F3Aeq_H`=BJQd`nQY^G2v{YoC~( z-|L%*G4o-zoiJd&Zrh}vw2Hzm5Cr>o8^JA=$T_)Ac&j+B<(cWFzlmpcO_A1iu2t)A zCZqqmU=dBKK@uD{w|Sl^_H_Lg^e-q{vfhjY@-ZOofR?6r;biWmDPJo>*~g`t`J$Q%I5QH?OV2pw#$W1!@PD>@oVVfJ&7yu*4tJS*hqS*{>y&vxB#f9b+L zGv%mj%KkkH=D%{Q8o}K^xaeVyUAe#W%V#D~#aqe_O3_Y|XWf!<9W;qUR7xr}Ba2bY z13ZLb9p_iY*5*BtH@<&q+xo6FtV_4&-64$7KYdq8oXH$o4yh&r>-Do)ZGX>F_HSj6 z$~k9R&n5rZBfavw&W~*)t&x2FKw^*cHJY#|wQ4fbFuXi|GoA2yj%AgBZm6n(XGNUt z`%#%wA}O3l)KAVkIC7ooehzC7+8K)$7�-A&iY%khEsGVMaq&$BJA^QAs8x>7-g_ z%a|Cu`#=j-hMK0t0lC$!Nr;nh>V934W*5m7WvAqofBHSANk`JbJQ*t$U zwQgIEy~F9FW8C8!NIl{&c@{l{Priv(mk(uBQcp1xb~$O3f(xlI1ScJ_B&AIw$)w?M;Wtan~MCVv2uecOjC8#5{IUKyw2hLV2GGd5ET@5iCT%iO#hM4oG0Jo56Ro z|BN4>5npfnR`(o^UFwEDo@L$IK0;tXbm70bZ9*tq4&C^5xYF${9%s*7C;ATszyXJo zTwo%Guzw@Ib68RYOQpBH7i$CKldh9-3Wo5@OIyezUj8aJI`JLuKBW6=oSZNJZ1(I2 ziqYBfj9 zB6>Z#sdF3F{=5OVO3>iYeiL61>s!Y^SC#ta>1z-Mv-5dNKu5cKcZ~)qvX)tOb4%S{ ztbY?Zc=^V{J(sqqTi!7gKZ6iyBZQCSr+mRfiPO%dzlAC*=c! zmc9_mR9hUjMYiO&?$bqcS5L-*bMtrgFJh;sVlwyk#Dd@zfPR*?rMM2dTyNdX=khz| zmpzK_JdiM10*(7=Tj@iRH*SXzD5Zlfmj#au=Uck4Ky#$5rs2U zcztXZloO*$Rqd5C)pdVEESzivA+lI0VK&*wk?o0qp_A9+$Tob;6f>-vCTw`4?lg`| zRLbE%b5hUU%eEz)>w#0Bq2PHQJM*gjv@jZ`C@ zu7#yinEvDZA%dJKB~cfd`u+(VUnnhBU-50)AJx5vU;f7E+KW;6NIXW;3Bi3HfIgbw z)LBrsem)%qD0EPgDG0MWi{A;TD^B57RX~zEu2*zL95=+o4Kc$`wdL2W0#ix*F&C%?}&b;gRQJJp*3I8)| zo!ZgT6C;j{@;XXZfkrH~Q02tgtcd6^&#V`>Oz+UZimT8))AR_cw^ONMQiX|-kWFi;bq;**f=|y`a~A!9eHVZQ zlxDiPhvX7R$>OH61^-oA%H+cHnO6#Y|nQynRtfoA&#MdTuC8jh|@i1TAui-8ZXwRq1;AcR=UTK1lcBlwf6Y2m`uQRVF|c5Kq}%t zuoB7-?vh1>GpIFcESBSjh@tKV_)_I8$G5eq8{Y4TqKSz(rwr}=lR?&QCSRl}P%5o9 z???(=KI!Gc`{y}H2=8CT*yKd2#Y!37o(A0rvjNf@BcA8t7;>bpMzy>@hYO7AE zB^|%*N7<;$;fN1dF#^Eb<2AT!_Nh%Cxjpk=np19(;*7G??NB~H)3)dR_RfRdX2ccZ z63aF7W5|YX8+vtnVzk26HOO-H@$|rl#y}fS4}lJ;xD{M(EY{ZRpLH=_=bf}-DwJwt zxRvv1<2+FRn*Db8q++R7)0Jk%MHIVx%XHQGU@uSPv;#R`c0DqXJ4^XU-}Z0}N=~;9 zGWgo;VE?|aak$PrjpBg(6)pV&4p6iE*PhoD#t{M3K7$1bMfouQ;3*s${~G}y&Z<%Y z5aD(_yAS5~*6E1TgS$vu>Z4^u_;q@-q|6 z>}UGTQz!2l;WU&|tktoqcZFTJY}`Xn3+Gv#APh_Q0wCifTJ*-e9ZQR-iw)h_2VC|1 z9o>@^6hoL%VyB2wRc4XcxT|1$H$I&^$_FX~9d_EBS(EXt)OWG>ep2H5>f!erw-~+K z9s~4=v5YxU0{x(xI7VUwN;>J!fPYXH&4|Sd#rhamWn5h&AfI{UpEr*u91LV8E+_S^ z+hdfG1QetE*he)JCyH56Hl#%pf++Q&5CzugYtt_2pMGp@fkoAP2J8D}6 zW4SGDKU=7u1Y_HDgV3q?m_R(RR!Q=~ zEfMsdG-gM~G#U}3HKqKAT(Vl)g|%J&)JMv_SBzg%A}2!>GFQHJIA?lgqezx;UoN(3 ztg;Bk3AxR0;ti}E<E=GL&h1%;qU-ENjf%tc^OEza3{s;i2NKnM?hT;^C5b9o+9WKJFq3;4Du8A~&!GQi`D`FH$Uo5S*`m+KY?8au8|!hAoMOIdZ6R z2n@Uq{WlP>PQ%jMI3@B77^SOngMKYFkLpC3!OVrA@Qz~U<<=Mc3PE}BbXGJ9h~biJ zJH3`%K!H8#*_(y;W_Au^h>?oDr~}|)Or#hEW@@R+K_Z09uw}7klzq943d|8<@JK

h!Ew-CkL#7+!+)@&03H!1k|bv@FI~pm8x%T+51^g^b@%x?Pg+ zraVO@|B9Kw8Sy&-^q$N1q7#Re7hNTV;#j$LtQpUE_#^kfcej9{E}Z7f$x+=!*l zo|8|XzT&&oY#j3M~+TURyuNvww$-ftP} zlpn3tmwapyupHG45}o2Y$-~GL9Iy0c`XceTiucC3ty*4Bh&R4J=pFUMniu)JGLF~9p3 z_bnU+?I2w8yt9$!$J;GZ$}4F-I{^y4lKdCYIK_`IwKlL`rhBUyw@@f}qY$Yy6)vQ1 zJyjI!jIt$bpC3<;m_ZNN?$WyrrU*eaEEhGD^k~7Rl|0sz&cehDl!sj zuy!=ud=~fn@WZ%(I*;nOh>Djg`{K=vWsJ5$%9n7tK$E!c#NKa&eHu}Ckvdf`94(>q zt1`rSluzF)*i(Ye>q+NW?v#L$BN7Ak^hnX4D%#DJ5`lTMq^P7!5#nyqZxEgK(JPAT zM81_Wp)*a5GAcXemr_i`e1>3hU`C=23`JoixYPTPROl$*`=vyXg_!?L{um_Q zl(DNNA@O#Ca_?!Cum5t=9|RE#R-6nLz8U4--a2MiGICt=A`0#nwEL63;w%S0GK_duOj%&R{;;;aa8cT53c6raq}o&nA(@$ffOQ0|?r? zi3TFHN=2C+XGIA|H?zTbB0H3S3T@_$g?l0Hr`pVx zv;7<;9qP~l6!E&c;%UO4(ud?MZnNTKeC;Qf*RMfWRAteO{Nwx&sR{m$dU{F9#8c(;ftR-=vh zHEUbR-MvM^(5qH7r{^YHjNxi#c)lU*%h4zUYqqFdO-W^1QB`aVrgBKB@$4fH3$(XV z6bG_JFDA0j1lPYjma5@}G8R27N-8JkNe0g}y^k^RPUlQT+I?neynh4O`2BNVqG2;u zKB~mR(I(v=CWkvs3ecu8N3RAY9*odm$F7o??+KV=0@$o}=xx)(UoZn<9VDGcdXUG5 z!8(eeMerskRP-$<3gM&-Il$Lk8^utly5VxB!W${%3VJn27Gt|}A~)1Sta$5RGUiHfqGq4W*Fb`gn#E4Il|x{YSp!T{~DyE1zP9t{i+&~$qH4Z zQL?lP>B9+Npi9(+a61HvNmMP@^l*Sz3hoGjG&R!{xyNym2;>ujoCtzAS{BPGi^O6P;+EQVRh$$jbEhIxrPr_TP}5OfNBfG!&Bk!@!i*ML>rJrCAAg^SJ@@V6#9dUuoI3Xp+Xj zjBZ{(=?xj2K^E>tApTE7i_Ke9H^UPrsI4gX@vNCSJ-4c+$#{C_Gka`<&-ZkA z1f$Z3-zFgD64G5*WssT|O|EaCat5gaY`tGAF!@ZibpS4;;0r-2y z>25XCM?a?TD3dt$1Pz=GW(WA6?%wk@FHcoD8CDKlBXBg3z9F5V;J8H(Ta#1nq}KS8r$CNDAe^2X|5MJ+WsL0gmtzcJibIfu-QgzOV^b$Daa zGI^CUw&7}^{VOMWF-+_4{l{`;-z-U=bKX|SmHov7_Pw(eGhPb=@ZLXwQ0^1jNX+Vd zE3Z~MRsCHa#zT8+k#s1Mq&kd^ea1EgzTzh6W}?7j zCmgKlhP;r$6257#yX5jt8TJqvE0y0&RpO74=>GO1y1Vbc$=G$#ru$?O%Nm_@uCBbF zG?_h?e?m|6!pCRA zM(<0DH1|flh0tK|m@zo9!c#Zj4&dMin=kaTAGn+Dpj4Ojc>CGbpIav7W2B~ z*xe)0a7B8(g@O_AZlzU*_Ylhg^(|^pwl+$(x-%vDAH#yL8NMvlreV{_Zx!mPi(K!} zZ%L+#@z24eq0q;kf#^Fb+FTo(4hn(#ZUThK{u~r^6O?}}gNBNdK=mlY-N}Al3N!D3 zay>sAFdGiI%ist6xO;srz=&Cut^w=Rg4~lE<0TJfEIvKo2fGxJchEu(aMSi_N*kc5 zW;MH+`NwISj?JEL>6SaLK=$Mf5L0d+C^}z5k0c|p_w;5hYMv6YqUZ$#xjT2EbS)8@ z=UNO29or~M2_^H}xl1JBa-^}n9)j#c2C;)${p7_jwF2iX)zBR(253~_ z^Ueh)uSh)rRhQVKdw196P!8E;$&%wM9v%cSiP8|!{r%xgfr{&}YMOwrD>7m=>U3?) z-iNRe4{f)`60&_HEAbs(Ir?=h@R&=t-_+xBfB1nz;-Xf1sFPhSXykW{2cA*OMSSCsQTy@^D5X@>{GT=i@*YrEI5@@i}y zpDdHia%Gzvr>V>keTzVR6y38N!>ZC_5Y#`JIbrJC%YQoHjkKisT^p>s!RE*(_ds_M z@3hv#4gU>ZavCh-2){(v-7c8&8UdiIDmu;Iu5vWNp9`(9_(Q;CfL)+>701a}qn7Qj z>x`8xXhwV&t$vz2q>(?Hp~xCF-vgQ=+F$2q3O}l=tC{8sv|~^hW%@h$x^C{`ze;CU z)O)`sh!5E~?roEo$yI&es^T1zRJhF+oFq=_amU`ELLI1Rg&wR^#E5>hkWYEa65;r5 z`(0B>zQW?`N-v3}Sl3E3@882^Ds1)O#TzpfazkIH&LKDRRVc(c1K!1S1O&bcifu&! z0rZ2EsVJUjWKVGx*7D|{*U6Mm(auj9zX^nAu^1(!s<+=rrtZHsXeST4ql$8gPPE={ zktU(p*^^Evu$NCA!XPj{Hd-IV=TK~3J;TDEb_%xvXh-Y5X?*qeKd3wx7-s}Hm%kwVK4=$1P%MRS8ld~BIH*eESCj40`zg1k`+kHg{^RR!1!xpf=7Kh*;UjG4tn}!JEnIMVN;|0V}4J6ugNkD;PGlH&R?xsF4K`RakmQc zh4Qz(SV3WKAM&sS7~~l{dY^J&E?A#}NV$BrhfFuJYh;S;a(3x)L6S334h6tvB}THc zS>|G{si9v(zif8Z)*zz+NMo1B^SH_Hmoca%-;FCtSZY|td%B1?q)EQ=5ny&X;yfnz z5VsvyT8P-M{j*aw|89Z3pTSQ=ow=%#U?r#7j*t?xjrPka!gJfMSd{J(xgA`%`j{16 zCHsfYnR9JMq4E|4&!xmd1EZRO7|H=r`s*Ec5Utcs+!1r(f^yFi8arJh4Xba$k`3o! z0ZftaVB1R@S%tIz8*Icxxm6!?=?77dVfS}L$PJ$bg(In z_c=g@26-yS9Y757;Z2IV$F$glt+oGa@CG1D2&~hc8~oB zQm`xoca|?c9Tmzc$!ZLIB^-N_wFcxQTMw$+C@!$v1t>0jTz51i75@u0K+39d);&}^mTxNr;g-dw3#w7u0 zi@-~!J!_KzaT|auh=tnNIKbQmKqO|vOCXI>5vkahhiHbc`&FS_u)Uf%ng5@G| zbiicnL?|pE4j56EQ5GTHg9e7#L4qTztW1o|XCgb>P<>JeVPi7G4rJ51Vc z@8miaQ1ODql8LnL_UOKXp}yoI2rMIJT_hayS3ZN`2xKI~rdR`tsd03Pwf<}rwq#^o zOePCnf1iA(fxr4{CIbNu`ydR)R&l0zC18$j-l03$f9|U)xq*R0CdN6L>%7bz&CQUkj%F%4PlE=r5pe-f@EuJct^nd^Xx$8WN zRPpZ9%!f+b4a2$6=;p(05PH1ZFNpASr77Y;6|{x?oPuMynFFsj$2{F0)OZx7N1N7| zYXTCaGW$+os|A%8?sl@rMgTSnba?pF{x|DI=ax=U3cm8N6ols3j_gIkAV&y9YTKAP zF=2&W#1#sUr~_v#$erBp!Yh5IVMrZf1H-7S^Ss?bQ%{Zn8te!qbSQmU)_{w7oiZ52 z*JJ@{oP;873!Ux=5Es?Ow-t<}z}230<{_a_J%m=eG$luqPkunt3=@?3KiOImE90b8 zlfo+6n_;K5xW-XHUPg^)!|HyWGF9U#~b?Y!#PAd zQKGRc`B~=S>#sa#lQeD+vQeHjl}^u9M7<(gQZ~}%zJduQ*p^mH02u~JAPX%TZZhYc ziOiH96KZihNO6qmID%#23svzBwDqn*HTf};^5%NE+(=<4dzX%gk~s$ByLc?UCx5cB z$>y7>+ie|C8}uH6d=)#vKHtLCqqFJ-B9HfW{?DCbAAPbyAh@kuP&*AjP{_W>}2 z*V%cPDZ~l4765ZM0T!F+CuIl*WHK^*H2qLN(vOvE`)G(}d9&^cA(s=G@5P%h5NAiP zgsKH2lc}gW!deCY81ZdA&Xj%%aZX+7<_RUg6?kA(ob0OC=wRr;m&Yx8xl0HT5{0FeO>V7sxJ*%S`7E1Pj?HvkWt)DyvV(G)?v|756SOQl z4FXJ$G^hd`W?;A`thXOa^H`^2@p36fi@3FrA7_Q6MGer2aMoHjBzTn(@vhdcZdCaN zrg_vrlMSA{ldIbZw>Y4zTm~1%kmH4XE+z+fy&T4R4h-MjinLlnB{}%9M1(*$-<-UG z=Y5=pt)<2mpMh!3?K0>2o>3k7PbSA+7d3W zY556%8q{sTZrco+?4Y&_%Yg~=*3R^chTnM=Mj-oWo&<`9cPXwxnzA{_2UwKBvDlLt zlruL~6u5V)A%D+x_Z1Q?Y2D7U)8>I~tcf6HBDhA27z*jVGz#GwBv}E#5(mXCO~R0o z24jw(QIykO9Fv(r@G)N78(D~^8i9+2>0sU-NA2C10T-zRcT8?G=s-ngzR)+QuVK2p zIBCRi$M@&}Op~5iJx5dN4TB0r23bBPQfynYXHa00oNG2c1%TD55hZD>e#k**ibRpC zK+nk9XrKcVpzz{P6T>KGH;%s5SiK?F-6#e5Q;7=6Dj2}JNFJ_d^~eSD2W2oBlcTO>M{5jXpy5{d%U zD(rMDq)`5F@Mw}CX-&L@w=E!XG=xq`7xmjsJf?B@aF;?R22NHH!Wx++e3bcG~S zT!ay{Fys==H%c6e}Te%PpJFY5!TomJQNc4`c zECoNs{ePBmI3&a1_spMRKJ9y?I88l>qfbc~x#1bRQ1#;;E=9|q3`z)7cwns$DJZ6dsvbg&Or*8?5OmBn_c{jhP!i4!JKXlRy zo~L~q(6q{GYC)&c2B|;;j2`85yt4l`mhc7mHust_OzvLTw-p5RJEToHT+AV?zJ_F=ID;V&HAyKmsvX}AZNp?545q`r+&1wux!2uEHCIrjzK<`jIhM?p9b8p=#%06= zy?*FuSck}X;x1|Ftf-C|wiVq|YARm7RxnHK1lP8#<3ixObIRq>tx(l1ow@}WKoI9- zyJ?2gJn&18N*#fbQZzDoloXN?RGoRRcCd2p1Vse53_JFzPggcV%{lCbz)vH3eTL!_ z`SE9>Gnc_1=!8aC6g3JPP@{k}0ySO*3okt3@}>u5fk5%SukC|+GhjFX+TO{U)YugB zn9p$uecCQ=PhWbLGsQW!4oKhdPTM1b(=%hOn+{QwC#qr9(i+qFS+obmeFDc#3?6w~B((OXgm_lNwriB|3 zbaX^P7i&0BfG$X*6Ma(b_A!!jnkX_aX+KYBB(+$>35{S>|FW-Tv92*mjCU5bP#zLN zwm_>1*r=`Ev^~q&Hz4^)L&Q&4Eggf@b-FJXX&M5q=m83N_@V@0)X#>Cn~h*(5YZGGQIbh`!yp++(e=0o9Q*YdJzTt|#K>nP{izR-*bZ3;O{O%qlBBm;2thGTfldzSwuG9tC^T`f0=ykrY=imgR~-BS zXX(B-B!&u#qoxV_%c#VwS&5Yj;Hsb{p^zmU+VEhwC$C;cHrW-&wQ+65?BYmiDsE{k z`C|uuV7)ZRm$2OgH0u+eX9*L}B)DOrDtO`z;E1n+J@qomFq4Z&0z%PIr9g)@NU5`r z6=-x-8%zR`;Yv0c5ea1}L*P6(11*nj5-}(xT zFkEkI2Z@uug(7=3OSJncpXZ0@gx(@Lavohjs#rN51rR_RBZnrDW3p*MLxXN~Co0XA z4S^Q-PzNRqv@i?on3)K4fNm$;>o%&WFKD1yI~+VD;$rhLsnI_@h2YkSl#jtHL|8bo z2UL*8{L#*&wrL>!(SMO$IJwubk-~zC?VB#wR)9G)wu*5EO{z?Tbfc;?h#FwZDGFhh z-D}9}K($E#c5WChk~HUl0gbW)Ut>Qfrktw!0hv%MgpyU*lLusS7~r3eMd6p=ayskT zXWxXb>m0wx$k{ngO@*6!ii~|3w5rdnnir#O7ft|xmDgA@2v8D=2eCyUJJFGFfU;4t z8bVL>0n-l2vw6rsREdu1RZkp8_nh)@KgfH5Ig!XGM)h(O+9!{T)j*^(3TDAW!UR5d zQt?!3K#JQxBg+!~DSOStfb)VTy?~*~L~|Mwa)`46e?BntD?Z6OohIO-4Kap6WG4ZC z=T2rYT%6hJLRyqifM7I7za^+cr5Hd4vpEf9A|Mh$qEa%eoup*uSA7=Ln0Q7wSxrsZ zLowrNLKfQ-gAcSO|NefL4e@Q5h7<>Y5$RU{lf{yy(Xv;VuV;P4E;Wa9#d~oTJYQ<9he@9PJVrRah<+?~0UJfkJm*em@57e@THEh^yh^MmqFu0^DZ1@f#TewYZm&8+@`s* z+WSw_35~^60;0OG*qlRjwUF?GiTHH}`0DCt?sfxya?Nh5QTxzjWXhF+0U zYwW+_iE7;j?TBV|d2&2Dvj``}x9wpfrUxln6bcO$Z?STiSNu zVW3eJ%7PUrMUnJpbydJSCbY6LJs{J-Be;RV5f%U#mGn$-L@as?c|^chcErfAX`?Hf z$$KPtL`{y6C^YPO&d|_oA+ur;mEjOV(y;ZKR)b2i7vK{g z%Zh6}@{L{uCst;lM_*79u`or+{4=fSd}2X3#PcOlg`U(?RAOy|RpDdnn;W;)+%y#W8NW=4Fdez9|Ok1L7k~{Z41`#D0$n$)Ddq=)(e&2X8 zKv_CXR0dSk*!m=5iiAP6efJa&tR(fa9CD&ewC97QPYsof&K~x}jjzKOJpCX}7*++K zwjqqJ5iiS|8)@I-Md70bk7bVCG!l;RmR;$Oq+DI1xH(Z0-7SiEOZyO!oKq+o;Ta<~ zfdXWgLP8Yn@(&p-CxSbNQ_!ej^CxaLW-EaopStH%p_6$Aq1N(a$OV3hxS zt%d+n?1qqF&op$?_9Wu?9Vd58r3n9KpYpNGFyMe!u#n?`*ZX$jBW;Uw8Sw>8bpUZP z7X=Nbh)gK+LyxuzNK;x!^LzsVdWcYPfI*7Vl=kib@zM6;)Pw^3$;UK3ZlqQ zMHz~EQ#6EVD<%9`zrERJP+LPU)zd;d^E4Z6jK%^XMC&05x8;^JC*$g z;Oa~tgay(r;!(0X3? z3&Qcta2y5C{T2}gh_&89?r+;f3os}w1Hp|Euw;Z#{o z8&sp8?C?B*ayUmiK9`jABc{<7=6iYAEEyR)AclZI^pD?#B6OsiqBB@t~%<*jl zG&dnaXQp0Ik)=XLln4%-+=~2kNc-V5cw;!G>ia|*XymB#MT%$eWdo*&GX!Yr6!O`6 zSMz4K#tRI>2uNU$lpXUhR~igFi(yq^Qqnoj>L zSv>p3GySc>DEs!HuF!N2b9@~oQnvEu74fEGE!2=~rpc<6$K^(#rEs1r0KZ@x0ss~> z6p(QogLA09-{Hk3&(-p1_PN0`03h-nDuSy9pT!`~Fw3#NLs}z?xD5?GtB{FdwC-pM zpg03-hjtcRSXhuzA~7r-gLn!E;-kSjfAqg_ZF-6!KESG$QjA0=rV{GqO->UBA`#np zi!BMR3^OD5?Mkc>vwLL_DvxeF-?W6m4|ygB#i>GEofvJC?JDFvY?j^CurdxPG=Pt|bM5e9J}Bd0!;3E9CN?Dy6=?3*WM8`;FIg zHw!px@14}boBg^~eP9$Y%epa|Lu>8+(l)tpm_Z^FY3o*{<(IIH_t5c(TiWTJ$T=t8 z*xj&r!th0tj+cA_LMQeb<&Z00Liq}Y5XYzsaO;@@QwKOTI!~$?G%r#-!hgt782puH zK7{g_zFS5Oq=*pr*iY#%Y+nA>y5~U^2U{Yb_{b^v?l1!VhsXC+tU$pVSPz#(0o*uZ zFDMFpy|B;~9al($qqYu0Lbcf`Gl(;y3dfQR1hIbeB&w>&dpZWXj56LCMlGUFk!ET@5Cu{QWL%Nc094CVGD zzaP_gunGv@5a!+NXb#88xO<@wij8_;u}6OZsDTE{dBE%se|Aq3ZG&Ejl8?n&&M{C{ z9_s3p$>s(cIs6d;zHD9dho9{m!_>W^eN5TDIw0=9TzJ1iZu>*}6%&>2f4{IkHLj9B z@*tmBw4W>uKyWJfc#SwiKDE8Ib~}Y$2nyay>(0kCrEq;EcuT0UnaolPsT8GZlQc(K z=#bo3u^o{M5R5R}0Hn)xJPIyCkUJRkj5H!Ix)FE;T=fRd7>LS6V|?QfeNF2t7|L_q zONu=Sa?obM_#<`3Zep@A+0Q(%1kMT074h8(@M{lL*YspLetXhDR*YJk((D2EXZ7HK7@|H9W2VYeMsD`nm4=2 z80iU?3Xnkm1htF+AXY}!eq=}UxG2AIc`z3&e4AX6Au5{fwi^&;)zHo23O7U$6NsKJ zrZ4&cLeLYCybp#cr-0m@7+V3SLe(eXEL4j7zT!N6pTh0jYAH?=CeXV&Z3b zP^OrGOViAfnPEf;4>kdb@n%<^9*PoW{w9;Pv6gR|<(#`H8__Ds>?5GVt)K~N%Ne<~XBFtbmIxgRWs{c&zf=JAbDjgIT0E4vdm3bA1 z2>_wRfrWZruntauhvhE#;X5a=U_Xfo;q-vAy;B&~U7SMVR(y1NaM(lAhhkWZ6*yG09Uc*R znM>w7`&61u1O$c&ETKa&Iqa|{4Guzt;JnPVxFTW6#=b8zSEUM@BJ0YBS>0ygH3#;6 z=1CWcEIqO|H%Uw%$)Al9BNM=TBp35cG*&sM3%a%MRvSEro9N$iZuT~yWW01=(?A=@ zpq2+a*Sc=u1KKbIlDQ$4z8y&(D?%m1NQs*3M!jZaS`5m_FH+QGUmWoQKE4Sj6F5o}<z*YEY`0IiCh#QB&FA88Tv0YN`$5eQ)wY& zkKddfAf(CnsQv7tCF<(XtA|$WoM@DJ?KQg+PyFBLY&a*xs~hhWDQE+VXCQIv?rC>KV@zmBLXRRVhbVR2(D|&oMbvD%F{}y2yY9A58YMea4)UU;H2? z?v~O6k?NmL)GRX*_C4$RB;Pm$1p|guoS^JPY_&SFufQjI(+b`RF7`-Wiu~KE#4|^q6{<;r>~*1 z9$e}|1rJY+r7eN8gpK0XVYj|vk%KEbHxc63aVX12=wOl6#&(|z&_`ED38z1f_jS)S z>y2COpvEeK%x@*+n)q2CDeiwjFvfhPp|d1_gB4r_i^eo?rMV5)8$uNTBkjM2I#|^Z zu+D_g>oeOZjR@}L z4wYg4+QJ!=%{+J&lkH%<(>j>uoEb4S1*)&EYNnxwQ%d0=%k~b_bKsT|`k40B(F)u2 z7&ORF)v^aIMKX}b_y3AzAHGM%c9Dne*t>Y~c=(n`?`+&~qL?~(Dy~7D0x;UC1$C@z zZx7XEC0OJ#-p!uaAi(&MtzkXQ?S&KPIU0N#YH81Q-%CMVZ==$ zxsN5ydy!qStU`(z5cv8bULS6!^p=|Rud5mBD%=DD0mDe|BdRbkk5z!|pD8z7q#NyO zPq2!tCM6?``Y?kAU0(hLdwfCHOo}2zm#XJ`6>!?cFoKNB`Ho-_Zu#4FLNTP60CJW* zT3C>k7oxyAivz(^6qQ0sgu#&_V975ysBmv*5*yT+Ie1hnv>4IW9`Od3PM*b!#G=;= zJp|MX$55!9C|wbzUq^EwOL&!T*o*LTyW>pu=$pFe*cO0}A zDWDMn?~<8>c%FNVP1bH2C|FQz7Jiwk`0PQ-s!aT$Zms-Zr_AUmEHG>9G(P*PbEFUp3>mKS@Y$43UNy8zX-6aq zi47MF!Iulh-U{aU`8<`uRaD-m<+VxI7v(S-M3`q^iap`O7+%y8^I^ZQnn(8ShhHF> z)}w@i3MeVeFFX6G^BHDiQ-_d^4RaEGrdJIdBq3k+U2j714Y!w%k?todsK6RgbytD_ zw??XC_&|v;lCKMhTa+k*=xH)|iMf2d`gh4O3JiA1xrYdI8EX&27w5K9tiXq(&Vx)Y z;%=)$+2vmz?VwXNzqUWguCI^UHwkecKP2q9(yeF1EE|*2T4*L);W;D{Ku7$Qiwm*O z9kItf8?$hhfZ0AKq1kqg28KQcq=Q~;6yxDQUMTen;dIG?*7jILYT$04na^VSW?@7lm}MU$^;|e&)Tlno_*ROdK~#B!g7MpzfWk1cxtMT!D9vb-E#R3LVSt zb9-1pvrX&hA`b=?M;u(od%p`}b+efv=ECi})j7GiNtkx68ISR;$0LQ=2O^+yFlkQN zQb#v5gjd*O*gWMsOp9-BQ6$wshhK$u2VE3A4+LK$xi|@YP5NdWmSx63P%F|MT49$v z;3X1&*gli5xfI#s8|OmUi2|r&C`Wr!<7Y#siuie2VNlBQ19rvCN)Z@?q_8W!2w`7V z&(};4xE7~9x&r^s;9ZX_UijV&$Iy}&K%@`TuHp(2MRqHzW^*~;OmKm!U>A4>K}g01 zyn#kw*KOWd&9q+93LGqS9l>h0=F8NaEeaIWr>+PJ5nA@7q7h?^2t?>N@eA=mK|kQm zWR`<){3|I_0?2O5^N&0rN<-=(1{K^-*IV^m=jo77z#zL; zq6cC~3V=i9P!~F2S4ru9>6k-U<5Q@i7F9PgN6xHR*0q+^Mc5A`k}`BiMH|&~VD)$L zE5Vl9M7KS4#TR}KVsu+yPRI_cD0T+Ri)<)D6XEKFy*wyGLcl^BvA`q1pe+r4gBr$N zEY*7Xvz0)Y+9{hM*2n%EuUvdj7hlX2PmPM}x9~Ig{o%_-O)as4kN3)<6#C;vxYLLW z4hKo$HhIo}b?XL>dvF9#omnR$?UKsm9uwRx?9BWBfut_5{Uc;^7Uv=B;Y>$w!*(Q& ze)x`EPzX)~vU|Sn0vt|nV94WdV*Q28`0uM`ERSRNx`XOCXNtTtnseWeO6a?F^jH=w zdQ1d0iy@pjw{-k*@J2QItUp*`>Coi2+Xb>ywJY-`1vABACe$3`vl0!*6-dBjH>&m$ zf^=Ub)NZRp6cx55L_xkP;7D;QSUm#q`^QgDrteQ``t;vYi~%@!iX=2v*mahCQ3N`m z?EIvqT`V9qGvyl15lMlNVfpyUFn?bLCM-JLoEt;|J(mX*oW@5BmJZRwvV}2K1zrv; zQPbe-KJ=oB3Es2|2~3f;HLXC)iQ+0RUda@0U@907M?!^0JwScts|!A|`7%jQK=8oEF|E%pn>NL9_$){>`y1 zw6F5eoiwe~xJy$!Wn0(dQMFI&cPC9MzcIHVlPRd?N_$=(AHNCZcxgz+2u39PgSku* zy-{PABHI;Hb|xj{yu1uc5Ib=XezlZBN7NX7hl2*m-A4}UJ`CH8R0F^PyCMp-Em!Yk zNCvL0i2GF|H|$!a8h_G;>_r zFGR@+3$a8mwWikfHA%{22Mkp;zu(zfkc;X?O&Uj^+7Srtn@+4q-hF8WWv`Q(p=Ps~kGgpxKs$8Dd~+3W@xC!;X+$ z?20kVM$ik1fvbB!I2ihg2X|>=x_FINk12}gD^WR~WM-zXf_soalwvF*J3^Xc7)1Ws zQIWSf{AGwvR3?#y%U;g{{W4H*P8l#ZE;jLhd2P3;jjK$|LNwxA6yy+MfrcNUC@Q;7 z9r;30u&7kbA}!&uhdc?23^g#3w8rs*AJ}2A4K>DaplA~ z42tw4*vvRU;{Zf3L9A2iq6tE z)doTw)ht-Z>!z0z2pTj4vlX>a%iUVWDD#C|Jv3Y37iS&1=QV zE=~lI6-?;H)4+swW6X)?&QN?zC|F4bLxPiJVN6ye8rEIurE(&5=uT{kd-(V-~m*)(mmAh{&~r*I{T>$_dfjLylUceqy(PJtpN zr&%};bUw64JR5n{A->D)2GmL{v;KLjZ3ona6s@A};a8NIl5aL(Qwa`Hz!1r62LW*< z3yuyMVKw+?oAhI_h!MU6MDpKO@k95VA4`w*ODZOTjVK2ZqvIQ7s%n}zDu7oEKkR!_ zRh2W3c){&QXk|Z1kxK@Yfv{A%SeWGJ#v?|Ko1|jM<|Di$g@X8zP{_%=P$Lswjf=tE z7m$s$T>yEUxZy%Nh@g;Qc=FrEA4@Qw0Hdi2_mr3L{F0yz>9nV7U3BXPza%u&!mM~> zr2jv}zu*)ISN}<~2_=iefw}3TKsZ~1ux`y^D6FS&mk?vuMpI-&^yM5gU(1MAb^|Xn zX&+u@Vsm(!!u@J9(*EPE_25~hxif6sGz!x#6tE7u2$q{gtIa)gTv-yx@6ZC?23o2K z1i=bxT^a{#@yj%ktLkm1>@slGzsf763x2I}^&tctQK~-cr3rL@yB>;n<-nkg{VZJ5 zoBnJ~b3hN1{U-`}$iksGnP}iiQ~Em9Fv{%KlHW(0*m_I9f}O)|c#D?HMj7*L!P|rg zG@0^l;TE?zk$*@@#0nssy}>pxe)_5r)gc>f|0Vbi8FUP(?7Crr56ZN>0Qv@0F0>R< zqIhMU=uR0x9=!752hwm2Vb40|y8+i}B^tIvp!Y2>d-E|lO!Z5XY^_U8$Oso6In-+O zga=80mp=w+(ZrR^Mq@t#XaU?=yupKP4QyVWsyg-n_7bZH{_$Govu%xW>Gw>oweFhG z$&e)KDi0@+e`XWtpc_~QuVp-dxAgkFO^k6tW{jg19Cy|i>Lu>P>zZLi2vurYBE&LR zuvplL-3mtrpCDKY1$1yb{3+BwIB0Pw^dXjBDZ6*@PCkIl#zru;7s+mh5>pgxOf-6cPyCzNlQ6G3@UgPl)H_|G(zt&BAaUnYpXKa!@@*Kc<-Bs3Z5`(N1}-dJ~d0yW}PcoX^>=#@*c_UC7WGYe<>6zj*xuCRH!*F-d{;w69iEdr4l} z#WKctn%r>s*wmEPfd@CaXMI9Q7W|d_h-+c7fmHrryYDC;{`0qdf_hDmbq8 zrNMB=B7%Uoa&8z{iBX9>b=!|-@tnp4I8Y;%Lv}{77tWDIB!D{MvF<3A7;Vf;H{s@OR*t*b#{bckk6syg%$zx6Q%LtEmVM{ zwL}U?Q!~AS5L*RkP$vod*ia{vko>BwP*PffcNK^WE&wdAPfR?JKbAQq9=@({$c~`J z{29ep*59Qfl*$U-T5wcpjQ(95R`=l3@(>*H?(%pNUO{{(NQ)e2{jwr6hr)9=P2`?| zV6r%G_9E)}5#+u{W}sdP(=smTG@-w< zG+JwRaRMEm09nrabofmHd-V9hE%7BZu#M=YwntH8QpJ9E{Wyc^%)j*tPk5laymQEA zP0qA;JX+j76@>35Mand5#AcB}&y8y zVE^rp>#^YDtN>QJ7`a2PJqd2Iu_3a0tSiGxwLv%?NR8J2JzmiU?ZN<%gLcn|nK>0{ zhr{*v|>ViNu_oiJR74lG5^HO?;0O-eQ zAK}$~<7Tje9p>(6Y0nMENZY(bft}EqTeVTah$+^r2N@ZP;$)E1(q#4w*F_B+{G8eC zBo56WngbbPG z277_DJ;#?cr$oXBJ3+dA=I@Yjnt?Y7FFQwDfdHut3PR{eq9X0)vog{t#D4!YE!A%b zT7rS=KQWz~48*SNRt`o6_p&QQ$0E+g*;EnbE36JAdNS)Sz~Y%4IWxV9vt&CP{K638 zA?qqtr8&%*FQvlfhv1_@xg!xF>_mIw!EMMQeqdO-aiAC$jNI2#uSE#QYaB3%F+H+X6l>G1^#tZiz|mBDEl~DiTH{I<&Pp$TDTKDQZp?#o!QiEM48xlAAuLuN1<(C ztIzh-t^i?vj-{uDTx+l6SzjPVhD=*8>7Z=1mHuT6v4dDd0Wn4gbd}vi%Q~i{c7uBU zl#t}RDeXL$oX(2)HKnA8Owoe2awZ%u3gtmqX#Q2=J`IK$#~-bnwwOy`_)n__G*2OL z5M(!4Ku$L^pGD13>=~7VIC7{?Bb{d)Z45<*WXds$)>h}L#*l7a2E>yrLZJXGg}bwL z7i_NaCYT|dnDLJYf=g@!Z3NS<(YHmW#Sec&is^g=ZR%=@udh(8Xx2Ya0``~8Ah-n( zreHGAl*o{RIeNXK%cw)0nlwRixU(X_AC==>f(G2hahL+V9434%{OvB%J)JB^0u#bwjPVfWT)Hs7ie&W* z&7657`VR9Gi2~cP50^DwU>1EZ4V=<=H1Re7QNap_>ijy37yt`|<6jeP51HyWHD8&R z<#OyXr|dpOe1HSUATTl< zt^JiE0C*^{9UX;$F4NzWK%nLcO6+33kAO37nXc9R=kcelL7)Is6C`K|q3~i_uB4a| zo+K9hz*q$@qcw| zzL-vQTP9j+caTx#Wq<5A1F~RqNigrCxnU5HR>pAygq^Q#_>q-(A+q)#nwi@<7s&?w z|GxJwq9eYRP38$8J4rTy7?rE0_$IrYWzROI=KCZ=qo)iEM=SgH&31Etjabn>N|AIbD zE*DFjIZyD~e2Lc>hOsV+F+*uKlmNCk!~03H#?F#u1Rn&_M-vVwn!8F&jv3MtTfFpXEI|XcuIxHqpguESf?-nO=M=Uzs-TJselD%DsYvChNgV^ z74)N8C`Mn5z$YtSPuXUhnvq3>wDq}ZR>T7k7@9(Jbp(|?vYE1gAB44eSt3*{u2iu< z5e$5K377==Y(_sd?VatlJ`7T9Pft5pA0288Nk1;IIHmbEZzhNFGgXJ7;oyInVUz*D z3IO8<4)3gA-OiQh(v(a;1dZWL8deL#vZ*bU$t9Y`l}4`{(6sHshSw&wp-=&y1<1qv zS%M~*!|V*M(_L5dP{jTdND1m6B9+x<|9wBH^8u5DVqojfC6(|)}ql? zkf*K>i8)t?rP&M1!o8*(&NG@7%8p&;l=tKwaTZJt?ZZD|ep60S!gO9Rgld;|MN+}? z@63aYf5f#y46IUQbDLoE{q-ljLFTvw63tcz3L}#(D&-3vRtq4gXlqoyRjo1!Dga9= z-5wkTY@owcqtiS9L21$1pO14SJcsZR=xq1FlNE=Jn7iO~*dCZS{=p`YN-OF!ji0hV zoPh@F?<{8dOa_OhlZh2H^wxwc>e?l9o!`I_HnZe;7AkGAhB;7r%UdWIEy43c!38^z zRBG8Syh#L64vTMJYi@}jRQeg}6wIPPGXrSllPh|~+ZWINk0YaC5gVvh(dx{`d z0kUKQz6(k|XU3xi8JUg zqj6 zN1egsed;6=H!!)Pl7@3>S;8`pKYD=#eMMPfAt`R9Ln7J*;B2p0q$@#<5e z(-*l8QkL=c6J>G55DHkWj0zXA{z@R!L}+mgKKd}j;<=o>pGw0X)+>K@`Y6<`k$V5hl>TCuFd^2LRNyRDe{|Rmm2XHcn z9N(Sm#NjJ(rU~4rqw=w`qw9g88hU~t1$0mmbv6envfao}1x)~Tkg$|@}&r%E&U_TpY zV~s|Nq&ZfKCVwPN`NRR=U_t_3a#exx5_v&=G$$9$`u6?ds*00t7T^lxiIwzw5>F5= zgmP70Oa^2jsCE;Oc#+_ve^J;Y|%96k!QLf8{fl?u(EIR_yOl`Oyb(_~btuvCTMhA3vt?%ZgP?CM!q=L>Vm zhBzZfkWs`&GsdlM&o|yYSR_jKwnuKHQ;1o?>Avx^EOOkr+f~$&lr#o>07u5)kau~w zx_5k5qbjkMRbaB0jYGN=4@qGixeF0|#rS-~dce{BHn634~7+-R9-Jd=4Mr zMda22NqO?~rW`rP7FW&ZMNg!TAxK&&B$PKu?Fi&DTg9GTT(Z--87U z{&r6t4yAM><=O5%$|Mt^#p;Hr@@6z-?GH~e4UomNq-M(MC?gT7WqE+0bYR2&TfDXb z9m+N(lfL=@_E%K{k_Da-chbeeT%n@LY&r0sy=XB=kE? z2M&R-|Fiy$PWJ;nF-~0$;nEoji4iq47OP23sXoE^tSAr67YmIr%=w@Q)mIMDtU0=& zaH_bj>*G0W!x|mHq;&z^7S3RYRJ9rWfRz+d!2k}Lt=th9$^$E=zgSxeh7K|kTb`o| ztT{hZ%5>$|qhfY!%fx~eHO3x4fc!2Tk#WPi&0Ox`d?ID1H59naSOBwK01Go+Ve}j3f@$I|S;T>e(qEUwWDf9~`cSPf@U9t3Wlx6oNQwCqIff;;M^R(^>P&hp?>9VX%S;jh}j7HMxRnRkE}-J$ssC2HbXuxG0uqAJGlnBu3X-X`W02cQg@r13-7 z&mF+p5XUFopdhE2^8cJ+nwyGgUade|3(Hs#U)$IZ?8}; zX5=i+U*2C!ZOI9G?J_kW*u3B<+bNUCR>PGTp&?W}#W9PP#bzjPv5Hp!?p_c34PEbubnAN)#Rpaa5%%5Yx3;@JE z7(9m0(p|muQZJY)q5O{6YVYR;U;4oV8O8)bPrN^zsG4Vej;#Qh3^K=)xaDOy8$Ef* z^frJ8s%z-Ns=Ww$5{Oc`;J8|5#6{$?sS*PrMcozfHuR9^a19&vr*1`n@vX96f08KS z>q2SOlD^axCu~b<4)$21xK{vpHe_2a%aW)wp-NG#-Lvdjw4H7UkRs#yP$mA?WEPkJ z*HHn!R{>0bo&| zeULX${oT0tQ~8I3SJmLc&;cEl9fSFE<-n zi_72zCuyuAUMTaOc2HOabDJxZ^c!T6g(!0?QRN613=T8eY@CJ_iok29lHgdeK zXf&-6x{0G{_Cg;YPf=(wB_)D#<}B!A;o6RLzEim0M!@LgvdZ!Ca>=*0U+!Jf~ z0@7}Zk;wgqpv*kTvX2Etqr)ug?X62LQ1B(Q?aly57!rwC<6Hx%^x~Aj&7YmikXy(R zf51I%FBlBHtSEe3*tn-648_CsP&3kjK;C>64Rn%Fpg%!hEhKT>o&c<~;qg@4dxWY( zm06IGwM2-hICL0Ty?Kb>Y-~_)n$iGtb_7`hEf}=^xyWRp*GrW{R~_ze^3MvQDHy~- zI@xEI>?xnSo6x5U9S=3EiQ<@@qGEW}Ogu5KIcJt}zheUb_m90DQ8-YV9uT3-sZdIT zkamw>-(202AaVs*;!WYUcm;=8$^$whkgd6rBKWz2Mu&tk&hg;@eT%F3*ITj? zQWi!PE(`^sN{$OW0%y+UWK;@Id*0mj0+YaDWQj#-giJx`Lz}c3bAk>n%drLMel-G- zVT$uCH^{~1gDc0daD$IIwcglZ2_z(>cG-#c#;El1OHu876fYCDs}Lr`gQALAwtl<^ zIh>Nakt&Dhv;on|2X-x}uwjL&TZ=kXOOc7bMRr*^wI*XwL@6$*7bda-b;2Z>#t9la zC*V2T0sJT5Fq(n$U~Flq=zbVTM%xeh2pjA>bwb+m?1a8(=ZeVK;FRcJkmA{F>F%!K zS~_Ta&KWzS!n*;5vgp@TME?Rh#4;`eB5)ZT;8cW`G-IAG>srl~?Jh(rZ&!BEfK-sm zTU5E}K`f$4PzGdN3VkmUBGh7SSW;Y9O@m$2zWxS`8YdNXf|4pjH=_%|2$gfYn)Ne=WEc^BMa9T_!k8Eq?W=~ z2w*j8MYYQ|VULL)ZzhtM=p-hE2Rlx|iAi*eA7K=}MT zjpYKD7;5Q(W+q*JeU7iOEP%>dqg;r7@M^x+wN70**e=g@?_pwCM6wOhsB9Z)^ns{H zs?P6^K)0wsQ*d>@C_D>bcsd09`@#VQH~#Hv^Z-Fd ztb@6+g)T_+XyCsaVtvRoWEdqqG7=R@WtkZA2!xPBHK5(XfHG^;#unSNWL=Yb zAkvCc$O*{qFp`_4g<{qrm@wNMszKKcy*^kF!=?0^DGoZs9Bh6ogXUy35*VUH2b<)U3|#Wvz=~#>m1n18Mz30+NiKOnJYQND-EFTzo~_mCMBqe#?0-x){TYMlJ6MYLC2RKpJBy zA{qeAi)k5R{C16DjW^@mToAq|!}qDkwo}oKrCp0Mb%Etph;Ydf(ax$NGOl|J#glO*bMM$pwxkap@arTG62T`NkY3t3WbCV zRTXY3q(dPH#BT_h6TT$eM(BqD8G=ECL6r~F&>U(>!2ej)#>;!ZcbuiXfCW6@i*o{HT-x?T5++xw)?uFq8-CHy(~J@8lM|H7Y+Zw=mFTxqx?c!6-) zaVzGZw?4@h&0g{S%>=7}j0iz3#Pi@IZgxAVO#p!!yhrLoOIlgWHf}Ov&2~>YU*%PX zUIduv!4n01Twsfa{t3X9lMJ#;w-%EasLywI=u5AO<>^N|Bez9H=!woqK;XI@5h1}# zw~ip%#)!JDmf4B3E+njLjHlc?mZKH7SdS_gus1NdCaI_doV$tFubBV_tY>!JOG+rE zxP^v*D!DkK0J2p}pv}cKl8XFKV@ykLPWFVPtCEJ!szjx57$NMNWEe1dkSHikj0Y{pxWzLKPne;l-K5b3@PmQ4T!cHBE;QeDyQ9s`c35YRH{lBI?|95qp%x5E# zh;tFM%v5j!rM|nU1W})au9V`vGmJ_or8gJJbG;ICXt_6AUl`~Ohy$jJ)7JrEXSMs9?B=$HTS7y+;~ zBe{^Qi@9|w!)GW}=)B?vGT%2j)I9wxP6Eh9;C|Cu*I08ldM(NwB_fIDg_}y`voGWu z;ELHI_rsDi0HS-oPM5 zBDsr$G}xQYieJlb54HqQ@3ILZVGqcfFD~}C86X*1BYz+Vo~$QjhF0SQ$#}%JK^I3J zn8|MpBbxfdeSq$1x3ctja>@0&`xAUJKe-ngjUhjS>{`yf!81L6KV{Uhc(Z8-3f z%kequZPQA##?BucVOnN3Z~7gK!4BBVeUPh97^guo-@l!=3FsoRdA!A=n@hR%8{R(- zB8JQ85hS|qAQh`(gJ=gW!gtK!1-2a(n+_1^cG4@dUMEx^@V_6$E@`$Nx6s+SU{r@V zTAVknjspdh{QpgrH3Si=iNTG8U*y|EjSI>O1h+ekhRhE;96of6d)MmY&MNI^>^D~~ zS{>t#nbil#%AB_A*-Dv}C~-^Tzgd>x0vzKG8QnO-DLScHm#LjlVx~=Z5lu9{-m3$o z`wN>pYD1WeTfpzqCU#osj?16h*%@hF50L>j^t^ttbVCO!-HaBv@@!6 zpQ)+h-b0g?qWR>l(_hLHoq381=&u18zGzO&E|`gCzG&k}*c#(5=TTP8l}lr?6Qsws zliG1G_MBr18GMZv6dK=4-UbDZXxFZek1XKWTwY}_6)^&wt$~?Qwtv4pl4einrA#?} za-h{|#WNR4!o?9ol2D^bT=QZzv~FU`+cO7_cyo6tF*-B9(0X$$K(_hC9wV;*Vy>2r z#_N>>39Gb=Rgu>P$O90ZFe=!Y#wj2I*u&Zi(xD7&B1y_^FvGOQaohd9L~`^Mo7E*O z(^m&#XXzn?aOegfMiW8<-JWTNzzHh-5jMHzA~?rY$rva<4B=zQueYsaHrei2BrxZg z4i8vtK$-^EW$BqqK7y>qfo;eLl9c1vu@p*H%CMA3<52BjMjT}oy(FZ1<=&)6qtEK! z3krmBvkinW9no9%jm(COJr3!&k?&%isIuQ|vqSdAbdf8YWC)n6f&i6!%z`N(ypVl( z=_HO2*Qc`$y(Y4`g)gsZ?lyU->NU7hr$vfJM$=rgGh=N%aRT};VOkj&QktT<^<^a; z3=7Qt7k59h$_A_AH+#*YYzJ|&W{icQry9t%!9h=NuZE&?s`Y?s5-`d;7^C5%`SShk71;Q?rYt_Sg)ud8qM#>V~8*!b63$@BW6PK^K zk$}5S08e70{XeP*tv6NB%l#o`YLLm7Qe^zln36!XQBDryvgDR9G@9!iVovu*;*y{Pv@9SC+oo~TuctqL!}W=lw1eo k3oQ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/docs/fonts/fontawesome-webfont.ttf b/docs/fonts/fontawesome-webfont.ttf new file mode 100644 index 0000000000000000000000000000000000000000..d3659246915cacb0c9204271f1f9fc5f77049eac GIT binary patch literal 79076 zcmd4434B!5y$62Jx!dgfl1wJaOp=*N2qchXlCUL1*hxS(6#+4z2!bdGh~hR1qKGS6 zYHii1)k;^p*w+o;)K!q$t7haS?ZrNXZgbQTi5;wSKh*ZbndL#bJ&+8MUt2W`Pezjnp+O= z-9F^&k?+5F%i68~oqpyWh9y zdnHv;lslDH&^fAw_pG7f1dcyuf`&t3QxpS<_UX3o}ee-@q2t8 zugBw&J>0`QlKYg~aOd4a?vw5l?)Th(cmK^nqyK;W!vF)tN*T>6{g?jWCQZTrAAWQ# zY*EXt1%NzLiwHFTr60gHX5Nk7W4+2A42mr2lGG9R#$|8ZJIHcIW-A}qs>V)i)ua>R z9mQc2nMpK^7oL)|C)BJ|iA+Fe-grwWpw-4}l5Op+aW6}z+qzh5yrqh1Pc-IlXPHPc z85zpbk!A9?H`djM)oi%FPMuSW+j%M3mc*Yd@oO4u!xa`wg_tV5L&7^6k?{sxyrzk_ zb@A4guvZfarld`-D8|Qa^;mrn98b{dgRLM+4%{M0!%jx8`-wLBs=f= zkrG!PF;3p|+82$(2?3I)vN{&O6p^M&3neMx)pSL7@kR^?OC=M@ls6EZqBbz5LDg3$tr_PGox4tm#p6J!@jJR9AI$Z{x&C zlO{IqJz7uf?YNoloz0@JV%2B;oTVB9qi7A8fp@|0JGU)1y!w<{VSs zvcPkaf+1~E(r95z6%TjGm{1y1`Jpyn{$5*c-?V09up5nYy~n{Kmh(_MdO$pEm3M4CZc7szC-7`B5FsTSCPV0NUXvFzrbA z+grkZ6=M=HK6D-n2K+&z+vvuG2Kjl$1Ld9U-Piro{I9cjJLPLb5#tfVp*w?>jl5lmR;v+p!C7?bB)X^jxvnD4d{^jcZMj>(r3YOx(>Z-%mswHPap95Gh1 zmicTqyOw=Nw5#Fl&Ef&p(8X>vZs{_9ZmjywcVt_!nJw?rN@^n@8)IKBr2th02x;q5 zY5ZGgp;f7pM~fvr?J+fb@Y*ut`g1V7=-FW`> z*ICz|YYrT^CcS>=B^S-CZ%jAhuYTr5m+V|G|K7a+x+K|YP3iPrH{RSVbxY?+7fDx2 zH%a$Mk4m4DBsJZZY-BZBB@2Y6GJy35|$csWJF-L zvm6vD8Ock8`eYo3kSi8cOP(~49x3%fbz&L5Cl->1g_J4Qmt+r}DVdLOyf_&#=%|bo zIXRM)ON$sI*Uwzx*G`Cct6~w0jY#0g;(QXe7JESv-INo;#NJTMf6#qd>T5Hkw!XeL zE{-E(U`|9_ny z`#vsp)*HF{&dz$4q2oxJXG?SWQMu9gM(5tIWND2oCSFSi_KV?Uek3W6BulQAB+p!+ zq%xC2$2L0#FZ`d+!aqK$D#m+AjI@kCpBy#%qwkfL`xnP*)KExFx>j;&w<%wcLfB2P zcj;P9Gh@lNZidauibFNiZj0u}-yU5Yz1=tzjZ%Uo`Ms2v-&rhfMQ>-DC?Aa)zvTC! z4C=k&)Z400IVgb(sSCK7R+F;g(2S}(tfT7>1#~M@eWGULSH`c*nphI4!rNG~Q2VcN zRlMhHcg-iL7L%SaX{uW6jkB;fV_h|xhnnPchP|0q+*F`#99lw^3>y)c1VMR8SdwR? zycEgr9P~RuwhV#<8A*X~SiGhwyxA{8SL*bC7yU=<;0bnCdH8IeS z;gFATwu!-s&fb00_?_`x<9A1QKX$P3vg(+7+`7$6?l|)Dkvo=bUN_DitKKy3;A8o0 z-^M=t@$AQ_BlwOb$0%nSk(h^Fbb)Xr<4nsgQHczcDy?^0{&@pE$7WKbP(=KIps3 z5J{FnP4DDInp2uxHAE+uOqbX@Cqzc2Oo3L!d;st1(iOr=;!1TZ7D zSfiSbU+M*xYf7hukW3K;3;G_Hniwq`Ac&6Q)mC7McF_M~8CA1TxC5j$I0GW9T}%&E zgB?+%L$4e<^a?-ZaeUPusGVoCR@@tMxb7I=>~ZRqzjg&#bW+1zHn+=uV@kKU=lLpJ z|K{{~>|b-0*Uz+BBlm@z&e4VMwz{2;o9jg3h#Q4@h~99BZTYn$#G~zrmKBbOEpfN? z^052%mZ;bH6;E)p)qYjG&FQcQSCzL+s^CGVDBILDd5ObebJpEs+gw`MwyV|RG7C?P z@}Sr|3bd@bk583mN*e&%V`d#}<0vQ?oA-nN4O9`|+QnELqZ`+BRX`dZGzpjjc501d z)QOX-W;k#_kC;;&*jduqp{&a-%Ng12%J;L}MBQe5%cjd$`ds~MdWJwx^%I1!^c?ph z+TRzs=diTPC&x;_$aR){fn-l;|2OGZDpYj02-hRJ41?Kjks%oQUM%pjM6SDbQSz zB;(z@oBdap#VI>2`M!Lg!{M}aS-6e=M{GsxuVOL1YU4a+#85a(gf1Io3S+-Al6=Mj zE7$pq{J&cmw=S?%Soryo$Pd3oV_|IkGRXlTlEK{4`mlgwz`h0ff@o`;#gi$l1e)bi z>M{(l&MK18U*Bm+Jj<@JIgIZ(Dv5kLDTo)It?!Sr&S<@iOKiZ%Ryx>Zht1eHlqI@K z&D3|+M~&}B`^|TYwHd(vGv0(KdY8FFftw~|BYB!w%*8xaEY>c0IIt;%0+0#FKqMwc z7!;Gh1`eJuesSX9!4s_h1iR{}@u;!Jc=YH|ww684*2;s%Fboka0ar#&QmyKh%9$-FaKGPIok6G#hY#FY&apfr# zaia)Z7O1nZ$09tcFzjM}r;$?}9uK%;zmrLH;S`SZ+q;y2Kk9epXqIzMBu~E8C1kCj z3$QQgnCAp!9a3EZ7Z%U{Q8OJ5wRF?!Vw&BvXpFls*X}bi)n4y7CIK?RBQa^*Q$ikPN~KtAgwnpfv-9>& z?ro?vGJZeHRW_tpPOw&)5?Cpd>I4k{x~CPZi^+96AK4p^uuA8Ie73isNww%hw)9Tm1R8s03*0@83R7vQUYm5P6M4Yv=w*} zgKKV)rgVfTO?LLSt|@7ujdi2hEaU$1`!@A~fH6P~Wc@yu!@;_(RwL(O@4Zh`A)_GV z4j6aR%4cy1yyUoy%_|;`(;i<~_Z@x{8;AWN`4pSRWcEsa+ABD*X&12!?@vZf08y2{ zZA(YwOeAf4yPRiao6L?G9`4||$BinQME0Am>Ab$Yrlvgqi|Hj}9_g(b-$ptN3+?y7)m7jalwt8?Ym0)tAEX@s+{ldcdaLhv;Cn^lYu79Db&t!w z-^wgojPHMXgjBnq`8VGJ2v;Q|6G_&ms_xidAn`U{WaHL5EakSn_YqOYI$8AS?km^d zj72m|Ujkp(NpsQ4fX=0OO&ti95di==4{Wodv0_;i7dH4CbY+;%na+GtT(rFf3p=HK5l@0P2)mxTSYpB~4RJNBCwoH}!`h3J|;NuX$TGEgBGIoY2_7ZuW&Ohy|K$v+{FyF}T+6r0;-R4&DpwYk3W3EMSF(T?9r8el#ldwz zgk8F;6EBGUmpH)?mNSv8a;C_1$C!m}WtLcdr!3_*9Xhnh7|iDg(Q}~t+*g>z`1@CK zodlPe0w3X(Is{w}BRmk%?SL@kiK=emwKb-QnASPb%pjRtg+LT<&xpaz^ls`^bLAC3 ze`xv*s}Ic28OOYyNU}OO<*l!7{@RVnmiC)2T;_}IK=c_%q9-P^k}ua;N1 zc8qTuf6$tY@Hb;&SLHQRruxUVjUxcV`UbwEvFN21x;Y5{0vypi6R}Z=e=O#78wZ8K zgMn(=&WA}e6NOJF9)Y7*1=WO>ofi0NX#a{4Ds}GFHM1(8fw=e!#?POroKv`L z_J_V2n6___wXr_dHn@-9@zev8;>$M22zLv9#ub}8&2iDX2blJ;j~OQ(Sa*?Q+FWth zBv50Um&GSN@YIJ{*-N{3zhwNu>{m>dltIv(0&iivF3_8;acndp8GE(g_@Z$_;9-p| z#8OoTPSOfz3$aeK*p(NWYmne2resB36V6;4qy#jP7=SLhtx3k{5Z`mAcd+cab8PNN zvaF`2jQ*1mw{6ZDUTpXt+!Iw36~W42dDE<>a-1s?DyUPaEr651iaDE$zD(KvpS;uQs7R(d0}GZdTM+0>B_mGf zo$QmwPn-bLlwPej)m?YT9oN-0At`SD{fVzU(eADcqyYU> zzihM_H?6{*y0GF@$|I|ohqW-zsz^Dq;W`vqB{^sig&uCBK|h3nwm(zV`NZ#>wVrt9>}viOm+V7-X#pnoXUaXcmEvq}~h zvdD;YKAXp?%Zp30glpL$#%^Nb8HVfmEYBL^I?0*w6h{$RqRaG8U4Z37VQ)CSA1O$> z%)U&8zC&uQ^|t!|U;KCDCl*^%UHvfry1H(xuI?6p4|jLt??&;rrn~#dnl)6cyIakk zxLLjFU-~CpWbWx7QvZmwP8#1~8AX920tZpthCmjv9FSx0Cgtjc5lpqE6Zv#94Y~Y4 zI-BG_NGNu?*=uCd2_uk5@E<0!X*ST-mrmx}iO7;{_&WxpaxN z0~i2232--XTq@ZC^>ll(ql=TEh7u%E8=b%{Ev$omX(>Jj0|2mVppaO5Dx?zY)zR( zvv{5UKs*Jhv6H{IU~$NJyKe4NkOM$h%vvCX2o^SM z5>!B3VFDrcYvs;xFrG@q{pAyDjk(6$x@I#Ugw27~*;#YqZ#A7xON>2jtcX)ywIVN6 zL4?b*V*izamjco>2uV$3BIG{tA}EpyP>8He3XQfJu{{^KPolpCr^kSOhVVa7-$@w9 zWJDoYHffhZr+?cypkw#|>oezUW57==+gU%5H+j#D(eL!*Xt1K56dUNw=TOlA(iX$AFiE#ww1V zRa$~slEIRYIFi-U{)JyZo65kXkq~m^7ve~WGHYwxob($V?QP9Gfel<(F+lV$NFfmG!3WFKq~>CPz|b4IyW!xw%tgi??3be@^Fj zrzm?m9S*H|wb51C8}>#P%E45S@gC!iiA&@k8C{Gse$m0bCyjG-yT|Qm;~V)aK_m7~ z$ECMU*)((MB#U3sf+?`877MrY3Gt}Y=BV;s^*cV}N0~siBWPDNIa=kl1uQP=KjAK5 zOyB`OBpBm`9}% zgz&;9uVUq@!fed$Ypq(YKmvFD1l6aqhQNXq8yeG-CyXDL>5g3g`IW0HgDpJ^=HIe( z#|z7U7I(*%&YN@PRXuBBG26YLG2U_Wm-Jg6-P+sh93S8P@VdsK^=quM!(UO>lV!)5 z^uYNc#o~~;eVOKDj8!-zmCemp&6u;JIWW25vQ4-2o!iwhudc4ltti}y@e=DA;yR4k z0!a#*aMI2E9bHPgTTathbf_3H0^mZQ3w@W}97qzsbh*Zqhl}CxD)am5D;*V`4vWua z*DF0COT&h!&CjN%YI+`s&tY8AwT|{o!r`zg<3rPvjSennI_hAoq;sEI=Ck_!H@?_# z>w+84WqyAkkvYH|nej`~^+EP<_iZi7kjD827sqJ&{golV!{e@=JU;oI&Bpg0`QrpV z;MP>Nva;I7xU4uibLho&aRPn3OuAK){9#OLHw(wZq4sXx5{|NJrqh&yx)T6U1AL}y z)y(UseIP6rfjR3W^rw5Z$#g1BD+<3UIoWPfj>J2=IH?O@6qE)MAPpZ$a3O#KlEUhO zY#>Cko+a&pf4{}Q{pT!EC)%k-dGd2agw1pCe`y;r@Jbk z%C5i_3+Fwx;=YL?&Vo}81gx@!t9Ve+EXgYxuktv35xZ8Qk9TM<$9;ht15@zti!WYW zno)16P*E#q9*c#s$iwMNro{Yix$)exh3(v}aIUURJ!pK%_{jZDsdC-sQ7pCzDrV1S zaVa4sVvT!}j$m!>IQw+hw$&j;Wm<*ZI`PuDKT_dk4dMeJrhP(o zvQgSQJO}Cr&O!PgngegjW3JmVQxGC0E5yZdtX)h5Avmyb;Bni-g(+aqv97bs!G_N^ ztU22pEdB6=^5Pt5D(7MbTK?o3o&oiBF$hD$gFwUa4~>1>8HV1ejtu>NRzIFuopu`f zsI6q^PyFSK6Hc=)_@pti6QRX3cTm&9VysN$gYr7$S?_^0Oh#b5l_bT&Nr`eQjwH-I zA#xgy;$D{SDLCdtiVp134@mxh)Na!>QbuD$yG5f^9EDYo$Z;J1uiHJ=7UF~QqsO~+ zv`fbt*F}r}>5=}2#`=TWIQIV7HjltdDeRP{|EW=aUzy-oEj6``MC_*as3kNue-+Y zt_eP}J3AxE;Ndq@o4xT`Ycck=SYml{p zieun$K-q%DNBg{x_cCw-WVI1un^*mDRhC~Jvg!HX=s5B!y`2pV<&1vykBO&@{-^5N z)5$+3P-=5l9tcq>TZl@1-{>F8u>n4qPCUg1o=hhH2T~QmmkAnMhiq+>M8ySsgf%4u z?6PSL!Vbla2Rz;Ly4}Y8aW6=Q|*$`Wnc1y@9^Ep4rq=oJ@i z)0VJoU7R(>JHj4MxFg=k;&qVFKl_S-e!X(vE!HOv{PMyoc-LI`%L7kXZ!*`b_ILDC z1B^|Ux}7dO)vJxc)v(2T zFv|K-O=myP4cC+ZkLS!pAcrlA$7Tyn9#^XeYo{){ z@{VUW4FF|C{4DF|wMM?!PrtK5jnpW`UjEE)bC!85R`!~a1-=-U+q2(zCTs_jQ?sFe zZ|9`t{fn2)n34(!1cM@QH#7Tw6Xv>ESSXH07KLdQtk`K2OPCD(7yA_PTLo*)((Vq= zsLd&Zy(^tln^V&QzaRQ>Sx=dU!TVcSkg{?I>H-aqAL z(Bz1IYRk-iT2y+oAN}%2RLhutns38wj8rfBdcAs+x|h5&AWaqYhghQ4p7)MB_{j2}9u5jNzP` zArlSoZsJ&yruPu+7T2oqn+`M7AVO?&v8&K zXMa1I@e~b{*a&05+RF;2xbF}f{d8!_D9()W(;@0b^%v*Z~oY48vOoIv^MH<5y% zP+7@5Q)gWm#R81c8dF~!nW7}0P#oe&{!M6iCF;>B9L@1epZc<5SAPJCNm5N}Uu=;u zM;FqR8vbT}2Q)`_CN?K}6A2^2-b^5|Il&K@2az!%Mn!THl4hMdPd%&jqE1jhavbEPXe)q$$a2`{jTm#Pifv`DUr`p|UavfrRL zz9<-)L%_t1Il@<-&z}#nL-RqtpQ<$of>;Hq`O7WIPAj^lh>8B zl1xr>!mN@kk*|E}{J&(~;k~-UV@=0v+9vkaPwc)-lxU2{YNk||v+S7G4-}vF@z1U} zwDhNCzDqR6tg^DUc(N%J-8r+4D)&$K`+}327fc`1C26Ej#Dh&K_NidHWHuY*L}5v^ zw8Jz*tdnAgMp;8jFpVx6(DwHW!$CBzq=Wpl#t*oBT%wXl7&&qB$#)}TCcinhy(4R+ z89s>8i0=uEEHKoj>;=|_77zmM7W@R;8U??a#PO@`S5R(KZ_DL|Iwd;`2_`s5UR%hlNV zdDs4dE5CQ}yrFXbm)o8MJFUiGTJ>A_;QW@1tbh_aS>;Q7&tv=Y?hDR8_=9iocUB!7 zdf;)^ZM&QQkZ7g!li+GdZidLfZp1;xwi`W8rg^g*$`W*lYzA+&1lPK zSR$G1C9?5QECn&^vQ4{%w{Yq3N zI)bYB0jRBss^IDOX$!TL))Kw*S-dk_^fwppG|3C<)-WMh7+buQdI|fOofs)WTO|A1 z;Pu3kG=9CHJ8(}BIwb2MO6OM?Yq+>#E|Nr!nB$rS?U^IrgaS{O27-0LYb6{g_`5@; z2UDb@y2CBslzyClZxGxWm*92pM=2sl9M$dT z?i^U(F-xnpx&vNo1UqHrQ{UOg?k7qFrAldlFwsEN5+Dje7ZUAXTz(|M#k`xtkI4sm z!OTPW_7|J+rF-$Rg7xjatPhyuDmjd%+-rP^(l#6GqY`BF%l;G*<%f-csXU6$7q-9j z0Ln+i11N&#fJSqkx=a0wx*hZ%(P(FB$JyE~EC=5vZ^*GEg46l%30K$l=un{r(JL_|BV(1rM4Fe*>U@Ib%x9(|IMft+JINl`_&sKO> zaSfXFp3G2%3MvsbiF#o_%Ov7KiH{<$!74a>xLAs8@Xa-)YNo5u1ejoTWA6*A!|hG9 z!%Yf)g{u1friw@=vZ2X%S3tV)Zqo+jE1H-MN%I!7nTxqqd&6}bPe^U4C^e9dh!|&$;{o=X1`0pIyqgI5dkz zbL8*0xiR7rWWwN~B;Y0|ynCz3>LHQ#!nP5z{17OMcGgNnGkgHy_CmySYm4cphM_i@ z>4LctoOo#cU~vi3knX~ecEHHhMRUGIpfY`+`UN%h zl?(Umxp4FJY@u-xcquWM}q-=#^WED(g23s%;kmdHA{ z3+M@U9+Ut%i$4lL0q>p2r;XQsyBmwXELgE7u%GE)j__ol$@t@|KO21D4)?*Zr@67K zvT9tw%Pq3pwV*4?t>=IExh)-E`r;Qpl(MA)HL0>xcg!Qhmg?few*||9t;*K;uiwbD zi`ESq&u_WBSzVCn%Y-78ic53qwF}#)_?20<*7WutKf0^V=a#Lhge~O_TUYPhA^1G3 z8_3Vxuu7H4FOa6g+`XWU3J9c|3JXD}3Je}jRVk!X8qu(wk|v$g-+#`enF?EZ=l+!) zX0Asza|1$$KnKOYXzzu~=FMBx+Mi{tVfl`mKfSJaWz8*xD>USw-)P*GEPTM?5(VZ- zrhxUO7|F$9DFk2_b72b1L5;Sy0LN*#57gVyj&oScKKRCTGY-x4Hy*r|-N#;G_vN3B z25$Ibv_87~ynuXp;7%izf5%AO83^3TehHiOU*5?xZ|&T8?N=$#%~!A8xbv--{_+<- zxjy>E8v@a2;Jn?&k7w1sY5b9e-l&~b`vwac|MLdP&rc1Yt%IO@%HiELQ#u!r-vO&V zYN~H+I}_ASbK?eNpqSa>c#H62C0V~8yb!o{lp|jkfEX;zIzVXi#zp6^Ltj3@_mA{~ z-Nr66R&SbQ^Eq~V#@};%MIi7I_9Am$u&UkWQzLa%aoLl2^@*kVcfdz)DX0Yj$S=E5W#`HsPIGb3&?_>P^(jl6TsiX^#Oh`CW8id)W^hy4|k3 zj1HUADL-=}+udDRQ&UOi!qs(k!1wr3FIO*@;AaT*?M48d!hAqoB@`QtjNA;!0ZE`C z2vbBltU@89_K(l>JvN|vv${i(-J0>=Mn0`N`>ihSwjLR>b7n(Y|ep<>LCV@TP!|aj#guW6Zr0A2e`$!|Yys zI0ddR3kSkM)(`ikoG~yq%?HKxEFEE-j*>7`7bQoWcu;2eI?O|nhQ_goEEpo9oFHHM zHn{6RFT~6fu85K>mZ9q4x58qG!xv*Y^Ng!J#$u$kGzM`T`iv-ohQ?50`0~P&5>>6@ z*iX8de)HHTnfoi&vpNVarUSO960GN%6e0!)C1N8J^r+y5!PGQqsrHU4rIkj8s9~SU z1ds*-TLG4^OVAO8N3jt=vY`!^<_}F<7^-S*?HxZzJJ;X|RfF#!>9u2E~Z~%`CHyF&B$ZDb=f=ozO9_p;CxRhFnm8 z=b--1F(&J-a81+n)P-LX_pu?uT~ppwEKoJAyQynS&&q2SpVt}}50AQH7RR_@U6CFJ z=#WTL5F}ttG!-~3nMx#D=HqEQQfN6(r`O~M@ zf6AOUtQ3`K%~s(#91IAmsJN4XCaRJVIjoo$b{E*`ic)-{Mn+5ZUoajs<{6K@0P-AS zhvsQZo5nRQoz`q-Dc}*giJLhJhBT7nx$O6h=bn9*^?Xm10MsT!iV`A52v6`!M~ap{ zMgxa&OiMepUZq!Pvrctk*^aVmzTwsa?mLqkZV2uU)Moi-f`}QUT(Smc6;oLx%`GF$mX3D6+u?b!Y zdv;dI!Wsaqu^D%(NuGxA4WwxkO($_Q=nK-d5gTqwtRc$~Xa(NyqKm{jRmoAX{-ncG zu@eksEOuStxk%E@GKg6QkKAM=$1@)5fX=gSBM0+5I2YquK1bL5PB~Y60&8BeX{ zRv1d*OkRt+S_Qu~9mHw@jsWQ$GP*99!73$;J3I@;eeWju2jcXDSoz7fn68$|4-y;= zNs(kI!9V{)0aTKw+-+BMrhGnF3Mpp54rXv9)0Ro_y!psrPZ)kXo!O0>CHze10T2k?XOV;NnNbLP9~9fZ*V zx}!A609#Y;AoRs&tZ+mdT=II5{)NWjUFZ<}H)*bldpt#t!>qw_X4L=aXmDfwWI3=e z&yM`VcECAe>VwU5B(55{da*2*$b*Ai#yE0A;NMOTkfBe(=tp^})Zhp09FZwclrm_a zrb8vH6GsP`49HkIB_Umg-8v8p=v6v}ApZj=lxiOfga|Y>V^;Z$+0$2_f1P^sZ_cS) z)ttU$er3oR32vUXlDvvS_M(`8Y*m$H@enz_3^dU(0dI)U+#rw)&5zh6irI%);hNei)kZLn30_2?Zy ztq8wZ-Fe059^AWU57XEKr48YmUfnV&_3FKM?RhnSE5DAtTlzL#%&CMqrMO8IcwY*7 zgD$j!ILH#NrM-YZU^yL^Jjs~m3B@Qa#{q77X(#|8P?86HuAVi%sIRl$^$xs+54|#U zh+>&4*+QJcq1VX|Fsn&J-_GQ(*Rs9o6B3MnAQMgZ@-IYvYkG*zsPD9h&^1HPXJMh= z^*TMQz!5Na^&Q#lN%4S6M=|H~wENMIAo;wb^14@IlTK1e zpmZO$d0c@hP|;PjN|7@#G4nT!TTG^Abe6xh&TCE8G|K(2MHh{$kLK4tbL5Gao?|To zPrS5;UED7>)x_3$oi=Up@(U)*&%i`&@wf&*9u{Xq@~(^3G||KL;}%8vqkCR@Vt}?2hA62&5gBo40zm&dAUhCBAqPsi((U*{X@?{4i~10 zq*h=L3f?Kee%Pcy)Qk;S1cV4|4^h!S9Igl>Qw&ywcc4ZZD;l{JkPN*?#6SY)0eS^g zBW<7*yD}68&VkDu%yCd2hFB1<{Ob?PSph}zA%wHS_F^85tjqdQd$6Wc*TcK~cH8zu zz1^XQzh?Kba81M2y3=mESGRR}!j1=RuHmAgYp7^VV`))~gNiz)xx;o8<=GE8e67lE zZs~Ic0s&W_h3{5ceU1-($mwlWl&;Rgjn)QDxkhRAIzRN!mM?^4IwgpE05EK`K;=)wJ+y*{} z?u9Ge^09yADS}^tg9VM95b`Jw1;a=YI1=0>5#y8uO(c4t*u7YoI>?SHjUY{UacH$M zTCsJ2RjgeKck~V8>;Hb<%IhDhYmx1K4rYL>G7KT=Je5J)^>=@R&1N^U*?ijF*V}@X zo;o;2kl!VW1spAP4_&|VJmdKHrc^z~>UZ3*FMRVM`GE01Z|(Q2sJDWng*~ID=rT6X zWH3=*Ht)x~4!pI0e}4ZpKbluop9m&3hMS6}>9WhibZh+z&t7Ha^3})oE$p59vtfE3 z+oKMD#VsRIbFfNl<844b$=YEK3#0&gN@7Ozs|z-jbQ_5dED>5J^sgbXFa~La#3v^s zuqB{-$pwv+p|DW^J=LZ>wW!4y=+E>=$`TEs4kcMWzOEsKxF^m;Wpj9<`jb7^=G3ZM zUpnB9HD)JSlb~`xeOKLu{a?RsN5~i?gv)$&>!(aA3nv>>t;_e#nfT1c2cM#{12oRHee;4-tt8k0;aQlS@Pu4VAz?WR;5F5e5lBLkeO&I6R`m!_^pb2hzUU zDs|oY**!mjQB`wg!WoNsQVn(E%ack+s3B1n!FaO%mPOeIH$F45wszn0)>KWsz05yx z>iRn4Z82uC(2neLmuXm)~uWQgDDGJHavLog;&p-JtGlcx9q%N%fdbIqoh%*A3y$){p!N? zq2SDgb@2s6?w{HCbv~QV`bHMPpnYeF z6D@yw$@TM_Jgp07Mnj?K%!RFb$VGR6Cy_6wd zEd;Uk$V_8`%?kw+*eSe97E%vlmWPX(S~s5MOm!n77MXBTbgV*_q$(^16y()xiag-Y z50Xh`MzA(HQpLskl~^$1G|k~*V@{bhJ$ZUwU=uH3 zT?TcPAgxVDtG5DMgb@uF`Pq4cmdSvJNp8TC`Z_-yg z>0!RTl=dSWEh$9L+sR%Z`cWb!U?xS8%OGGtlqW30luY9YIPezuLt+}ez(9kb?(oOK zs~XE%x!1ue)IQ_#Nb=!}X)hDuBik;1m=7>WUSLL&!O{3EnAu8)w}QQqj9m8um(2K- zhV%j^8|@(!3Ot&k7!6|yakBrw)DIgw7wt=_97r8g?oguB9I~XU$hIHeMb7vFW|`;-B!wo-7Ow3&Of1}) zK#{eQJI65O@|+2|789%mPRUgOY<*|Hkd8u4N-?4!12Oj)7c_iTSbGy7X}b&fLqjwO z*vF?}5|2cxkPVldaW@>O)zWRPNKql0GpvIqjt-~b6OAn@l?0^?d$lHvOBhU2l?)eX z;m6U$nz6d8z^sUWxf`a37(ZG_!(s<^hsEKvS{#lRtJUJOTGOh8mQoC(dcetX(y^ z-Wr_PGb8Mu8VCeEnnTw^jW(OJYu-!>#t{k)3d?mMzpq#wb_@Q~4qc0=dNZ`bx+<#; zy3G!uu6?INgOji7fqA~2%Qj1y%;nD$+TfO;_s?r5Xl3o^>^b+^b60J%)|Zt z>$X+6aLeNMGOZ3&Yhy#KUXiUXm#W%2!{KDJ6Yj~$TjWq!hBF0P047)X#aQo|vI|9P6u^g-mGgSaJTK9-I za0)nd65@_vKP3lpECN6Y@H#O`P_)9P3r^u!J>bx231Lsg5xCyhf!M!-l`_kU2Z3yf z))Ojavn(DHFa|RCCYRk|v)F8k)xRh(?GIBMH_YtZKcoMqN#&ukP}$n@$*)g-cEim- z-Icv_=%d$vfAViSac%zkPIKRB5vsL%mtK`~= z=P++};X3Q$>P&0J>NV?w_5i%9{BtIkE8{9%foUzBK5K=mhVTD&9}DU>)a|O2-La&- z)(5$XiSvcch-rI2dT%<-!A!RlkZ8NG=++)bEXrSnIL<@!B%Z$0A30V+C zZ5?6ef8XFM5RtJ@TyO#VgyXDHSfrClcIe!5jZNyx_m9US;9KC**`zHdA247z3eZNR zH)JU#76g=3LClEg)!=cYa238}0YDz!^+1Tx?x0Fso|{gq(U8qIrPHJP9U=MRdpfvN z(;Fr=*aEU#7O4o^>=V;XvsBfo`}j0A`QzF|UqgAFXY&0)a6hFa4?EwkS{kF3a=e%YXaAP|#AO#M8`sTtMQ<_kZ~xnt z`;@gC*blg5<`5e?)g|N5?T zsq8CL7qa_K{>U^XBGe@Clc0AJ$e6o3ZO)*6MSw$co*3aVgkPqXO~Onn2@#aAz%f5c z0LoUx-jQ=fzX6Kjlk2Q6iGKK13eAIe0+flEX%48n~zArad~ji=|3sKX}BK&qx@O= zAv&*sm+4zdi0(V=p$lq=2oy{s*0Ye}O@&ceqqHa?b(l10ORTcKKHB_f_6j zUdKbm*WW0I6;(tXV0GKBx{W(|z!$wIl3HqrL*MG)5!i(2< zAsPtA%imzLL%gp1wo0GZdD~UnjMpBo2n1@&f6n%>$}c!sqWm5(8_u77{cA>?#*zf2 zI1%koji^iD7K(i->bc?r@6U@;U9mGmO2!lY*9Y; zuu|q4ddF3!D4#b++Vg^Ub%*TgSnYkm!`9L>g}-CPz{^ljus^ZiIK5tH{zfAw*vw3M z3tyA&=}G4wZxOhC4`gIna9?nF1T+w5g?}mG0&a0JY=16TbTldL9UvqGy&aDc(8yj% z^(q=<1-%IDW?W?KoYJEt1DbDAbF%WuPdCArszSDTcZ+upvM(~2?PZOtjXT)2GU@f` z+bnEV+`ndXDn6riYD3kOmWpxVo2Om9d|UgP9yFC~8iwlRuNgmXFy4VaP4EbkuPSRC4NPs|(ODyrN z^Se~v$Dhn+pHvg*K?WHB{bqTV=!OGCVuxF&?7F>a3qPw`%s>SZv;NFDyAykT|klK;4HgJFLWo)bZ9MAD>zfImT>Z zSQNU-_>5X-eNA(B@`fiu?CMg%V_w#<2gV08OO}*R&Sx{3Qh{S%`mzVRCY#d6 z*;7rinbq%&x})-fj^NU+Ozpniv!+4dDD>fCd^&(7V1JZ=1V+#;oF*P?OK7=3ffB9& zEXRp@34=^0z788bY(QvZfKa5sj|g%dQIbK!Cdt)AaJ=FOTL7YGVKf60r#}{}oiVMx zl0ytVuijP0{Jv1oGWP0b5FOBq($Oq*ywb8%-xfOL!KeD#nr)3;l|%ObE6~WK-Nxo74ga z049iBGlf6_sv_jti!9tzqo%s8b>SFj;DClKO*{4E4AZ`01UOa-QMNp-6eiCGxaa)? z5IPLb!#I)TRc(;_LzWF`Dt1qZPK3OK)|^W*frz)#UQU}jjvWxNbx@8M#uGdeRCPi> zBJ`3VMvwzcb;-2$w4&V)hLO0TOeQa;-Kw5x(wiom;%Az3h`7KCvt(he+h@>Rw=cN% zwlQ-p#LiP^^9&$yUIB0|%2~j+mgMKkT6ww{+WagNRIBv&2h{>#W7x#LXUb=)1r72AX)5=Yp(F(eH4fn^B#tEC*OyYXO+pjUDyUV_C}0S(R&R}qCWhdj*iq{Fr>dfE zvoVHE$dBJGG?i^y#hhcCwjM>%`a)wOBMn7qV~nHR2p?8xR|=aI+9euBgEj2kDn80E zs$I(IJs*Amb+9Bwc25bkTT6!G6I{i~=sIyQl zuMMH@j&=yJLWm?QN@(Gv3(PW0)lik~NTC`Mc2MjgRUPKNFc{hpe2KMGTN4M0Mq{Zl7$q%OlR~e$WNHmHn(mOrq`1mLAp1Z? zgwU>zwq!@BL%bYVkJ{Mzrw- z0@KS02|i9RWBIV8)@#wQkj^SZ#jQC0iX7Hsm&?_{R z*=3X9F*Rozj&&d*i5&ee#Df(Wo$?NepMIka+wHwLXAQe{NflsU6%+zxRIBNcg# zjyPUWzB?3zI>jf3WSQxWnp;;nj0ekA89h^N+-}hkc@jTv9e!mluM)%;bs2`+3Td=z zg=AW-mUV>h3~{e4`e~y7{DULJWhZV$Ix5LWYw+$ zyj2?_apDWI9Lg3Aky~NUU`60ftD;%`vgT5CuhW7!nL&*!G)8L3U9MWJPN!96_~?`t zripbs6t`N2v9ytsgAXsTVuZqgyK?5XxR?W>H&xw=DACNOFwCnGP}Fk8Dl>)a77Qqc z+Z{m@tjwjW9;+g2nnROa7|F$VBg(7?U9hvLSHYaQFpVshQkY|cEY~9zwcVi z$DUmD3=fPeSJa>)<86A-6XIG$z-Fn_bf<X~j}>pSeswiai#x7;04^a=|oHdzXu3Tiik z_twGB!iup-<%>wx!n(HuDjeATlAIHv#S~XL9g&T6i-|(Y@H9U`!KsRHFMu5Od(Rd%3fnX zJh)k2H5Zn!L{yS^1MM?yEh|7N!J0P#i#xKq6aOPbwUDZg{l@Fqydn|lZ)6o|2r06@ zBRBRBj>ecpS^68w6vbTFf!Uj9%YY1)RPf)|K|Vt=O2ktyhMfalYkniDMZFH+ee#QF zbFfG?{PgiBRT`)K65n<5=OZG}oaBeiHv1F4e}kcbzKF&{%pBP%lHDnd!|)i8!jd#Z z2zeDmyg3NZNY*Tvvw}Jj`hUrg6iCYG``M(nW)SK1Lj^9q2LU{TXC8g9g!T8VQKf8N zGGeCqWPk{c0Sv()8KXizPXdR5HPp|do)H#@R%~Q2bTivS5(VF4&%M#i52!mTZ%L^s=lE*jf zTe|gnt@oO#Gka8J^yjW^J&X6%d|tttRE}?5x^KhdOVpm3Q?KdO zt~ZSZIiPUKBDQv1V>nTHAn!WMr?J%*VPk4k7rv04e{|83>(reGDih(xacq;gN#IBR zV)trWA$yO*YvVGE0p-@Hj=tB9|k1ad6?A-rYcFlF?tyqDYM`vkWV6A3>yDBh70xqB)5Q0FU zQHAyMty0bSm`gCpYKBaBU*)4%CZ!_7~#?4z&4v2pLK?NK*^0X}ng*P%_l z-BmvV@311}(>`wMKtRK_H z1HydcE#nyfu5m1oU2(xpH(el?vwKV&ZETxmEMuRkPOy87Z3)p8iHYwP5dvByt(G=P z*GT)MJ8_F7wy=s(f#k^a7ONX;9K<2t`TAFe$;1QTEBkBn%p_=iBrx3&wX3VGs=?;3U{FLCw+2!nHR9369 zPLJ1>Uvz~<0ZqJa+1~qZKX0X7U$=Dc!DX|o&fUA6)>+FA?p?Z0R~s77-GATSW$Sd5 zv|Pcz;PQH$*(z0zo?PA3vSjro3sUB(X-P{{YQZI|%@cF=$6e<{WS0s$>F51?5EyfS z!rQx)h}@se|NZj_*Kcl;5#y>rU9Berl5bCs!X`~zcvpJ)qUG21-JM=u?X=FHZ*^8L zPv6})_43p?%iHc=IB^nFde|O|p7GSy1@0KPw{>bA9r9CK_l~O*2R<;xUKg-5M`RDk zBKF@gp2-+Xw)I<}*7hh7BbQ+h-XUYtz$OIzMf*lIqCzBK1%fY1kO+Nb;}8fMpZS13 zS|H-~R>a&uY)C(CA_To+FB#5g0{@c+C_hMFf?)J12=e-$H7#rWlr>_D#qry0nvo@s ze=gO_zc7;uE|{+UELQmD1Rh2m##icpYW$Rc%J`}AaeO;(fZV+CB^;@~f9UT@*31Fg zn53NAt6r~OPx=n>S^~J4f=AO?N#sot9N{2BvV@+1e@gDtj!4c;>h+K8yzP>qzioT% z(MPuP3vJUqPFw!*b1vO6P&VM~pQ<*Gh55a&M-{!ou`>LfYrt{gCe0b+0 zm&lgwAA9uI+wzaw9G>Yme$m21n=b1c`djz%%+hW?yDV85t1vFby)GMjX!?q!SD~_X zw1*e$a%8OCNz!cd+a3&dZwP=24sdu*pwTop$q;PeilPM57j&%e8+~gOANi2-5~e_S~|Irp&)&*3#MRCiQ>Jaqzjw)#*gm`21$ZE#v0izDa$n z^iJt$EnmF4XT^ldXvWfMo7v!FJpJH`?T!UJ^Jtx~b$MIk_;7i}l&P(gm(6Wi*3?lx z&G@D{pe~HBcoTg$8J8P34Br?tt|R&sH}p;G1uiWZW}0A|z#c~CJqQzk zZH!z$+%Om^Y;3?p;$m2i69qsLa{LPFM|h7A-JI?qK^Xmlu*6mgESA&;$>#4pVfn|t z6%9|^cPmp`cJ^Fpv%6Hsa#u@w#qO(S&Fty<>FkYD5^u4O>J8zEiFu3XFTU=oC3jB7 z_cXvaUh1xLtF;pvyQa?1^e&vxyrhOBl$mKw=<;Q1C#+rdZ1yIT%w5hs_uR97&v*YOHl5d46R8^O^!Q5cX1&$2acog6S|Nm|$MoZ)B_3~npry5Q z{+z}4c+}RaEhZfsbQzrYHP(TH#tmqA zS5ba1`SZ>89I+EQNfD2M{T2hX$ndCZ8^%WUq9wnj{y=!)yzNEfikQ%nY(WeoX4O_k zS{E4PK3xt8!eR#73DEe~q`{D9z0eZZ{z>`ZlG)9n>H=q|q+ndrv^(dlylG)` zhbIC?z(OOq7%_{^Z)PT~Eubqkxs-!HK7VG_#HR7VP*wGenLE4gVzZ9tm7Lg@9UG{< zlkSU#>ujj7lDrA5&`{jZ>ovy!IY+eJG2(t?-~4aikNnr?>c{SBY&@Gr824Dw}?UeiljrHK{FOOB$8qg+A^U%O-CSLD&Yr2 zrVaYQWSf#hNr)-enD$<02_V5G9)wWO1AEM1^kr=g;8h!1r(5+= z*b25S%vfUojN6$Bc=AdpY`1-A9-};+- z_doRUqSnZcCB?PvTNg~LQI=2Mu#{c$XRhy++ctR27{vRtt#hJrq{^r^j#42*_>#tv zP?iu=sh<$Jbom0Gp~ADS<>^07zWAB-Jx}jByL`?pi$^lbT1V|K@4w~#gX>$Uao$8t z>jM8uzvEeYjoT#v6TE0~`0@BS7XQ!rckP}wzWd_K+t=I~l#SL3htJiv_{dxLT=u|U z7qx_UEGn*x2xDApOe`!^MS6Z)2t=jMhDz6-UjtqUlG`tIxcI*u)s|Z zF(-JtiUieR3bs|6m59y?`H2{>YsAK(Q?XXa?RgYWI3{<%y|Hp&#clcivoGjr3_7$m zj!IXFBhP41e)r+6Yaa^6JbztuZr!rvSl`-n+Sj)Q#W!H4P!X@_nAK5H)jqK*QKPjR zO!C2l%8WyA&AewXX@8&6q)uVZrN+lXTb5Q%gwCQAHisSIypm9yP1nt4-@Z_8&Ff%~ zuHIdLR!>iL_n~=vuP90fcRo06e*2bblWLobN|Mc!w;#T-N^1lgIXP>^-p3x?*-aWk zykv9_r#005q5!)8tFTjOqV-jJqNr)Ki=bcJCLlDesT#|>gg2N@agJ$er3QaWvj z_Zo#aAhb|ur0I@cghH!_cTs}6NZe>J<~d4Sm5v&%Bh=8dd49u`ZF`f=8DwkZPbdl0R@JsnSv9`*qW$jbN#}R8PEVdw;}gzmH~Z}QdijN$uX(4~oh_ewP3aG`!6YelygkMic{ZBYEnW<;@>5@k7#lJGCXI% zum~SjKO`k{%i#f(QD?lHRNo!66yhElge0#sls51-ne${T4=;~N4gPWbd(c(~e)r+m z8e9r*6i0BsM~*}<^gj`D;e5DG=!P0-E-oOYPWHlkkJNoK{V8T{va@Lu~5!@|Dw+E0-B3mbb#WJ@YlRmQOS;RUQhrU2xVcxo_eMv1#CaLdV2F zP3#}5%BpK>s>?3^eVi?vb3>hSGO4RBEO9zZ3afR=kNjmfO_<%YoR9ev(0AR4D;w}9 z)EH&}6hx4NBdFvNhYFAlRDs74a@wIbb2imEnTlXJ9puP z1s;>~EJz|Y4N|}CSR2!?bx@0xo*0X6}&1Iz}4=1uU>TH z0b`#2kU=o6=t1_^@Ya;}Lpf57%g);b2fJXNLB97F`PbwZE0py=3+PR}QaJsmU{Zo#U?|V+gq3{0^-9Qdwm0M!vr!;%5rBJ*F z;}P72o;Dwn}6ufaep$WjZwYRbp=A&Zqf0zQLpot_o78YS!AQ<`$LB~BPF z@Cv>*h!;c=ZAt0_Wxy{mELltlg*ocxY4EDrWR)U(%k<}Jtc0LE&t7X=q(ym!8Tdn+&@G?K`Q1kUECx2g9_zu%PLxo)T zsqz%fYk~{t0Kf$=?SIe~BKn-%=Ib!GiFPk(u*b+lI_3>I3-R0n_g5XgxP1Ji)?ctyufNXb=J*klZT{07iG9lMWFN3Qr4+mmY<_uqZTHf-6E?=Q z`m6uSoPYi4kaIDQV-(+FkFof}4`=oV-Uc^d+v?m_47Q;@Mx*d09vRq|`(gmzFD^mE z`G4HCzWdxrxS%32d&X_dc-LL&Z;%g$<6q&aL2mk59vZHbQa#^UGw|E8I4m{Nk%UHe9^xb-)L9N+Vt(r$~xKGHNVw!1qQMS=U2w8fzVer>2#Ij~^%W4FqP$siLWllWn`d^6+dHk_o=u0aZ2%mbTS zY{77{n>za1QON6Nubv%h6GJYG$y~FzsdHDk&Lf!|PLt%(mG8WAC%<(%`0cLFro}a8 zcuZrJnp14S_pf1={`*2KttqQ0LrKC5>Ek^|kM%$&4++8>D+OUCA*Cee02~2ZT@P+SK3Pl1z|LsULZ>mF zAZg0X1ZWQDjw`Hoiy32QcPICyDCi!Cf4q`>~~y zeVLm}E`4>--6QQuY@@=E=MrKGa64!kcA}d2588UTB+@|;`dtCn#(HW;?W!5QlQtbZ zba2z8PU9G3%JQBig>z?WZDn(dRGpVsX_-*v?pogEu9{$}%*(5mTAC}@F1hj9?>~Fv z5)qx?vQ*WgwBXG8sh7;DtekVn)br+;DonTCc;jt2%{lLmEj2T@)fO~F^Yf$ig+6~( zZAE>3MQxSeS6EMJ4F$E^X4Y)EW7Wf3CQjV)Fo*xW+&^xB+v9MSKWB1qIU9Fqs9Lt$ ziO@jL@F7#BHJrNUA-OCkdR-Q?S@|KtS|)i|%Wj0IRGnp>=%s4Q-Ku{~){R!+&xm{o zgoz`h8!jP~b!f?D9pKZ!%O#BwKnSPND2@_*Nx;?^_8eL17#0kd^HDHEZiN#bUFI%> z!`ROY?x(<+-4r-;g;B^#;;*@oB=L7Lv3bf0NaFY1FLWc0NjKG6L9-C8vlq=;VSba# z=l8wcSY&~G{;?Y%pP$)QO!D~=bwt;xVHV-?W>7~N)Hdc95W_Rokv@Z7xZ9Xh*)OSM zFFLQ=fc$1NoMiV>ZCSTV`RELlL=`z5#cg+Wn#G##A!(P|cQjqaMzGSk(*qKvVyCZf z^adL-0f@y;m;slta&R>4J{GSh{nR39Q0YY#gG;f)y9bW!K5U9M^>lihCPN-JWqjTN zHu*r_`XfOYJq5wK|Wgp z|72aQtKBcR75DTMw_t1hnZeH*c&jgFQG*{+3(k2C%8;t*X&S{z1gAoljXlr(+{dWXD* z<1g8^(xdD+_U^mK4!D1P19#C;R06!usa(K0n}?maDJc@5Fr~TS*X{#6@oLY?HgpY# z#VO!JDU3K#vr()Y=#9x>+h+Dq&`xANOJrRkBk3|Xk^&V^+G0vC_cST>4rl;UNj*%^ z99Wh_q6CY|leiXfeG)ihF9)st1AWU5$eIJZPc<2Pxk|93a;@cP=5y#u@czqeQJW< z$8$I~!0iGtkq9%OYqj@jU40O$4^SWsxi6i&3g9nbs2=T`{pt(Xarcy}cJJ15Y3k=ER6C>`y zEY0lfA&TP4W1M6tUOuO27ncBY(@7G&WIfSjuLn|+hI9@T4OsZQjArGh=0e)lPxjGt z5>lk2Fb+Bj-TZAjd^UKMJ}e?9v_(>dW;Pxg8a)FkdP`1{T8i=#-`Jr`ni-GL9j*jr}pc*&b-k~W}W2g2U62~c<)ycTn=bJNds{r^XP;S6;cUT2m% znWDCF$64Txp2UJftVkUDvki0o*WlG)19Q^SLyy1w>VGSvGTLW`YIfo#a!A^*B4jyg z(8P`Wk~QYVY5}`&>1DW zjIVFyWyqne`X9sMM+1~<#`>3meRFkze%h}FFJS>5=*!BcQv?PAuAjJ)fnHTA!(W|2 zB56VQW3w^+DCfB$l9AOpyc{Z0s3LI=p=|WS){bpDiPE@kKJW>?Cv*Ibd}h=@^O5|M zeVwL%Ei8{yL!&ei@)E-SQXI39`cC%s4q<;mBr?*Z7^O8Ie<@N3?2F;2(WRsmmpo`K zOcx<7GwhgR0%A5@B%Y|l|9GM?5y5|`{~$F1kpyL7tj;IHEr%|}ly{Zh{-pA|N!0z_ zy~$*6Uw1H=>g!7dgWY{}-%U>@v1qcNbu$@eL&+figRZg~f~>bc*ca6MQ+_?p{j4{L zRN%V7CPXO#4wua6+GxSQ&@gOwu&p4CH*!OfaKsx!jUk`TA*4=eW+Wg-0xEp$-DHsU z2gSZ%l59&(X%LMr+1J{{3y@BGvc6T*{SSQ-#aZC z(^tR_IZOQaY`s+ZAlKtT{23nX(T94GD0W1ma2C}`{oGaf0{<3!1N9m$S(v3ZftrHK zQ&dZ82o*pr8<|Y?nx(l`s*}zd)?b-`6d8e~Q|+(eiBjEHwK`L2>P+?qg5RMcET;uj zEq39k$-KX2X&yzrwyE_RlBYsomW@u&qp|S8%}GSP&e+^hdO^TQQqSa$Ir@nzHcB$V zBFryg8y`oK@@AtugN)(5Rm?DvXyRlh#bD7QdO#UvilD8G=7wAWqpm#7c0-uohp3ewo*23p9T;D7{T!? zkO~>uyqi=^RG0>9Y3?Q`vkU7qBjO;W`-4GZY6N1zV7i}###+dng`mhWumQp*#95?n z7oFQ`A)sSz>545!_zGl2qcq?{bABPkOCzrVfVm*+vV;n^fB=HvrMe-J*OgE}UO6Cx za&0|;vb&D;(x-W;?I(NTMU;R3Bt9>9_o^ zO?XZ>b}6bBwi#3~g}p!rOCAUwv(iJ_6;AK9p=xJrO4zp$Y=wHjLcIaSh9Td2YdF`a zU*!-FP-VqehAAcTet{1);)(cF&HFQbUEp2N%!Xscz=L1o{+=|az!ud|EdUc;ebfcL zY%G{Ikf)H0rGDlL?iT7(;@M~T_u{NzFgU<7NOUB)mEC_#sEe@^qdu(#Bs9JwyTxoyTW)a+@Q6C6NO5WTh^pU8aZ;waT1Nl|6 zkCIMRKE2*n0rku>CqT4t)M0Q|quyVhLDZa9$b|BOnjwQ|OOrvK$7vo^Ox z3|iNiw$&3ae(j@U^A>MkGiQDzIB)iv?ThC2()bOnBOiIU%s^RMMqdhTp$kgUr(sZ) zW|;e(M;nmEkY?EuVo0OC)=#Hc4okG!Qhrl@xZ`BsU@$3Aa(xYFdu_rwk@8~Y7Qa1GQOq`YpX#M%s!e&AH76#0v#m+F zB{2!ye*SLoz_Q+&svz}iW*?JsW4Qs44zfTo&s9DuX1fY!LG8J|VviG3oZ3zfk(lab zDmxC;*Qx#Iq>~giR_Hrtzd#J)EIm4Osccn8g^yl#Kq&wI;dNJe!$bPfneCROi@AHT zsO}Rq5Y(tTv6sHD)q4pVNnK=%6BQ zswRm!!o|sCGfS#vm?UjrsAmCU*4d-RUL^#rg1tz1kvF$?lfwWHu4E;CSruWy5&9tgI zFW}cxTb0KDUfb&Os_ofk>GjolXsTfNpSH~e%@6Wa0gVSVgXRh69e({LrDB0J=wn!E zrvggszt<8~K+2x}Z&f~nBjco6rgUJ&eGTqXR<|w7j4QEgAQO#XTO(H?p;|EsrjpZ| zvO4)17`zmcnJJe!DQ~{nclhnYeQzp|qQ5Do-ei5Jy+b9f<&DZ{yS=F_R^Eg^iVF4s z11tx2kAIw}MEhCdfQKG#sOo2mSNrF7tC{R7`bDY9~8o3THRKKP1wThEL4c7^R?lSf*Ksu_DnrU;@w( z2Sn>d0{1HcEPa?bH6u06T2YcY1J_msfDKT zbFA*7<6c8?aWVUg(6cmH(|Bq6!7a9EUcS{UZizHGPFgw4|IE=u0{$IoIqsCD?GbCJ zs9F8^43^eqieHSwmU(7YX{pd12Zc_wByN|t+WocI!}X(A8`#$%XpOm z-9egiFc0;3>uT{3odkd2|6jUAOg{bcD^EW1=C8y*|K%39OCD#bbyWo_A{Aa=z_sS- z4K8c zri4Lz+#%?`w^aW^8TMHh+^20h43g7+liFu{2h zd60+GiZ&i4W7KL2>*#Bzajk?&%GHw3+-9*zY=?RwTsvw5uA&yH?79s1iu0?a(239S zvP1G&WRrT4?isyt8M+*F%Xi_&sF_1gqFXWzBLAjvzUV{Ld4vx`a;(vbB{7TrRC8T%IV<>Y+=UCzRikeCzJvdDtDtA7nq7OkQ}1+`)mA;wLFv z$)aUe)2(~BpM+8>QO5rSsfzC=lDyir=7Q#U95SEQw@vMJfmKqHI?1zq=23dcLUpF4$ zo@4N0caCi7p9TYR|6|}$S}dFv<@%PSm*XQ1`z#O2nehsn#W6?^3luX@#6qCHXb2~r z8%djnE6@<^16nL6G6`@l!l`$D6rNMb|N07{zw=<~tcrSY1?np@r-s#y6K9si9sJhM z-;$o=r>XqdUB4txdH2#-d1>3EK;DviVtOD+tRK2oYytRHi(DwO+U{A4C{sV)F8(7AG%k;L4IEL?Z>Vfw#1n zYI2LUrz4dca*RWh1s>~jir_qjOwlrNcLzVpo;{^8TFfTsF=}Y|det~q{W(_CvY>03WhKFK&!8Q)Oorrub2z`EFG=6?yEyeLE74b2RxU+fo&2Fwer*&d^WU9q!w%lux_27$k z-Lr2V^Jic13sW1GH@D<_ee?4i#Zgz~SvN)Uo2tu_g?VS&^?Qs(7G`YgxfK=WybFQW zbP>fVBYh#7DeB@SRk7@52F?*w!*d=3hXwFedFbF!ay}&mNXG?IhdkKzahd}MhGc%7 z?u$ul`iK&t1Jz+A4n?Q~(aNW3g}Gn{Lv@OaF^;v8P;#jFq5>AD+c+y=QIc#&S+JkV zrh}wSYv@{}BZpcV_^#ie36l?&s3$_6AR^>m3JynHVk8mb&N1p5CI~R{5?v6>a^-3m z^Qt2h2dRv1fE}v@za`>jUmWwpC!@h=yF*b@FFt=2V)+Ojq=@>wYZ%+}+%JR=(~2n7 z&pvy0ee;;QDyw&0AbQri3$Co0v3O>q_`&`650n|q9=HF*{Vc-l545 z62E4f{+d=Kad?}$HePV$q*be@OJC8X-@KY%$xd%k`?`*%&Nwv)PJuvgU5fQ10&;7j zpHo=Z-5!WKFQ{;L`N`z+=3}`CG zgmIQ|rhQR!>TRw&+JhTRcJ5gndL23s+<^hbC+*}xqkA689eIF!z-4eeoN$o;6!IoQ z#_gop$|nO9_mSAp=ppVa`C%a|Jv`E;mdqJ5t+F$EL6CV(;Y)j}TIWZ`L^jTye_>Iy zs4CjE;)o$?u)yo6P#hJHtmukXA^pMyT^o^WerxiBY6eHT{zyfocYIA(`Mjmf zCC=qo9)zqRtCt~&pNMG)4saHgCYZUVT_DJJfuI+jw0`p&(i6?{7?|ca%5O;Jghz3~ z#VO5k<%{E_e=H_b?Suy{1-m)+rorkMIMyAG>(J>rl{~Ehap22C{xH1mC>U@we9U$pnW#wXlv|G{ zcO$~eAmOz3?70Ab$Bpw49*j`mc}C@;^i9VPthrB^bKcrbY6B8Nk#cM5z;Rc19USbb zX}L|cbSg%?8K5HQj1s7Y7pibLqaUlqO6GbYfHg2VhWlG=u&|oUNHV3QlH9rcFMS=W zuG+pgVK*0;?TNkHuUgfiDhLTlME1FU!u03FC(@dQ5AMHY-n4)Yu7d;9=3TP?!G$Uy z#PIo?+Nz=!Igxo0{#ml*#eUgjxWE{Im0NSk{A>ISL5YcZb;NUuVq8ik%M?E>I z5Cz^A@&L0N61g=%`v-ms_+w%VN+fJhgQ$eye}F8~Kvk%k_2Re8@C_^~Nt5-IX48%8 zX18ZmuzB;8R=4CRwOf1+v+No-aoxB)h|zcDyt;v{ET1+^_yY;p?SaKKD$D>)V9__hw(1cPmZ zduSjFqE<)51*SB}i@__Ze`7-l7O&jPkyGZs^*eL7!aP<<=@6GNX^|Hw|3~?&sI?lB z4s*ZJ&MxlmI?m=Z+3J>5ES07HrQGslSGRJx-PkV~lEA;+EN=lbBwcQng4yfVx!=9c zh57)Nf+l_huo{q>!BUL;pW}ZyU5CUFot_OsH)o2(Y$kBpR$XBK`nf~h?6`}j1_VRA=9 zQG6+4!SL@3ui$fPaVVD6DX;K~h?7TtpK3)_Q>*z3@=-;;>ie(;L83{`hUbb0sS;= zz=WNnj6ssy&NzsQWsR6s zY|1z}l}dj<{Uh<=$I~Camq=Wre7Kse5`s^&w@$3Q=N`0=Y0RgR+P}+$cWQuW2(FM$ zM!7Di;4zo{uJVt8x6_lSurY<~TkQSLlT(|d=VK?Q0=&Jfe9la4^-Xu*&CX(Devs)a zyAGHb;LrlxXQPj(aHyJTVe5k}hzPU{Bqtxmu>8y7*np-vL?`j#RJ8#IECIp)P_dpq z4phW7ZoOnNp0iWgqSPx}cAf)w?0UD;%DTOJy=`^J=eP6`l<8}l3`Nq(P3p}ppLeXb z>GfXLZFNfT^R0KFSLyZY1;aVl-+%x0=fL4Of9Q7ES1;Y;77lW3{hQ$(lSzAY@{aH~ zc|v-(d(YCmr$kaIku9Oe`xHnpw{jULPn7Jok?t^x;JLt zjO`aYSK&;5&hmd`NX|5>xJvj?b!U7oth?xaVLr(VRB1ta?^jByI1dHP6Y!`xty7JD z%b^8{Q!>&bV&px8pb`>Fejsa>(XPc{Hg)KE&K30~csclXiqC!SA9G|q$jM@sMx}a< zyw9yiPT7O?VMBFbzaFek&Si#A!)1~>NVXCrwa)TsqKK9k;|eom5nDtd=NqCip^Cv5 zhE7fQN>25`=`k<`RmGY;WKo{`!0L8bZhzavoR*Zu4d0JzzWrzA-P^4Oqto&Ww(NBs ze_%AR;@q&8FLRkt_yac8!rXY#$xLtGZgIFRx3l6ue|wG05dD`@b+0S;{=(uk8pKyd z>X&BcstIk=42zD!K{*HoiZ}#XLKqoA<2$61RvZcj?RJOlw5ST{TbWCsj65DG2n7nB#+I$=Ek zGR37yAHfcW$UoxM13RJ{qI<_}?j5%$8Wpd`%^teh8F(oO8HaPUaeugQ)r7%n2XA8c<;AKqc$72<@RUnom^o^^^ ziTj4~JcwmRt4%y1Ukb@Pyt{Li95k97assSl0|0y{ZB^zKPdH2a$ezuk*PD9{c9!fb zbvnS+aJFH{^Tqq3#3hBEZ6EwUN2A3o<@G|5o|ZD&JDoH>?ij9f!s0fInpAq!3j4)BR#< zSwX?kg06yPLT_%x*ds^lyT`GAv(PJ63%!y~3PFaosq_oo%kak0f`Vn;xi!u0r##Xt z&uDq*wD2UJ!Q8mBlha`qY2PbB9&jN2q1q9G_XcOa*%BWy?Ymh&;t-4}yaD-m&mkWI z4G3kqH5nSODA}_U>Wqm%pfha6mZCB-;sUsj&`PDdk%K3G#JT|wdg1+N=a2TEJ1%6r z-)MvTbg^Q6)dSa*n#}0HkXMJ@qq$mQg z`y4OLoKMf;zW~I^2@WL5P#DD2&^ZD5$2B#Fg(xG#7cx>(G-5DECG#|eO-TAvY)<+= zPl2tdyu+0`PjCfKVZ{g>6Du==Q&=>GL}l>_r7jvUnnps3k-a4CcKVb)SG!B;^En-4 zRC*M;vq@4&B^}w}BPX5{DOQsC`3Q&}iKK(WlxTB1=JYxdS~UnHzPe71(sZiS;q+mb zXm_!sZ^xPI#J(AcL=dMvKVL}}E5H5vb>e#6swf=JxW2MZNh%+oqHp~!SN=J?i-fy# zx)Lo=`qFbOR!R)U+XX541$$gNk9XY;4zN)`0K`#N9<6 z5|PT#J=76>O2Uwk)~8+)qq&HDY)JskKCk#%L^PXZ$>Q?oV*p$qD)&rSL1Wu4h#gd^ zl^yKd{x!=GJx44Ty%tHbx%2Xit$SapWpCOIM$s?lD}IE|dD#XG!4DpQvS;kempV&| z3p@zDW3ib3bj<9b5IzV?g_uN4e#d3mVsVWh>$GmQI^SR#AHHunMj}~+szOwr)Mj{L z*cym-n$5P&Cfkmy5PnBS0SJ^udjR#v0QzGBL7ve#`J89Ng@0(bPK)qf+_nw-1yLL1 zjz7c65eLxaop4@lId=uMbj3e^@ca>w2x}2{$tag~S1#ybHPjW#FWEPo)_cGtxL&!D zavs67ztm;fZ*~6R;otAk=NT_GF~J}glq{e5E2nk8#id;SG+sninWi3og5Chlv=TQE zwGE=2qy>r*K-8D9G-ll2KHS7r=~27JL0%I)DbeszGoU$2s-$o+rxoA$=`pAEpvBdG zaaU)a?69rX*=+`4%f4uI?!`sXuKI>}`I>%V~W=8xED(wNCe88)AWp&PbteVP~Kso*zL-U0-#qZQ|n0 znC-)uwV@Aq2f%ZWmx5jZ`;G$(Rz)%3E@#9tbs;cVhU79TmFV?>U=;T`tq=I#eCU2w zVm0bLKeii`SNq`hWb=W$y~+X_8+Oxf4Jmvn5a=YE> zG_y^=Fjy|NxE9WHTJd0u%W^s8#bxVRMDqb^i>FXuVCx}bmy?OUDkLI<3$?Z?$^mJ& z*9Y>|McSFLtRrJQb(*O@mH32nYlWqcU{dtcWP+0T2YS8H`6HL{SFWgWjP3_| z&kr0%gI@XRulSt%JqxR6G=)ufTGv`!3!K&-i%V#?+wD$eQEZWav4h>~vRfVL@3|~J zR_6kjWi9-dJY#VImnlB=e>h)_eAf?BV31l{^;t0-Bn_x}n_;Ne2MO}54QNK9Hv+fR zrj8!~3%Fm%D``#48^5%=Oe)YzUi}o=Xx0Vf;^L-IT~XZYGr>m|^{d38TR+ERxjEVgg4$b*O%>`(`E8>E<7_LTPc^ImTM<@XfiPZ#^{uKFa z6eIi$N!%cW9fGwYM>8?z-~-ZlXU|?8X-cWnREH};n0ssn{3C9UC~pVZ-B(8@vtzUG znTwQ7A>~(L0nLBwUY-A#U-zxo@5kBX5PDyurad0Ij!x$h}vh zI9iQD569#2aip`wHjCM>9A!Oz^=O7Orw1|_F#R>Kl$Jg~Kh|lc@)_hsfCH$n>k#Z9 z9QQ=v!nK?=g0yqgA>2H!6TaHUM4hLh4u>KUu5l$qMu3CY+BPlSVB5h>n^wBsdCQLN z7G2%!?U&BGy{qhY=Tz5A#hYpojL>MAx#`Vh==OP~x6iq#r}g!siYYCNYv<_oO|j0J ziB&a4t|@sXEw$6iC+g(paC=2_ti&m%o|##2trJc)80ZwoL9@n)ry*deqvmZ4-E?Ml45CFt@2VWmqnxo zeS_4HX31CjoX_FsgM=FT_L<#*u+eMPOACcZDq#GmUS4p9s-mu8$W8WODH%ZrwQJ^K z{nUZxNJMnlz!1_dqg%mAE)_y>N(^Gx1cPNbg~Y&G!bAyq7!Vc@WlSJAMgj{@S4U@8 zolCm^+f&UHT2V@W3I|oBQK9q^_YTBiAJ=;oJJZjxEr`j8Abe)$2fKtu<$A5nWHorc zcth!*QT<=lGn98HzkkpBQqOOz?UI{?%_obpj(>iM((4Iq3~zTmwL3c0ZZaYu-e!i>%xO1SHs`iX{L+5- z8tuMoSnFJ8?1jN*|L16}RtAQeCtZ447Z`!F?bOIL);i+p5-m3#*75MW7d>NB2~q-2 z&uoULD@%-2o)~#A^p8H&QV<&gMqS;tF$2;mx)E^1jgq7rhUd6Zw-lzaI=e?}^-wSZ z_8DH_bICdSC5`z|`)xz*AKA(?_Xiiu=JbbaME{JumxeV!369kfZU zsNTAjJ)!fo#irBh$e%UEqk}95 zgG@Li4q&q&f+cxDhUO3u1p$<&mppysN2B?HST8s~VClfIK`;=LdK+zGmBV3+8=8`r zm&|mu-??bk#gRa)B+uVd(;0FG3mnKuF3XDw!q()Xkh3LP7O!Y=yFA6Ur7cDN*vyKs z*6+6Rc|d)kL0^#W1@8;4Gn1LiBdPwV*TX4jguaGK40izyXMOmi{>XL-^+&Uam4W!$ z)Nk%Hb;P^R7fEjw!SZAVTc~ z2+=&@GH8&o@<4vEFmux8=y-J8%piI0&+>^3klgrShtrCgu^KUQuF-r$^Bv8PFiR3} zM5iOw`9?Us3wxknhFA}g1pMJ8GJ?Ol49nkviNJ+{$UxmcJOkss z+Q#~ZdWw-nh9kACp1Lv?3UZIGVBJAH0?&yw&w#e;;uMJ-W!0fFWM9c;B`UMe2WKbT z?g1nlqQUXRER!H3lJttV7CInwD15HHJ^fgWiT zj4|s@3ZgkbQD5kB7p}?oTpsponQ~b&DR^AQ_VOzc0`j9PD<&GF%hq43Lq zb#c>k>A-VMODq9gH$N-9&#wmpYj&@;R!0lgPhrm#L??B`3JPK!lcEJ|&eB9}l|{dl ziO&2YR`Ty1URLSttg7lfvV3{^r|e_piZYKFWE+*;HU4Pp@)xHC#x?vVy>4t{WByr| zI%CPCMQi6o>*}I&9>pnqW(H|NVzd2c+1%y;`6I`>>O_gwZ66ffcC(FoT4U7_n1;&5o$3F46jcLa2hMu(VlhT0rbCW6kDeE#Bjowen z{K}(Ff#t>j<`vI#D$}dN6e0tQ+GeX{tL>hFvswB!x5HK`To4qmBekH+enoUW)uj=& z!P-Y{Nb2B0*dQ-H+{kzebiDapL!5yeAr*1LShLGtcyzC)_&F!y$M1Oofy3?37rVqp zo#VSjF6BIs(eB`LPDB(}2H0)--{me)V9W1>O=ichner{G)lwqPHAm8MK?y}bIJ38z z@bC63hc6eRB{?sG^rRuN)Tq*ltVk5`t7xBucX&RRDK-ijaAsyREEhCIil#Um3fXON zNdP9lV6)lRPx<}8-rrBzV7JyDYp<-M4d4UHpapgixOJN5Ry z7nKj(*G2+TWnPK$9s&nG{q&_N_IhdIV}+&s@YwdbClAftzJ0EA;oR*P2v<(%-22ug z%+}XAA-yXQiLfWXc>M7%9v5!9uVBoWg8T5&M?=}S=d2gn$uX`_Z^%^;tjlWeWVI30 zkW}gnX18DR#3h$JAw0oPGRcDnWm*Fd(4)*>?z$APD|ql7S4gfiu)4<3Fx559&y)*< zhUH2^Ni6RXjO^qHoiXvS@@l{EWO`OFLkOkh9gQWh zPlChrYW$*0t|$);D7Sxc*ygdwI>8X}1Po$fcw9-* zp5yFdHs+2NI}`4kFf-_wH_zcTH#;_Ltti+%X=zHYKPp_5A2H~wYjnnNpdez<6&C3A zkpXAmypCz^vDKnO?+zy--7nY;H{Yxcj}xD}U-1{!7dZCD@;93c$K=-=YG1nek*R^o zq9U8A${Af$HPhWjM1DpNsOM0$3AFw?f~1g{0#9vdk$=5&Q?ub|1 z@nA))!(*um7yaaoP)Y4LlWeAA-&2W-`M{p-nak?o+tQNH=t%HIwwkCoR+dT)uA z>9tPFx+j_Vw7 zipjdXw5W^cN$b~Z&9{%6n_socHF3T0(}cG%G$G#{wzIIyWW1XH1o{L#WxM%{M3LNH&-(fqy*=mW` zcI?=;X6CH!b#rI8G&rHVFB@DQak( zHJiRUB=c5%;Hg+QeFOdq;o*_+Ygo9d^-z)Gk>eq)TD-6>S_pL@SO?u}DlDuS+j%Jj z+U2cnvpd?xvk!B-^wOut`5XmBt62PL7CC$T__9*pHaH@N#%D>o2Hb|nS7%aq;alKP2xb25lhNbf@< zq~$&;GoxEVhzK{qQw{x?S4a<*&)CHpo35*A8&aJ`ZLC@5i`?@sGdkzgn5RF-4g!HDJ(n(4G$z) zoe4DU03h97c}sl$WvQB_3n#YDom+SGmYcS0eq`#po^a*LHB)vjudkmInRrNfx3FkJ zLqoJfoH6|ghTxBE;+{P(1cRY4ZsgD2JA6Y?Q8+xYB-v57e9I+2kuGYTF=Il5)1!;BKC9>_HsyRqfmDs%Y5}LJd|EYKW%DY2dQ5P&h(Duu$KHk>GOp| zdgs8$dxTrW3kKd7?n3(sW?_ZNdr_JVx!{ZTz8tAyLxEsZbk*zscHev3|PK2TP6z^v6- z(zj&aDsOJa{%S&B{0m*8M_+`YTf`3Q34wyVq``Tr74c5F=WRMi|0C+ zsl^(6F#SOh9EJ4}^rtX~*eW2aRzDn%sXGO>RWk6f5{D#4v(qa0Cudi081*u6bg3|&tsUeP7qts;lcTZrr z0e`>>@&ups5^4?QyCQ)qLkI)y{DiaVtdP3%j-c`hr$AO%EbZAICMs>WYRepbNd}`#=Hi7oLLYo)N9Q5RyPV| z`9T?RHbsNkJaD=M@&eRB{MTdVg3 zB?NGjrIISSRB}IHu#3e-`Z8-(T(W4H=r&gEy1c??G7I>m)+71^!6A5UC9Gq1`fkyr zH3(1|5KSWcreJVrWrM60L~EJTV0y}E7Ogr#fY$do*&^DYw6zUsG`hWl z&hLu`V*1#M0>_$|(`O79RV;MPbXQC%sVgYFH|a{2l>234m_d`38LbN)MSf2rSQj=} zoPrq|C1FtvyDy9QS5Nenmy1rfarfBHN|OY@=Pc48>T1k=fz>Pt^tb#Y@w7Xr#ac7q{w@yopHN}IWkZ5IATfm+#oyS~Ei>5G} zXtHRPc}x#?WO}2(>_$Xd!*C1A?M}ZfFW+8h4C~6}u@|`A6YkkwDoB+VRmEG1p{vj~ zuc*Z9nHbiKh@4ql&&2jT7wp%Qa#5+rAnNzp45FkP5BAmgVp~PAAes!U(B&;+WhIi$ zYW6W}K-T+gP*8C&v%z7oYEctWTP(RGV5Ly!L6||a-DNXK1_63DS`ogoS^{QMTd_gZ zK)7fB^LvW^?~Yk5J#D5mH3K-Y79=zsaG8)*$57`J((+L8}*R z%wo|>78%S2v&f_qFPZavUN5wgosw&MzFp@u6nZg@F-Qf$JjPlqnAT>8$+yU49~&(( zm?fh#9G(_(%c8|rruCb>CR?Y~VbJF3wLz<>t*D#m+73nqON~Go@4z!cla(-eoS7qt^M2llM%VB8O@sd1zLi$uxb6 zxwx(<--Jyr>#r{boAn?#6jks-(gumbO3;fjF+zg#IJjJ5EG~s;hxVzVoB>GyCW3Md zjNc1D8?kVH3INX6>C+Ph&AaY#RZJwklTPXV0;el39Q2Cj1 zge~r>z3I@!v8d!+yX%reeL+?wzWv5e7me9;^T6M*p$l`K|6=Bx{o5v8G^NG%o_LrU z+#NIaOv-aX#9A_Ia%W4TyvT^?ipO$kuo8Mx>zTFax>=?p!c8@8=jg1Lyt`z{9m_kd z7AF74TlY=;?AA|Oia&XO#-GIV8N2ab*F$dxCN;Epl<)`NVdlK#_-O@+GOZ8OO9aIr z3oqps|LUt*JcsK^wrQ4QH>zOs}dgbKzHrcx}H%z7*_M6(X8Y=uI zzfNbj2OP8fp|C$$*|?;tc*3S>txH>?))KGPT^g?oR#paEDwpk#PTq0Dv3I-do4&{7 z>!;1?*{9wpC+TLe4F>gZ8Jz1L`MQ7r3%N~87KiR5gojPFzG~!x2~DaCxa{9m*6#_i|hsOfR_~z8m3PhD&*%=HqeEWa1j@gH#13kShUA zATH8W?Xl7ASvwq3{-`VbW92^$us~|B>aA*rEXMH9%0Cv?m5zfG+i7cAYV9=mh*G-u z|J(lk|HhyRQqC3}P|mYC;e7m43gHartO2Ku-Ely9xO`k`p`WETY*12uv727luhtc` zWj`Vgk;X1CRO%aWn?^lD?210i)=$#FE;0$HocxDtI7fxUQKg^PModz~7{oT{9@xxl z@|rT1&f*P9FHi4%uWr5V%N-M*x)%*>AklyNd(BP)bV+!YokSJ>7fVC~%FxL9tUtyXj8)b zOyANw-um#ZJC>>^wn?%pZ(D3ufUodT5kK$|dlIK&TuwCN~?T%!?cN-1)d+ z+%wA0pX&M9DVTWey8)YIY`JoI|D6=}cH4{0d0U0U8CtmX@QIr*ykJbRRrhDKrs0{s z`&yL8ezgw{2rvHe%l~!JtE}M8+nDbcd$husF~zfgx$Wi?hwGfh)>5o#m0zsNjLT^> zVqmS4szB&8-TIL-WGR{B(Lz|0yMpoLgoc*07DwS*+-{F)29lJ-rJU?rL%uMuk_Aoh zRIj!h{D5}orfD$i%R%rGB&2Bo535)vaCuOjnWS+40@WpQB?t=<*ap#b2w_rW9Q82J zgF&yh8{RZJUW1^y!TA%}oort@HdS}tv}UXAS$BaSE}$JhZ|bKC^*`!@7uiR}nUBJU ztn1PKfHFCq`YtnmS3sEPhj+dX`v8~gMcFBa5jo zs>LY36*QNB_q$l&r=at%+apcUT!9-<3o7mAt1A|O0SF-OWNi#PBDk57&kdytM32={ z8>>VRR@{RPFcnzrVjdK;BC!@m-yk!fwZ)eLWa-1)%ifyZkdR=qP^ z))sB4mVk*1TDOq}aNmI|X(sqkEY!JLIQ$S#5 z*-;#7s$UW_wS}vT4T2OXU)t8Q+h~J$2Y-TWGmywebLt`OKjj(VHxtyWhPCTDNWnGH zK{^=J9y%6-1fmnvEP5K9iEf20ehKI|T8uDJhms6oY-IE5#4Qnl2z3mlZ_*UDl4UF$ zRghLCFQ5T5B??8+7)hj|OnjsYvzYU_y}~!)S}{D^<8^k<-L6N#$3mT>$XfJt<$rG4 zFt@t;_4S)pfHLe=P96S(@;j@cm$ActU{MyEe!~xywDP|4_qX<4oqCWhnLe>n(pqg= z?bZKLRaq&>R-<|Rvd-=E^IZCJA1dZvJi%Wk$pL>0Td=4uZm4Yt=nG2P+8$X{FxFgL zaPemY;mI~@AQYYy%)i5uFT)X9u~jxLU(;O@etyL{%km4KZt1>xveoy|VfA!f=k@!0 z+B$YVyKx(nQV(7+J$a+mjASHuavPz(?gvDgV_#zDS=k?(*D0dVs) zGNDX>nGP>k-y3>ZLr$R(M^eWhYQ*S8S6{np<)OU1L&}pkUdBY>yQ$QTPre|Q4y8YH z`0~py6DMAF=AIsrPudmgmdd z^Y7$b(|b~izn`Rh)D8(}y5`^343^*M-mBq_LUaBMgsDIFxN&X(CY1H3fS(GP}M$g3TJp*Zlp= zIa}B47~^{tG;Y~E^le^Gr13J;_XN5gEECr}|HyMnr%SU{=}482VNG^=^g$o zg)@HHKBBbj_jnra2cO})*>{jQ;&0;60U3KRlx`)@bR6YyJzW z_u21ezb)Z8{ditYCJ*j;SsGrCB=TBtUzvGVKs^O|pW2o=ccUH}{8pkInSRL6_%oy< zza_gqaV;XfgqKC{=lrPsNH^0n3D@+D(pcu2?(wW4n~v{`^vf+{v}>wo=2s7YV;V`+ zNT@?GeFya#M|I28FO2js()kZ%h50X~wlh<9KI%kmRL2#4M0LzO8>}@`}U<52!UovXgY)~5qg29 z!Gtu>bf9V0L3Vgl)w}ho`qir{YUwQmFq4E#CX+$Ld@+u3WSEE%}f^kSXTQ_%-e43O$A4!s~UNb^Ghi*7ww(Yna;5-|#}??#3q@uT5Gs>BY%ClfQY} z@RY78r>A^)d*AJ6r*58ld0P84b=rk#A2-cy+S>H&^v3B=Pyb}bp&2J-dCl`K&iicsq4`hEzqnx0f=3p-u;7D*Eem%q zJin;0Xw9M*?y0}my!X4f96M$4%EhM^f4HQ3$rDSixAwH2Z#&v{t=(w9+A+Cfd&e6~ zXDnT{^y1Qwmvt@sN@uKdXXp9lEz2+9?EC79BP(8CId!GH@*DSGT2;TwSoO@Rs}F2{ z;N5Pc`?>D7S6^7uv}SnCwY9OeJ!@a;+1qnt-7~#T@7oXdJa}RKo$FuP(7WNxhRYki zv*EM88GZeI$NQe|ySQ=6#{C;#>hJ5nvT4z#OPfB~tZn{aOYfE|Tbs5HY`wItXWNBs zH@3HLAJ~57bL~6c*qPaRYUiiB`gaZQdUbc>?)|&Z?f(9r?mYv0PVc$2=e@nHdynqD zxG%Az`@9ls2K<9zs1J@3AAAI8A$Hh|dl|yr-l=P^)K-T0pm3HO0@}hFH zWbpg=Y5tCyQ$6+X%7yYX8f0)yl?ayCylqN z-POVB8`Ya;uQ_a?!s^`<(sJ;nBlyIXj&5ZoT`Yx7d5pd&j@mKR4Ji zcxI?&=&Qqb4xb%aFxvG{>qCPNy?Lbhho^ zj`tmRj(_s`*B(_Leebc&k3IX?jmO&`cOHN5MAwNUC$2wn{tHLHaIN+)M(`Ua*mUeV zEdCfiB=Tb2_=JCTu`@7DO5o%G*L8)N3YuU;?Gepz-FJON$73zH@*9>(U}ZWS(Mh~b z^L#|7Q1_LHPNVgABRUgnqS1)X#-`Azh{nFw^g={miQ)HyBKljgR=SS8+BaZlu;$nn ztoS(IcWaLI#w?^BsD7NgC_%1^V>8yti}9&_zZyHd^O%d$RixYTDPyNqBPL-7?OwFE zIkp2Wtj3x4N^m=nw+_F1vK939fD3z>*h=&NYiB1~b@;ek=`@38Vrx>dz3^;mra9Dtoj&J^b5EL23uqxN zqIU9^H$V)L8(=zd&We1N)XHDb(K>Y;Vii+kJa zX#@4qM(U?cw3)WhR@z3}u_e_Gy!^Nm4;}8NJ+znh(SABW2dPMhNFtdODiJ4@%6Onp zrva*vK~*xzLi9QeTm4?FjvR8yBcBFoh=yr|M)6eE5qg-8(lI(tKS__!=jl;;j2@>G z^aSDO59y2a6n%-FrZ3Y;`YAjY`O|coeukdG6NS&x&(d@BbMzJZd3v6Hfxb$=NN4D4 zbe6u3jkSIWzqIhn^dkKVou^-=m+05%8}#dRfqsL26VE1olYWa{rr)ODq2Hy8^m}xP zejks+{sFy0e@L&=AJJ>{$8?3hMX%GJ&>Qrp^k?+v^d|iUe)#Y&>23NedWZg+-le~x zZ`0r6LDave@6bQcRr*J|M*l?LrGKXD^e^-t{VTms|3)9sztau+9(_pvK_Ah7Vq5M1 zqL1mn=@a@N`jqhgB>gYlq#q!@;|?^=(Gx7mQY_7|g%-=&0#IpmbOKFdz5xW>Cz}&7Nwn0x;#p|qI5-+ zt`5`o-Y{Jjr0dX6vTR7Mo2>e-uB2QpIf|Cy<{&pLn|@}T3XP$>oKd6a(LAmL_FNFzl>cNBx8Pn%0# z+Tp6hT`eO-2^uskrIJt$shq=LO15U1+|3PIhF|4H$divq(Lpw%eLHp7QLGYA%TNc> zxF?kp__zt#vML#Is7g*HX*;^btECilGn`=%7yhJIw)JON(vWRD-P-< zZl!Hq@qCA;Y;G#Lk*i8}QOL@jlvEN8Lc@@gmvk@bYLdf~ipHTKF=2JC$L*plDU~6~ zDb=YGR9NFOH6kIDp0p)^0Kl;9v}!q`cp)fWV}h0bEpK3h{9RjRIRX@t2msSu4Z|4QMC{iSyT+EoGh6& zQgR$?D9~g+Bm*fjA?@3_kO&YFs7T-l;<)-KFRH#_6e8NKN`}$MhZRGrN@HRr%DU<$ z3@)j#5r=2^2!Mv!$O=L+ESDFcFH<+mf$T}>)8rXNGPqfioRlM(C99fNtZEhWovKP@ zlY6oCTYM2naRN3^8v)ej_Pa18?w2eKu|dy4LDO9YbtCx<--jrl{_E@ zqY(-&#U0m;Yo$^~1{$C|Ga+-s$SXpvDirJSoQ7#EhUgARVejdH^6hMp3WZDx!CAb8 z$jK9Of(9BUWcl{QN}?I~a7*T?AqO_EB|XWlxG8v4=qxKcI#(6RoJkz{PxnSq40YqgS}6 zp~142_2Hu&G|M4_Z15z&t1EExzEa6z8X*tNw|idwdO-I&=u?kp51g4uH^t~I0V(w0R`i!MK%Eu#E1}U3CL{$FlFGs zgped#nB#l|XHl|HgSKFVkN1FAkHfcSfOH3QFTo?i=jGtrH8@S*kTdWLnCCLD4^$k8 zAwpLnWJ9E;MJO#+OL^4wG|PqZdB*j1Ps~_GfJ*e3QV^&(M})E9l|`fs!igAy?CS=s zrJO-!Tg08LR7LNSsqj>lmnyoKSA|IEWq?C;jyRwNdQYgWDxXxcd`wgka^fhIIe9`( zh`$M0z~2O3%u4Q7{d`CU6*D0%JZjLsD4H&Dw}P;dG9+6h0Z_a`)sn@y0&6Tpcn|QF zJM3FtC|W)w!+FMNO%sC&%O(;1jgegB3ZR(A@h(v4uwk4V6nu^k+rmUaVs%XEOb(?rgNiIUkfy$G?PS#D#E=2L%!~6(5M4v$3@^7R!VSC zQPd7RKmd>lIUztMWC;f~zEa?zG_PtbODL|}kped1GIOC<6^abJsEg=$8}P2%uI?6Z z1*A!1d9|RGD0Z}VV99``pAagANCtT^+SCblATwidEN6w!2#El(5K#%ESvGL% zqA9f8)}9MPzTia=hFOcq76RlJQUG01dU>4tPP{DJao;V)b<>Ft*duYp9En$)p}6cR zVwuddV>a6u_#t@&BHEfH!y=0v?JFja<$7?ZvhQ(s>JMj$Vb#^L10OtT0w=yla~(^? zVOe1W(bSiD7}_ExF^p->ibIe+Rz@f@T>@^fsD?|&057E^WOc;6oXt-w{|xNk!fAHp)%8gkPx zQ^(RvNf?Gd3^8?C#1^+QVk4+ozT+PD5frc-0934$3b$9m zrn;t&tDKk^2q?&RD`y2k`0hYi5B|sgkNw{!CZ;6w?I7|^asQLCo&KD-h^W{%)BCmw zzC{Sy2m&Fe$iV!~{(js1-_nZ!^FT4Q*0=j+z271P0Rgi(Wvjh2)pz`6U^^fnAkhCS zBvUJQlW%qc0+L(<0*X55#~ku(W~^@n0+N>c?Zfmfb}+30VzY1f%_hI?|MHT;`$O%T zSv$FXvy1N>{U9I!jI|2{WGh?4Z@-M%?|VLifPf>}BQ>2_>$`pD%`W}lSVGWEFkBmb zYvXS=`W^dU{#ITv<8(V)M<)=FTt*NOm{$-Gq;BRZ$R1Z?gYWrr+V5Dve~MI)Z~gB7 z{}Y_#%b)okgG?y-f5(7;Ol|Sbxd9FJjP&$&zztvkNO}g}VS{DO)?hEo0f^5BJ7&{;(MUO5E?jpdmFzytbK0qntFzxZ*$3z%aKL=^IS zd!a$V6kt$5zT>Cjx}?D6k%EqGd=?2kN45tkCrk)_dHW;P)@dlLs$sQA;N3wGB^lqq zkQT8Eio`mpB=5nIsw2@JN+U0pw%KSQqgf61gF6O;ht#AJ?Er_TDh0ZRV_}7riYa zW;2(tlo%G-fVqAN5Z85s5CbJkM9z&SN0=L?qPGt~LPEh%WiKK%hAE_cgNRw|-FTIm7&@6#pkFa2B!_ z@Pgn=l~gQOT2I{2jk$;U4kc66uuzutbNpjf;xqgWu*d9V^Sv^lUtb`IZotki7%!#6 zB}Sha$Cfmnw+;39F(c+TBR^83W)St@+60I-2#CSZd}#Vy!tiy<&^>zUqGpT5@}dgu zixrF8ETDy|x3#6}$8&^r(}zw~Q?r03k>l(1{YKgtDQUj<*ELj{XO1`D%zdU~w&V06 zbW7I0TSp+G>`|-LDDoa2(FinJ=Mnnl0Hxe72bjLM3 zz7xD&GCg`S_MIH~JB}uvh9y|M{2O(RLzgz{9`xNPg-;AaYfGT-&p7e0c0v^5YB+bR zfHXM$l}oMIPmm65SrGnwdjnUKe8Ikbr+r4Zz|JQ>myjpWQ9CLI#6o8I%h45`4n-cH zhxp&o{?MREF**)xm0`%zAoba56D5GX+J9$tXeqc$(c7=Ul|~XKZk~;>&dD&`R37eFaeR${wNpZxSDI-t9^H~at%iM(k z@Fc|HMql34N$o|1Ss!`&*W9NVwLeXvkP)!?M(nr~>WiM;_w}qanbyvrtr`ux>hlxZ zW0`5&tFE*wE%t^vYA5Sh2W@6MMc#CmEGCUD7oJo|bPgEG=-6QkCybQ&7Oxl612JJN zUQ8t{M;S!?F0F@GdHay*nz_a&j?!<*$M3ilJF(5M=2rURf89LYGXHQFzkg7f-qMpX z&n^{5J!tuk)tfo3k*z#On%SaVPxFj%3qMpkUZ=hRdo(bP^XE49l6||LzPjY!D|MbQ z?XSdIYY_^lF~pDQ$oEh|St}G6r-m1$LsZf2rM-aO6@8Zqn;JFC5vXV66-}O&Ji8w& zOZ1PMwsa!d}}V;n*`hzMGS8}qAY zreB;u8QD-w9V#*B}NcMi*tcb~JroNW>RUZ0ceD8Hs^lm319Tyh-PJQ%cL=D3MF!9uk`kBDls z$M(aJ%+~LhRoZ*K;-^?a%#BGc`&4|WFu?4cP%i;)6;6AGW)Y(vRi)-`e|qmq74YDbZ8tsVVI69C?kxO}fAf19NqOS+sy*}%&aHA^ zXg+Mg^?p5}n`p7NXokdTW+(7!O(j@m{_9KnWuERZ^Lyv(fg|@iKewsq)qf{mSEmg! z!LXW6_0vJ}#{USz@`m_Qy}odi-K?M8?43fzZm`bVFG9Ij6e>Pd_<7+;<|st*m8+yl z&$%AzKp@+*^ukW3oQdM#=2a)I4aRw(sNli)&>X4LHPT(=>}Lj|n4wnWrxGu18!sN3 zzn%9uCkcIK9CWq3O3U(TXZU!#^OqSF>Z-jUs+4=pFd?^8(tsnc%RnkYzh)`hQt#!tZHn zBN`2IVVnA$vz8rg1J|`)3s+kvtlH`Fv?d9j-qs_L+d^EG`~)l@&A6mBogtW0CV&}G6kIl zb+PR|ta_F~b7RMF#MJ&Qf+WNb6{s~$R*dWjt-`1^`D6w(nMll~Yz3DNKyqnnf7VN!?6-L_Ga0P^o513Ave z$Lj%59=QXqq$=NKwhK3yFDab91kqm+wFyLm`cVoi&{9PotCu%>#r`j4$pU_yn0w`g zDG&W$S4?Vd5qX?{a2Ye`g7LxSM|}Y+fUmyf;R;wHK{^R!&G3_cXlRh0r9Go*6q2~H z%spSMzgQ`h&Vc&iUOyUrV)j$f+G)5< z_QlmQds0MIN|VdCBM*;R0@D!MF%E>+yoK#iL!=*;uO2LutTe#nIo>FYTUy%(OMx52 zQ|E@J)BY|`AeKqRH4ju>I?{cu9(gkC+V%hArjMOiEkKyEBfaR%IPG1q8l9QK&nVt`h12_1bY zXvr&q359!4Q)&ZeUr-;g1M3Q`q$t($v2P%_6i&q;6kZsAgp^$xj7D1?ocDsn2Xu9; z5FMgnGy0*}0(2a^HnaD5Pda8t;iFu1n}hCz_tQl#EjpGG#cba|i^G7jsH^r}Wn`*x zWnu2ODuJ6(_{cBb-|BMQKU(qf5af@k1v9(wudR58V_9ELWg7VT&Q08Y_U-=^4@h=2 z$<(Os+cg7_PW?sE)w1t}&(brdH&N>Es3$% z-8s6K;EH-IiLm`P(?+Sqw){Ll|M72{>&1B7nwy(y6ABXrHxW3->4R&}c1c5PPA$!M zXV)dHwN~zNqC7WF9w+mlpST%R$z6=Nw9%`$E}o277KD9>+7AbHWU^IytffrxF=evK zH1971Dtt=7#L5fNFgJ!l5`7xMOu99}nKuNF+KKo-g3JkcVA&s`KzlTW47})I&8rXn zpRd4=af3A*HatfEUE)h|T`b|HD^TZkc<5c?l0&cCVUe9=a56O833XVeErU|!r%f3} zA&M7WpySxlxjnM-K8w5!ktSpyTu?!1ZKU;_g!>NDy1bz5I2_MVyF#C1d*4`)+WKwf zC+a~X9gqjAsmG>6M`rG{KdA&??d7rI`ODp}>}TIx{_^~%KBY?y+KYDtH`Eo>BVlXv z=HE3v5mKN)V~w`g)?>Mj2yYSoiKf#)QM6+hb3`QVi0UK{6ig`!h++?DEP-)eUJ@2^SHpb6Nnx(OeYY+~C913Igw}B1 zubUInnT>)*e*M~Xn91eV-1}9W6KuJK%`I*3azzcK8C@wD4?8Z!#H5*|uq#3=JsvFo zs4QO9RgaTd73;!Mf_p6O7jmpdU+;!l$z5jEd=gx(c2b3LCPx+Ubm< z^US@;P-cps!f2K=bqI(5TAm_;fbF`Q+ul>bnwXf4u6QoGoqc@gm$ufP|A21dN9`=C z8eaBsnrH$xMR=H75e!n#&)3x9P0q_%3knMe*!%o=eHqn#973xOGqshe)z}ei6C z^(qV9h3GnOHGe^^^8Oq9_I`aNVajx_(i%Zn20@~k@pOK7^GyD@#I&gr4R@EKovcQL z(VXsIb+3DDyLRv&L*DGheWd7?(*vF#29?v=*VWcpD;g2k?Wt-bzc8OWY)OL+M2twLpz+k6K}<)s;7kx$`K4_{YpNN5CTecW^Y zT8^2H@G0J==pK4H`A3Z}3PU0UYY_Qz_Y0I`(kZCGQqR4Q_iI*?df7gj$)(00= znzdecqR23v27^Q(>~MiG6I)^=B2DBcN0;1|N;!>pIZ%WTZS2x?jHFCjH~1F?;4+YrG|d(~e}#?&z-cEvQ5o<|s5p9d=x%imfjD zYxw=i_L=+?+>BCpla~doX|q%>JAH$hAszO z37;b{Rur#zb&@fDcA(^vP;fkx^Mb&Fx9^g23~<8g7;4#%|A*!?`YDcDf9j!j*79pSHpKBpA%>qDGUN2_xSwnOQ-vAe-Mie ze|AVX?f{l;T69jFW^}_KiKNh49MTxGmOw?n)i2^Ho~xd9G7@xDn04qb-%%3>dE8izwhTPG@xlAGqNL`ZmjzWEXt*!w zLRUZ)LZ5^PC>kSIf}b)NwB4iA9FHyk@x z+WW{qOtMo|q%c5A8(z-Vf%I7odZrncCJT_7wpg596djb}HtVc2^$cF9`K<69=Y-HA?AwrxDG`z!~EL&{(5AG|Nme<*uioVw@B$Pwvuk zn&b}j$u{$eg(w@h+~?xxR&nA3FPgqNr6rFTi{^D~6WIt~-;AdLsO@z64y$;|`fL-YW?kuJs z|2cBA!VR7r#XMQ5)gk_2jn6wZ#*< z)pYZW`3^vAASTE>$Y9g9Xk-6RS|N*fina^ap}pF9sy~ON(Mr8Zyt7(%PyuEY9ssfp ze(Gonsf@Gj;4!5ayb2*S*nk?+RAZUbS;8hyL*vqyD~)OYgchKD1I=$ZiqFwO64cX& z>EU8^15GU9Om6t*PPC+Y{I_^%L~`;u6!FUdOw}bS`KkCLlA$hWT{R8-HqkNmQ^Ija zVih$(2GrPD;^CyXX}wstmKY|4)n-^T9n1~Gqc}C-zGtz~zMM<#Hte+NkSkV1X!VEF z`;bN&=NZ7|-Px|w=N0D`OvljM z^~T|Z*2Xhvf>fLo3hPK3TEu8->-V<#D4|sW_czr}10(sO!xmNMR}8Q!LhSBUp(9O> z_BSLG!7G7T%f8{ik(LgR#)^@D+xVwn6xRGrZ-&jU!fyVkwqN5P7&bzYXTtZyybR`ec9lsTZd9(tDP)3kUEF0T-9#Hzo4Db5Jaf z-$y7Ij#-KwC!<#eHqUV+9g_Ob$gLylrp=_3EahuN<#sdshp8kT1OWl%C#AF2_0z)5 z4xrUZ(WFHI%y<&rMW9gi;m*pZf{Te`fqi-2f;7~a0InJ5>BL7Wy#HG z7p%Ka27(jlY6{SMJ9VI_jK6O<4b$L);;l&M!EM9VIbq7iGzwu_|F9EvB-lt00YD}8 z2~8qM`I~1zL#aWGIY`0*>&rb&{Brcqln%Gg%>0tSrh9M91aVNd!}+S=`S7O-_icw5 zmzsG6F7nFI5M>@otj!uh28>AYJaK~wB1XPwbd42sJO> zxgyMox#;;`kAz_)Ae3C;YbmhXsM^>Bq?stfGu67_a4C!jd<~gi#3l>#WBVunS+;EP zY{&2y;>6{==V;-#=#j$kz0=F*4^Js6ZJ#l0ZF2B!P)5r>OB($ zxpK~@R^7IE2hJWm#C~GkK^qKbR@p=Q4-r|5tkw$RtnKI?30#B_(H1*~qER2Bech{f zC2opa7MV+dtD)W6{@noxB-d9me_rr+2WfK17rTmyhXIOE zpp^LvN^4gN&YlZ5kzmH-&-5#@rJkNgAIL)_iS$#3yxJl*U?R?NE|dx{54X5J_&d%% zBa%%keARe7)~-%FR|r?phgcf8h&xCcQgj?96g5NaCvM7G6B0sIXrC3E7Q?!0|6Cn1 zC=V$Za$xPU(Z#%pI_h78UP{)$AYa_P3cqoiR$^;3J4{ywhFCMEk}6-lIdiU9OAF00 ztu-<;?-Yg=@uZb+zr~~!^cD3zBo}p6_AT z%X`|qD^V9RCt=GL_2cZIPilhe8vL|qL}a9)D=Zvv1WTcuKHiw;8c@?nlu^b|(xau7 zDod18Z|7p!QdP(OJ0>K52FcgDA!la+Yp)~{l$yYg#3WRh#HGBm8UztlEc>t5EO)Lq z?oB|)!`aJP*$ccpAW{FFo*IEwuz2Ef)aW&*f-R;s-f5njGX-~yg^O#De=XkDWQ=} zxy-#tr$Mk#PPwQlELhTVU=EKa`|;7@mfN0SX_}F^PpV^R`6Stp!Bd#1X7!596cZdH zMUM7G3&TmY&AvXOc^*dK>JK_aIi5WkJb1A+V|vX~SQ}G$Njg|~ihhgMjAWCmEWecLlm%TV*sKSQP|DBI!LIyy0%C4$L<*T(i26{j=fEAHFG z*%)Jw2?up+>GN@koGuTJz)!5?4mNhAh`x+;1`M1~9jqY@38Ey*tA2&kN5oDT+gVp% z-e~>(6_Bo)gHm>R(t}y$;Em|mYL3JoTuz61jo@fP?zx9XYh~20MG76`Ra|ZG%I)F_%NqIKn&ff9v?~k!R~CxazkY66E5(lhB5UMs zHvq9~3keq|kPM#DwgYTuigIOV+)dNsc-`Di*|=by6pirs@3jX-NN(oib+^oI%s>s1 z5#%l->&JN&1+KC3r!apAg5PnLy|x-mW6M9vScX-&HPTu?2|! z+9@7ZL-aP5HKc$IPxy(YF7lSpV2`zn{b8UFP4qGSldoXa>Y$xgc7TsbpyV~~2mZoY zI@`kB_q7)yDb$ZhF{5<5;?v6cFjfy7rl#!#l?oY66v}uuJ3qPmtSZkAx%T`ubnJeX zjflSW&UGYDG_6oi%X(cGvpS8#MRIJ^K2`?7_{tnNW>5S_f50g#Gd?&LOG~j4AFKNy z1WGk#IlgE60V{sNz-}f2NYF@N=9?>|(n{te^buinJ@6LM%(9I8e%mtUd5##p^#=W5 z!C=;7ijoDI3i-GwIy0~l#@d`mAYNWrQJ7N|*^|8d)9PXpGFWd)65SCgV&tuC6`T)l ztSXf{Iwbdr8b8KSf-KQHh-Uw>;0W*^esUalNxt!r8(g<*^40p~x zv~!W+sC1b>kw>M^hkC@fOsI_DcfN*7kFjW7w4VIIvIM&@GHm>3Z1Ze$@@;ZS?X;Kr zb|-IYk&Uul?fj}iQDcg^*PaB^1~Gr^cnN?|cBF>jHrh#A+=;R##DKeJs16@1*Acno zWEAU4J@-Z@|FrbIS$R-+QhDChmJG(<+c`Ksnt8KWUdqB~p@hH9P*F|<4UfG;oqhe~ zd_E?YAeyjAloP*bl70@_ez1lF?38(g5>w z&+wE+sF#(GTzAsQ*Bl^yZTM5+HhwbqaPV?(duZa}NoFa!3^;XgL2f>Zc1hkQi6eBC z*0_fLhMixHs;&`(u2)qV3kxDY9)5O)z~n7oek`=4mI@V&!}Gdhlt=4bM(^)@%T34T zrz<_dH$7+(Bve*duTU-1s2Z+h085%<-mp*&eE_%(;=rw~5B6~e*vVi5UR_(ZI@DeHqWz%cys zcFi#IE8aYyM=h+3ACa<(IZHB%dxGavB+FMvhRh6Pue2Or2>3wP(Rr9q!%YVnF%g7F zVNV_Y$X1chskLmYu53??@9x@cqsnU}=yKd1V>&?T z9wnTNYo4fOK)e4f{sLp|FsvBsF7smcak1Qa)=4TtT~oirQGugpes?#dNoY~`M!aeI zTIbxdFO8(<%F60i`(BHLH_R=u8obC*ahuoidW)sS`S^Zwy%et7+}WoKRfh_#(LAfk z+4=n_1cy7tc~5s>U;quCW+1V8xApn7D`5=SJ+yPY&c65Eq|Ssi;*weBIvD9Qw{(Q__|$sNwf||j4Z#=kEq5Tj0HT+To=vv zqry_-?cAbpo-P-y`$7{5EDC^_dxIGmnCnicI>RSu_E68{U|?N}*c}W!eN&v)W+#n5 z9U;|R*ZrK;H&;f^yLZDIJ9FtbU5~~^BbF&b?m%QJTy(yIWDaAaI1+`VS|RXU{l*(Z zQuVXlz+Anv80g3FAzauoxd$>O;T@eY{BdpE*M4+&DSY1GY_{jBKI4Sg26pVCw|2ZF zZaYt{yhnZVRcOBlRj)US-15=cXG}Qbya%i8ayZ!!DuZZpEcbwk805HKF(!Haa_bm`>Sf2SBDwDN3b_2#=5}q3KTW~dkd^%->O61xm;up zXzN`7zLnE$E6CaM4mWe<*nNLlqutE+ywvc}*0BHiKp#+o6jZuO^-PM->mXW=c2X4b z$JsQZBYx;1eM|wEM9YgA#$^%`W52r=trmEUs}0wVKO805G!JzVK#*aaAlYo8K4h?) z!<&44S%nyKUe;rNz5a{Nu?tm95BCNm*8-pf8fGmlHoK{VoYKk3 zO2=_?Q+qNxVdB>!3H+K1H=koRYDCGnJt+u(dr3)M-k=58>qd3lg901jzSsf^{; z+A7h6Ala*_r$oblT#N8C%>1F$swH)XT?pIl2K&NAaf_Irl{dD4Vh!e_de3O>yngY~ ze8U*`m`*Z!guF8ksH?w~__SZ{v<72e2ctnv=D?t2+|ip5lFJSz9J>GuybS`4N>z z3N1)({5uLS(kG5A?-eu~}4ZkHzmz~wSV#&GsniwuEs$rU!Ii@ak9FNfNADGD@k{w~- zakA61wHK9U)P5AG2+%>UV1h7ccI_@-4W{Xu-YQ+ozajK=WD?FUtpgq9x7%rwt7L=K zj_ip%?&>_THV~*R!l7ZRDJ2K_XtO0oSnNFj;p!IAc~GT$*^^xrS#L3r9}H$ACX@Dy zFrCn_OsH*}n@XsRd^d}D*ZsX5pP)HMnoToiJ+Ga+6OL7YJ$rvWOsmc$tog0!Wzi_p zzfLE?Jzo0v$0G~xlEqvXE=-lBUh%u1s5?9!FXLk_Qq`aLzyTofHugz$Rsp z;h_QN5+%ws^A}K=k|*bg2GyC{8MdQYftKqP7Afek}E8lMJ2(u z@r3E_QpQcOWaA}Mb}3GCA~9pSKvwBW`H(kzjj8;wXnoV-up<{|*nI2E1xiR7JJ(Av zW!d)Rfu4DQxRXHA*CT|&K`CZNFCNmrF$mtlA_bO9b3>JotHWN6+&x3ZZpy(N5?h6K zma+U^b=uET=MQPffxkYMSmFezdyM!5k3}g`dYPWTFdG8h^&=RZe`lK>Yn1U^aQTa* zyZp*-wv6@Ui2|0;sZ0}wG1IRN`ZfcmSRs$(n3G~~9x(ruFhj;m_|K7x$9=ua+ZI6# z%a?)4Xu|lcY^>LDIj7~8u4NMxBc$%Vh?2Cc;Lj0E)@t(M>$r1EG*2G%l4tdVdkFpr z*@%Wd)P#NIe=gMt*GXqTuSt4r2W~flz2DeD_{VO7z2EKPUSGky0nbrWr`Y7ro0Y;* zKC&rGmt~D8ON$^}Y~5b&G67FU6D9wmG5b#eYQgkGn6j4QVsJRRXUpBRLS=h|pBQW+ zjag$s-M@q(Yz8qI@uhjJ0 zDms0rY)->!9WtwIPY_Z#dI{E4c$M(p0^HxdZwn!#Hvw|3A9R~f$yQ#YOCARB+;jvE zkzd}e*|dF|DF-7yO0ZVai>8^{Y~^Q=?)~!c(WufZaCZd~J$M8dPN!7C6+LQnH!RVZ z^V5f`WvPPiD&jU>p~Lg4yndn8DK@mBHS?H7ayRSF$kTQl>H8DovY&u^9v@*0!f zJvmouKWlesFYtnn>Bvd4Cy_;?-YJc)A_xG% z-{S4o0bJ~~@;sgLbxjyZg>JbKu6a#i=lB<4D&YPwhnW);y(_M}0eAf4wrY2WJVZ1u zxr*D6{OjQ6>2e}HWAU=6WtfW{@;0__GHUAg$3b2f13&i0 zG;_P5_U^my0#6N3Ow&=ndj~w%L>?V7j^bxT&!f`T@(c7ffkC~w5e`))<4Wk%NqI?t zKz6T8@bW+K@Wi#f9tr8j8o8S!k6gu)ldiB#fe}OR}WJD?3JleQq%G8(+tY?yCfZ4nQrfsk_4N>cML6j|u$yEz15{*>ysLCZaD$4TmEzr4wy|cr&)_0eI=7o0w z^kR=5yCEI?fl%7`q{}y`Uq}hWQ%X|xLKShxPgvcyl~~)#xHe}|=!7upvcySVAv_Ye zI{=~dputf^!rR>_jDtT8|7u|%lU<2alZ9a|wHhG!yRv&~o&MA7Ith{q$-Y>-S?{+` zFjKVJ6{by0HrK`B7ttK5iq!>n9>-PAVP;<}az&co#>r%Uh6S~rlM z-zJmjq&*)Sa}6Z=3iyiGM;37jx_wH6ff~|B{(GpC1zQq|XV85s8HeH7dV}?CqyfM) zE#NhsmNJteK!E{lbZF`@w6l%kw}@IO=5zanyK!MZgBKZ`eBzS$id%4xyv{vl!IYC> zmZXNu_4Gbw5>l~3wzQiiY0IzaF7~k?|3lNAmpQI;JlSpura8CBYhoi0UbA|&vvhcE zzf!&NHJlD7_^6pz_$a}Bd%8!ybDb+F%j^?wqDE)KLJnd2(UbSHEkM%qe6J$K_bF{} zqVRG(r)W4oD<57io}riQw4dnNu>#CTNc zkf>0>$1_dlUr zt*>ad0B?KKqmfXf#!IaP`z0(L4CK@`h}_h>daV%FAhtzElPJ6e`OK2yVf=+61>ml^ z$b(lmF@#m+RnjOSKhFk1FNJj9{T!)}NEDBGe+B!6MKG>g08?U9t2lVhcA{FZ%a377 z)=L&!k7-zOH^osC))=c-tkG0ykdjaC%s`4)}oFrLsJ}@*e z9Y&P*kuZkwCv?BDxQn8(7oefnBR?upuNf^k_46YkfS5F*je3*}63+piTTRsspj5rp zPgm@UWnM_gSLZZJwm){@a$15}J5hMYd-6?y=TH4Z-{DbNuZ^JKig*OcJGpg2Ztz>uHa%p&yb?+BQ6Jl?&IQ3 zSirmRvw`6dbF1l|m1zMDU)m(OGN(p!EUm{!lAH_6W<0dyveQz(yH4>q!sYCr9=bO) z&G9Z+>r=6#6Xc{& zl43l>i7HNd9jyt_t=}UQ($)iwyJrX>qRF=-&tT|adT{2Ge-`Ng4MS#(89b3<0Sji* z5rCj$^dSZ+v7f%45IEV`PxKuFSE-`@{+rW1c1F*ko4fJ~EGs#DC8v$6PG8F+?~|C* zjU^0KIT$=uRIX3|(xSv%J-2adxYrLI*2!4*+UUX!PSsgcu=j7=#Kz&iGQ=9j{`NGg zCwt{@kVoXx-WeoRrizT20gaO(VhDjUg9gN%2Bo_&U+C@DNCE4&D-9*T+0quCvV9Iu z&t0)_EG@kF746#XM?8MC>Z=!vg%d9W=h3Xt+zOVc!=*}AaBLg?5)Rt#@ac359VB1! zqG9EPS3M)Pu#HCgo76kKJaoA8g=^^2)SVaCv%k1Mb8YrI=j;d1uml85DcL1RS!eH* z60uWqvdB`h4wf)-uC|%Un^OF=pk){l8x(^pFFyoJx>w@$t7Q-1Ny#oza_7pTR>#bx zU_+SC$gE3kR2eI3Ttw|Z4|Yh*(EDd5}HZQnZ9VWQDh zLd5-{y3_v1beXolX8!n?LR+nVZtc~28n4^=5XIHdkD-nelnNpO? z9WZGCR@Ct`d3df%i1MeVL9-olNA89MH~%8c7D!FTzkFFCHon2miG!_9dtq(nmD4*eZZD2Y`KQzsV}r?$$+DWS_r z$TP68kl}W=CcG@kHFMaTxTl5QID!o$t>xI?%hs!{Yt|08D8(7-G^{I{+S+(ovW8h~ z(gxY@ z*3}a2AEHo3UAaD`w@L4mP;!~}0ABsNh)2TEouL*N5iRv%k9t z;_!{~iycX%<)qN1iXukA>NR56A@=|g6R&-vWb9qc;)VR}0!~wBpz+eh?o1oYZ`$|` z)&fcUTd$~^>55d~Le;&<95Ih1=Hz?i;+0i-6wq{QU(Bf+`_PY#d~SBH=2&|?lV80) z_9E-}2ETz?Gd-V&tm=v!CuDy+JhL znWiI$@1;`EgdE1O28xA^T@bMO1E2Q4BC>TC;@1u$ z@L1rvje++oga^giCd^m#ZT|%EMfS$`6KBTEw=s}JP-Pm`N=J2;ZG3D|q`$|rbGK|v zo?hdRomA%2Sa*$PQhhD?7{Lnt&+qyhfv;z|ta~@pC{Acsg0C`qsllj* zTTC3&JZ{<7im_W4PfD=?NG9ivkhiZqRRs7bZz~WcO%u-$hD2wOQtNCXQ^Tak0bBV6 zUUZzZe>(D-_2R=awaAH13xGf85uv(@e30#FMhlDC8l!Ykvmb({QJP9rH5#;MP%pS( z^oVL#!`)2uoPd}}wZ;8R3nJkm{RpY4;zMV3^tyMtqAO~6?U-rO!gZE?SOo+^p{5Zk z6$5BYya*N+&xiJY`ZZZ4(+`;@`MtSp_X73Aj{y2q|*2 z4x5}@`rbpIc6U47#vwGfTp2gI(WDs6{-UCJw`ZccqEqSJpMibooHU|QnF&BMbAzJb zhMXUjv(W7vRR9?FXlhd81?;Eso6tTN?#nj!n5OV@c1Z znF?5ow8WBF{`d!W^za6?-9a6Q}G2aRBQ))D1<{E2tgvOzCe^QC0DbNskH3x6MBlyW=#p^+39G&n!AoyZ_I zZ?@!NQ8@5>Oh7OQ1h6$S7~LAIL9-~YbIh#yDhJ; zWa`i1*;+REqWd7O=5)Q zi`SfX8C=ep{p>Zz7yo-i*Qxaef%tRv-D&z=dnCN_x}N?DV=rrfrjR>n>1m(}bOVp_ zTHZDqcj}tXrU~xbOf>WGYI3=3n@XJssL{hUfH~NIWTLi&8Rq$=wM;e(0v;ldNUo%d z^R+QY0Dyb`FoW%)JaC}&x8onlFEhx@wzFGFd+o#&na82kL!SMV*)J7ADB^f0#(sv& z+|~jpRout8aCGR63{n??{wuOF53{j9bP4_C^Jj&Nf9O?>7HrTcG9H%G3>~u>#xtV+TYq2ylBch_vdoipu1~`~XOFg3lAe}eE{nf} z4lwtSF30QFI^q1c+n!iytrhO`5OzjtP(a0!a_9YURRK+2th$Z&oQ&v{% z%%?`qZtWP{)V+wcttQOW#9q{GRHhB1t%~wc{P6z(KtR90LPfikeUu?OUT^ZGo>wXZ z>%>-_$6D*0qA$f$wX2N{S4BuuSLk$kfi-KKO%kflIZ4l*Y*bEe*STY}JP8bNCq7Ic z%>=(DH52p?tRQ#vlAKo=n2SQb^vo6=)4%T4aV6$gn*RHC!io zWJ+UFLMzVLl2l|x)(i1wJ>EFIL`T{z5oV?+10?H_GYmta?eb)COOd_!mP*VOK#v@j zB8;Ds&FBWKI|5h{i;YmjEtKm*pLA!UpPag?C-WHV_gk!mHB*~{|MQIgzYdTH6i z#~E*n%1%;RxCdA$c$iQ@#Dne1rs7#omQ{|s9&Kk2Ao7(;V+Q?JGtrR^BW|9dS+O?u z%B0wYWFjh=KsTVC7reB}ufCutBs+GImHNg3W5MO9#)8 zMS<{&QGyng@D{KGFU#0E!aFRM5VqWD76h|_cma6eYk44oM0_@il@J5w;uWilNOptK zBZ(3r7PE^N>kNw7A=>p4y zMIM$dD!qI+3xqZvhY{o!$tH_Ltl?`#9(yJ##AJ{SK>yifMFFcra7(fPINU~A6h)(1 zmc#~LCcNMw4xV>f6gzJ=@(yD2IF7z_H?Q(e31p+4CyHQ_WI9y@+&0l{G)W@C#U%1J zqgAjFoI9ctftS@fBG~P4lA@6IJUBoxgKUr_gGxMrVBrC~1wo47&>L%b(Ig^xi;6-3 za9jz9k^q8T5{w2S8U@Ly@{(1Q9TtOKFt{Zm&@mD{wp!6(v{;NHSZ%!Ir4ws23pTL^ z$5Nq64omlYlFROp0qocX6Zjnh&Y2ab5rPQ;%+q#2oAb{eGLn$0W3}vFF7SaG}I8j-WCEQ!j0?{3^lxwAQU46 zAg*Ayn6U*aZ!_>b5e&_CCFHOZ8&Bx$r zsTx5v2&&zPHJNxjF)IdxEK3AORWyJ}AQtQat~4NuB#zz?{Up|d$by-+)_~JYA&tih za9I&aL@2J6aOIkakr(XP8D8nIG&pK)9zm`%Ff9f53Ac1Dqnq4Rim{C48%vt8RBkkY zV9rDgI6KF_LE(}`w^#oRg^pU0&lOiwiQ}#DI60E|1bNNd_SWsXQqHXFrrGV|4#7@*NJ|Cqo}`@7r0USQ7&pi|07vuWajztZ!}kCb5S!CZ%*Z*^tXug_f;at zc$6NwVs?%y{<3dGb%<9v8Z?zzn>)d&no2+ZBy!EdZ<^{gwdiAp<~Y>{Z^B>dn-XJo zDcQ_XImI^iosz0C2)WBPpd#)N`~JYh>qtVs9KZ>sZ>rF1Yx+_2p%Ym42i(R!7}8mG zFx0nEM^j{w~T=U{;9Gn*UfeH2Rr z=U^uG1+9WF&Mb2Af0#U9ATc2qHONJC(G;w1mV(wTs=6E^$LyOsxEb6`ZVtDSThF-S zlt8iT+=MJ5LNNK)t4rLt@>i^x2?r+M!vtmWzFJXJ64TU9AfX5`@C#OX2M17H_Qn z)}nQaPh*Q6OcqaTD19Nj_|VejSBblBt&e$Inqe!8EbEKiC2beqaeV<8`bn#0{T$In^WiIha|I7Zy<^Ufwsd8td zt=4C5;6whG>Y5t;_xOu*{4e<%6ZQA_{V&%wO-#jKcltdmuefsMODor|UA^auRWGla z;D=lzmLB9A%)VM%W2dZ|(B0hV|Ia$#K|lF3I{bA9{RvD|*DyX&@%49C9$b0)f3CdZ zs?}@PV#(vZC7Y9!&s@ju{}3*?w9W|R=!dZMD@{27a{l#)ju&vdykjSUX|Fs8Fnht! z)%r9HpJjgZAVPscAzB7D054>4cu1l3T{7l+nB9?5g3n=?Qsk_x0aSV!`YKekd?_a zhS|4c*wrq>wy98UY0@c!F{7KPm)O^i_#S4u2g{;9YV`yQp(W!V=1PEDW+v&;ou#$% zI`a%JgyVi*4CF0#hqbu$VuOG<@urpg?!I~TI+MI<#lC|p=NT<~_E?PbRvz59Vv{U3 zwVZz7?tLpa$(Yh`G5M<1VYlQ1BJV%Gp|xZAhI5xB^jGWhj@HDIb2sQOunvW+r}=oR zhL;2#rzCuhyKO}wHrLJhiouUfk5s)0Mw zs~RlE#fy!WhE?f124-KFIBiwxj=}aBAoRgrgPgNRqOMz-_a$dX>7zJ1xvx3O9%Oiy zDe5w``FJ~`Meu)uB$v~c?-()=L9h!xt&oGmxA1~~@1ma@4P2OuaY_0`iE;NXr4zEO zCE|8uk}`yh5K`$OQu;J!DpT=D!{r;G;t2f`1kg`GQ2qXSU3u*n&{Aa2??IQwECdj) zk^i;s6e_Cy5G;Lj0yAS7+BX}2q5Xnqy{!7T~KE~G;PV5t} z7O!SjnO$YADBXfaNua%?QrJsw+KT|F#E{fn(o| z8Pl(KB+D$XiMpWTB;OhZ`XL~W&*xo=_9vy?rr*HjakzOLZY^J>p^IV1*zFw8hQG$& z$UaJxx6V+YR&kXT?2mK0#RkGv-R7vHLsefV{j-1Q)OPWzuc?Kh@z>1yeH^>TDrwSu zTua;I?e0zGuCk{6=44KG#usF24?(|AOK@3=(UdjEoaI}>3AJ-mgr98XncWlWf8x8< zH*3f8lLS_~UuN0hF5TeoaK*4O|A&bo@b@aK$8=b2Ovm$|TmV=60Pflsa#!Paz*a$4 zUmbFyhh)=XDZ)Nrh3Ap#4l$;yerJ;CVVA*_nVU?XY#2P0PNpcfDana!(s9Z`xaOke zTl;3tm|5R)fzL1_s@mt+x5D6A$u6QDlG^(E+UjdtBd6D#HEZ#?^H$7<>%{-k$H8gU z2TJ?OHXw%Pg*R^%->#0S9<5c&HuSBXUhmHtI+eLiP9W*SYcDe|A-RX5&g808%QSCo z-K^QknJX7|tZdEJc4^%ZSKlRy$ts#xSv%5e_gp$}ZeQOo=5Lu5dmBC_H+kD*iJ>W!odFnjI{3t{-Cf-tyQ5ZI?X-@4K3xnEvK9oHM;hOn zGa75Hms=9j8`__*UOGF}=68mo{?1v8KYiM!dsfe$>y7~7S1Y`Q#4U1-8BCJRCpVf@ z?WXTuG|)O{*34k2wXJ_(_p%3I@Y}V~V>guN#>sI?MP_57jsH8jhjhyg)qQtN@WcPG ze`0+n>pYh2=rJkcD);ypjhi~|qo=HPQ*xKd9*9)5tYTXb?x;AmF(+@GEcBEKstSXp z)n68+`*7WfPnGOKs7$}Gg<9G`!WW`tE1)I&qA@SsDS82>cngn1Y@7BfX?7kv=FB)> za5_bazK{KQ)22WGe{l8pzSq@-KmK>6km7?S2mcJq`-=?Ci&--?uk(ewS!7_7Hp=pK zeXqE&6hZ5T#Joabl(TuQMjn6)OVA$xZ?t-C)V8Q0<7ul4VybVa?q$+p?5ak^`3 z_m$6X+5P)FF8IcE>syu$1`NbZBuDb6M?P`nz_#usRzu92>F8NqdyYeRNh@3NT+aBk z!7~?zzmk}F;N3%){@~hKL)Yw|yXC>4IViVFURU?JPyFUHdq4Nin(oN1GaCMHbMFBk zM{)NL@649#dw09nPr6=IPnJ%1r>;|RZ*sS>v4w4Hxqv&iF*b*7FgDE?Fs233tAPYe zNu1=8Kte*O4?Jm*h$n=H5L(DXAXvA4XJ)VIBxCZt@BjaK!Mbg;voo`^Gr#$j@3*0Q z^SsIR($Wd*7K2Ov`nqfdD%5RSk=&oFoq#F_^OcjSoW7}YIov0PI8$e;=UG)X<~406 z{xV_L(`yG#>^`S@=5(EzQL~(};nfFjdf>p?He5MNtiFAoZMn_(48D!TB_K)g;)TA) z!%ZOkUvux+Ik~xi*X7--ZuhWizQ$-3I~E>&>+Z`Q{AfX&Z`%TQeb=Trlj^1AD{qyh zN2)ls#ERB6QED}oZ4?-n28ZfcT`IsSh^-lwT$Gg)*;pPqQWsA$3}HgWzWd>50((Z~ zm1Ts*(~E>~c)wcOzw8#L?VJk-5*{O0Z>$vqM!Q-i{o%u#S3m3tnLk=^UUW%voOSiN z-D^8M^cxRtmukW_J=1$?BHdk)SUqP@Y1jh?q^XDAns)adT>8@#4*I52%^~lm#kE~N z9x^_y&*-xUykRg!F#~+}BDUS$1CFoU**IrlpsxSW>^)bwGM?=ZO`hAmY4Z4nR#za| zI$`UP>m!_+<<-gQ%l16>(Dr`pAw+V{@lnY0MHy9#=HLxzj%bW1u^58iHYV!sfOKQl zWdXY!$7!#^kHhQ8br#RKUeaoq-az)r&bnwP;z;_#O%%gTM6Xw=?Z$vuYpmyt-uS@A zx$%ix_9R=^Eluq3wy*0xca?Qqa!K^O1^d8>0|zF~h;(;Hys>05=Dqru^gpdTcP(uT zdQx}aI4#L=YFOdA>8&4KwUk+(Yo&?ius2{w&7<`(kPkF1ZR=gv?y|?0(s#5S*faZ3 zf8D^qoW`B7b7t+`3#V+E(ApVrG(;NOC$4B7ym+6fZu|v3?NgHH)?4A6ZmreeRI<kJ9C$ZV1K#Dh5M|QW7JICPhN*M4veQf4^f3LWQY8=ySawY_GCrQOv{i+Yb{g5np^|3%eNjt{ z(T3zX=y7L#cOx>&-b+*2GM?q#(WTEV#3nm1LULi%Zm}{}7i@*ZFCZAl@Me^PXR09y zUI-8icb3vhHX_tCgS7{mCtefr7M@HyQ#BDBF%0ILmlv%{Ul@)oGU#ImVwoC;p~;G z?_bGWCp|N3e&;;1MtTMxRAbpFqRp<;y2eIq$sTcQP+RVa@jO zQCBqc8*m-?Y}~lRo^eg?Kab=BXe9Ci4($$vLl{aRiZzmWXq87+MTrRngAg(nj=K02 z>Al+@m40=B0w@ov^#;Y{H@6S`@X)MThkiJ){HX~Ci>wxV*8%Z{+d zaR?4wMVT~ErczlnF4`4R8;oirXM#KrmW-7Y92+C)9za!N4c@w7EVw=x1lVd=4bZcA zXyQ;JgF1w6&{$L|qD9o9tTaxPsS;&whUhWqS)-GpQjL*x&uOX})g?^j@jztXYRqVh ztv*u=aoTx7SByshj)*6|FqmICP?93&EeH$>*(PRel);n*AY%&wjlB8te9qYrQJmkl z)L`nn^^nO>1DBI485w*CX474Djp+aS3cq*_M%)7H!L-k=1v1hQ%u+_*3HCT@d8b3# z%T8~beyE~vdfR4RPVo}iY?ITarBi<_FMkJcPvcCk{Y-i)H!jGyU=}?8QAmhIav_Gz zSHxw+{6O3gVhVs^7|LKIVi*Cko+b@Qcf5Yx-UUuuo5n`WZAP zqOomdaV_$7Xbj=E@C}Fz;G3}+kZ4RVl3tPidB@uR^ZdTDn%In~w*d7WcVxbUF&Ivs z1*w5;`Bn%G*D|Sr@2#4Btf^_PNp!3Ef$#nLdmkM9=q#`er@lHnV#BT-ucPq+oTlhY z&=}^GZPc=HCLyx2;U*gxfJO;Ah(39Go1n?Orz>aFMkDirw3bl{I)VKqV>5tBqJw<| zT&-k8`d22~sa($ zB+*AT5=XO0hYG5xLJnQ*mnfpG9`k5gBb1LxfMZ2J#OQ(*O~ql4>2xmj7)OoM(z$!_ z+4Qu=bW=e#Nu!niOlnb9F3P$8V-y}^yg}B$;w2@QGm~LYJ5X{+CNml5AWq>~1Dnf$ zIpkB2?C8|7*N%l6Lo-&+@OIE%QK!+?FKp@EQLQjD8l#|L%!=ymS8gYVf{`5V=xte8 zuhr;8P)nT#^L}(S&<)+^1sSTUrV6`7Kc6`{aO~Is7GWA@%xHkUnvhOZMgl})l|WtJ+mIq1u1Oi0E57j$Ft2` zfYQ&)kas>Pn=r81NvB8iL4RJZB)l~Ss)AZV?6xFKUAC*@U`#Zn9%lounn|D-d2_ix>}ww*O9u#tM2EP(5tplB#ni#^8x9;guwi_!x>B9ey{Ai| zZEtFIZEG7-XSdhtIwPjOrG2JIr>@p+uVdO;YgaG2{+S;=bNwQkXr&_!C^yfv#z~jV ztgW4S$)xjVYHBpMTz~y7XfyNt+cwot+tN@L4?3N}#&WAI(ooabSkn-(S<4&oxp-N_ zmTC2yZd>ulrmn6{kC5?S#>aJ#cpRd_FWAjw&P(D-VkpAS3>5<3Wr#K1*Mp)?tCfDD zQh_9)wd}{ljRXnv>p_A<+%F?tf__vB^iPe_VRpzQMzIv3HwS1*)b4rM${cPX;Zcf_ zSmWw~bu4G+!(@i+H`v@+O5le`#zUAmvmX;@E>pvtCI0G*uqFO>K(|g@w)SY{-Unbm zFMxhx0~;i4or9=a%d~G2`~2Rw6E5AGpysi|9Y@zr>u|q5x{P7s)Ggy(6O>-7NKa1!bpZVJ=8)0CWH=ge911sL|5O)~cY2Y{;7mw%Y0(5*26`TB{$8<)XLt0mY_yTXI)%=Pt5zfcOE*lvv<$YEsOPyy)T(o zw)bt^*w?<&^iqd=V8GpxJi2yKc@_S+tI8K){EfmKAW0x`+O4*4ZT= z!!EbQ^n#?9K+7MaiSYz5sY;d(m6*iH7lGcTCoab+5Pg~a_HanDS-wIfiH3Yg$HZnC z;`-jVLk>=DZ1dxg0I&NbP@Z&q@xH&!sOB7@x9`QLnkS;xp=F1RWXE!|wC&D!-@S9c z>9>aoM29PYq&PvkkZ3lK2(g$)g-m+WV$ z{jw~XjhCw}iI)4;F>-YBtf6sd3x|{C!DLpR_mQ_tDhRxCM@OBsx`YpwOKt2+Cj0*N znSwgH_7t`Ds3Q69oyq-6FzO~&yxd8T8{8i zG=-;mDOIio&04iIFq|s#Pk50`?4}~j{Lyx^$EhDvuTp=aK1C9d9=Jg*Xdlg)9Vj>2lfXr_6wtAG(s74}aT?bByCfBOGodU%HO zBg+g@r&73X1UQQ-W}Y9)*YqEwD_(Ri^N%r3{^S2(Lg^phShBBgz<{JfvOrek`iwP- z-|)>mL;ZpJ;{X0v^1tb&`Jt+)zuG~L#q=~>kdqUO<<`cZFwMe={7cYoX7cN(v3 z(a0v_1%uqBqVlA&`Q`d1NTSgZbMGYoKkK7s=~2TsFewinf<32Fq+ii#xuE_1c_%V? zzqauC0CI;kgy)}RoNk?UiCJI9>(A|Ce#~^vHch@8hxl_b=@^u)GFg=z zTCqaK&$Q~yaTyHUGb$gv3nSQ^le1D||J6Z966HpG^Fuk@3>hmwOx2@rak3mSde*9c zD=CkxhQ_F3Mwb3kM6zMhr_zH3>Cb~sg2AzC^T{^~g*ogIf<2Ed51bAt{IW=0O~;}} zzrr7mMbZD^SR&>}|0kkWbT-xsWxr++wX%%WqDTShU1@MADg9wQZvOtkWO6Xw@A0J4 z>6FLQpT@^T&>0VcNz8V^Isi<1(En&%#j8AEaLAMPC~Ya55^aaTphtyQc1cf*pT;s= zGV5!@pwE&}mN+$CjL?VpFAL zI-P#^PLNEdQfbfd&p_P7gg}%QROJtQMtxA3FqL4%lRHePav6sH&D68It{1GWhF-k!NF{a zBkHkF<8n=>u3@6goDuD%DsnQytS4ifWTI!Q^@!6Sk18sDKDcPi)0AAU#yE|~BGkX&7V;i(sdDVjh2DfZQa1I7enWpec4Lw8 z4fPE;C!goH?gVFg+a%BFK*vPsIdY!=#tQ@&oavq5JZn*&TMFg;mW@x>o}oFjc4b*^ ztdsFnNAn<o7|c8Lb)Om(bqsm@ zsWet>4$6>JgY-s&VbEXzl#DJaqvO*31%iPd8>$WU`W;w591QhFOP6aWaI)6orqQTyg$>^A!&kEP)ctAUL#;n z)M+HuQKXLOH;tQM5R9AFC{eOzp>f(W854>$fvmr$r+Yk}VUmEszs2*9hA`=5*>O97 zY;4RkOW&9$!aZ_i6csKrSVWZj!?AEJvU9qZXf+D;>42>uN3NWwJ}age8an|^ZS0d$ zeH*dKp3G*+wMUyOhWa+rsWV)FNql-^A53FYKbiWDu0_JHoP3P))R^VwVbL-N$$Dg- zE~ZBM<^(h~s$d)YKnj=p3>TPmCRtiyKuUau^HdQAZJJV1M#`SIq<0Zbb5?1ZkB&UU zHc)b$i@+{DaY6r3%FmBoS460%HBS=-Hw0Y zE&1K&4qa4v>%>PV9;?3SP;&W^D`r19`-&sWlSA#H12_ES=#m+!2M%4i*4uHVGrIoX zbvN976w=(>J#HRh(Ga zv9fE|Yaib^d*RkqGw1p}vuCW@x?tAe$nVIC-$Hhr!(Yiaj_XY8wH&$9Ov`}RWY)-}HA{K9} zh5I6QDqXSIA^l#6G0BQ0b`TOyU4?a{G7cjyG@xn@v&|9dchyIFPNnnZMk~2={2YrO zp6jo6OE=jJ{u(z}XL)L{P?bkOYi#^I9WByLvGIkx`+)}!*p=fN zY?4~`E0TH2z|>Wbd@K!r{KzV_12ANS26~UT{jDXca(h}u=fcbdj5^NDQykovbCzSJ8Vi^S1IxD)h%kTGvunJ zMA@LKLe>AaZW_!KY5kukYln9NotyOG{}GkxUkBk4D#H$lyt zbm~oz9(51iT}`T!^>%wxS}47lN`V^iAi%8i`n*mF&uf14CAU%&sX5d#Y8|zm+DEk3 z_fSugu?f`)eY&U~iK6{*(LPFp-W%FSwFsU$%~{W%X`e0LH|Fui^utnK!#5ep4i6~QJ|00;G7+Do;Bq=^C z`ptYc>XbCbL3RV=P4=HONYWW_oHC}f8zv8;@vl4H>c` z8G+0FsBf`pzgqG8n-@+fOHSC>vP$}5nO-m$JZ}GjYwn%A@uwR@(Th)7RBpE${0$B) z_S7dX%{;V8AGAAp3%$wTVm!r@G5>R83pVg?%dlaAWw!cxud8ffi%Ka5;ro7*xw<{n zkq|d(S%YB0F=Dy8v#1AGQ4Q1tYBT;0IfXecl3%nRj-jDag_^@mDrGgJdZCM`u4c>s zt7f5-CtiB_$w%M(4gJ@@-DDEkCS8LVan$&0ELMlO>cl$HR8_y@_(KP4y*HkE^ncY> z(3Uow|6D(K;sxbJKinWSJ-fAbh*QyJoJ}Ee8it|&*b-B5Cyh|?!^O(ytH3A!yN1Mi zIV9r|-Ae$+*p1S?SWKnnY&dx=WsI7s75HH?HPd+1svKJbCDj&1XyQIxd-?{&9Oh&4 z{AMI&Dn_X$EhZJ3(J}cP23)`};$s#Qt{F>HsfOdFs~D@cL#JcFHhBkLGiC)2j;+OG zykCETZZ^c@T`WmtMo&P? z0)liTFI~zj!_pQ}=Zv<+Ki(j zrnlU@dv}x82$T+R_`ZoVb*Dz?gzn&ZV;2cBWb-s?MEMJgI>%-F4j&hC@q3Jn+l-kvrxtWjLW%!8 z_QR6-cgg`#9?C&zxpB^n$37$$v$5<6;2|r1`5$~%Uj8@Mz@gp)sW~-`XnEgQlikEu zCc36og^lFUMs8uAC7Vg)x4&_bU3&M@P<2Jec!zyaBUXB#Q*>itU(!3=MtiWTZD#gl zPWOTJpgiTELR1%ZF13c*h9r^fTh6L&Ehek%AWWQpLPY{2n-ACsV-z+tD&R$Dn`3Q+j<4az)LLq$>3ER?~Lr0|3TmFGS zb($i50gz3!C~$j-q#xXY0hPc^vtN)taRM2J35cJX(WBTYbfh=$ozdEGZhKd?f09nn>h9IC%0V!$@9w>`fh~7~4Ni(LZEbT} ztaI%~cTlXIbA#X6QdgBMx1VEB?pC{WK;1ELb53^w@i**CxbM)nCCna+L$)I(4h!l{@8WuC@5VMLH=Hwu0NG(S{t~}RE$wNe1)=z}# zP&VGbID1za2;;*rC<8%k*$x8F5Wa|i7%oE+(gZvYk6IKfvFj)w#$XAW{TK!&W9mY_d);DO;PmDX&s zefqLLcI(?Lp7R!{+ z(i`q0^#N$Tbtx-j5mG_y!*9WAEYbr)WbPtb9MG4cq$jv9^cwqcD%6spLY)S*PosSr z?Gp?}Cgz)3HcZu2`p}j^TUlTFHW@z$Wc)OOtd6mU%{~PWWn}PtTson0m*>tp;0ya= zMvR|=g7kBSwf3~MKdcW*Y*Z4^Z<*-cj-W+eXhUKzkb%- zi(ElhB-pp?s4A$^0SKWxNFQC+7mT3u7tQNik5bKTPkvAbSQgm)HMN%J`o8Mfi^0>g z@TE(_$HFWUHPo@@U~lc@%9)E6&#vyPZ?@Fd_-&AZ5CDcMxiwpo=9sJGX<1o}NfB)>834+opiQ0ei^Uq@+|#ChMND-zDs6Lb|^Sb;g~%8l6?=&mj}W^41X3o#E-{AtJmlamUxSd zJ}!xv$_jVI8dx-$e2qT8g8GrB3j3J+9lD%tC$!BRJGc=JU#xI}yV;1=-IU$K~Z6#J%WZ zkU$AR*|VO$U#rwIw3O8Fr>PCs%ah&i6`t0O6WdLUvBIFU8nvw0)U~F`zI6Xm9z=Kz zNYf0ui0jdg=WI0d$wzc*{M3Gz}( zq0(xSI(DA)-_l1k$E%V??U334cJ=q21akq)n;2P21*v~YH$B4>2nI(oDcU z52%u&38Z*v+C1wA*NSjNS?Z##MRr>};84Ltyb-Ocay$kc ziN+~5mC@I%5=H4{5EaE$coo+ois0vBBfO$SlX(rk3Zf`oqloWlkrTt;oDq9pem;71 zI7?PwRb`0*ik}Z(Mvs%TL)n6;^fD<3J)!jZxKy}kaxq^<>F^zAdp=0SbJ0FBJ%Xy_ z`OGy%wGj)I1f>lCG+s9~w zB#E6d;#Dk2pk9UHiu@uQjRi$-7F7;q4{q3!nijZ@B9&Fb7orINMeRh0NzNujpHq z$DumFp;iiy!YFnDYtd4+94=!ssB1(Uv@_+O!h7kCn3}<{E=y(_359j7@t;y^;t2Kw{P>{%; zq6>Dxv-p~i@;y&ARgiW{V~^Rf_i0aVZ_J;(eG(Kf-$s?gc$VYha*Xu@3S|Jl9c#B3 zXGuXhsTj6e=Y54RnJKXi5&jH7WRDPxfB@+!5U`!!hdx`JF#Yk<4hlT=1D@O=O#>3|7c7l7vNTXja0 z?pEOb>vvbNK&>Wc6|YP8{#qxfRrJfH{-p)GowI};g$(6{xQVPKMloo754)tfy&jLj zVAPLdRmj{dOc6j*6vSXA6%>^!^e*G4W86#ZuZS#%-ld8y%occ%mes&<)V7LnP68&{ zFRR6b77A^d=cVVt8n_k>$e5QVa}@gGDCD~Nm<#kvc9qE-Sr)B%|f<%WQk z!-7+*3zu~Jet;Gc;mUHHjwuvV&GjTok4A!iY$6#9cP{I{ z`24mLf6~$_8(6-*v2L)+$ino9#wv{e5WQJ}auFK}Fajf*yg}Aea|A^hB#>$#B~i4e z$R%@>!zM_lQebB0zfMzVMg9(P>XcK%WhGN`fyW9Xe${62O5~3QHACr0QQAt(PQfar z#cokbTLmKyDm|9>zRWG8ro} zsS2ZDMYBY=2$I%qXD$=C$M5&MLE7n*l5Xku-@Z)5uUoeH#;xG2WlG}w{qnQ^P;CD! z>D+e}HKh@^ZRR7IjKt&)`jz4`5&4t;2P#uP8j;XaQxABB-$#Y>B6TQ{-;Gm*5giHL z#6-$s5ENMmM+N1q@-9|16O1jU6B`)m*Zj0r!!kP2=0q<*{7|~Pa~W=+Zb)J=~5x!E;Ab# zR;Sbcf7>GBgY;5DEcPgC?8X#KEU=CaR=nAi)n69Zpa z$I0-`Sl>#ABT8(X%j=pj4|=v5S*B48twg`^i#rAWfKKe*)z@ohjr!FJgI)zU?F|NJ z?Q#YC8sp*G8Fk&25xepEJ4D?9UT9v|(y*kvueqMW5aLg8 zK5vzQ6HG_+fL7CjzuY>%*HII8`bEKHtqXN@EzG{Nz382Fx#iXSV@KQ^jWO6eEBA${(Tz$b4}RlpR1U#%183H*Rggxv;%L68=N7T6XV z!M&n^H)eh)>IQgWo~T>R3)0g%5zRL4)BjEMYSRcBk2#Nwz$^2Z=>&qOLzVEBHg!It zw-7r#f;S*_a(`<7$suSDw8v&QFRrU%%9M;nIgwRs6%N+zZt+H4VT)A*PE*7Sg^X@P zM2;l}Z7DTkcYVn9+K#D9Hg^j=@e3Wq z=+(p^hlk70bLRwV1n-rS(jrO9jz;neQT;`~XfatE<6^>V^+v;fd;%@7}yVIt)|MdsZR%3*Nui)rNx(_8hSKJcVtKO|cwYa4zdO zXi%%!#T#&v>wQn6mYWBv(bAm3%yN&WQmG7Drb}<319a+mD&;{9lsRUz!2$HktKk5V z<7KTiSg6-&ZPGC?V3U8fI=%E@HUVBcH=U-K4^TTssY#>k@ezR6h7JxNplJskba2dd!cE(@>J-r#TQ8k` zYhTr^!X)uU_l5?gfm7?IZFn>3y>)iQturqkXn);RGqG)9!%U^JCDdEr6{&ZL6YYVv zhRM}k3bxhPUDFy02z2V{X=O*Rnz(*KorO7l3Jg=H!81{C1ORvMy#Ne<3BMRtxLeQ5 z+!1IB*tHy#9s@M1H8^|`@Rc{}wW>J)q?gguqvWmbNRf@gD95gjh-60-f6$AOwU8*A z2id?}EaehCy8$#c(A4ly4nqT@YNbF%-ypr%Aj^SyY>;~FS#nm)`7=HH%y1xJ>{1Qp zmvDeD>|S_=qN1|;PE*`&4x{D=sBUUDYKJJMn(`~q1O{a6s@#%G9wEp|jK#!h@lJp# zF|fA`X2k$VU@_x_F%dIfg#C&r-ilF?dEmQ~w3u3v$$X}keu6zJq%_vvrO6P1-D7$) z&w@=_6(-@+3Lor%3F$gcui;hZuilV`rq=zVZmRU|g!k`$pBealoq;g{pZ1h12b^UP zO>94|>(_(A<$pZ~8U>Y#2K1J{EXsVM6f_XR?et}9*B(B+b}c-bSu5L%itF8o>m4lA zn>}N_K}pT%Z)}HeQSUoO)J{BOE99&FUt`r;8ZK0ixpY($sFBRJ9j!ZkS*$s{mTRUa zW8A&qH@xDJGXec?9>bxrtIT+cwGmi7kRp9LMGhpHxFbyt`T|_1D`B`>l zeQU1%`a=CnYZ?58S6`xaImBxKn&;m16eS?qiK0br1bc0imoFux7ky|A^hV{&i9 zgv@u&Q0Y$`O?}(OcSLMLSZ@f1=ALhW=2q2+aIzwm%xFT4~J5NB$J1Gd0AT1lTk~`WvI35P)ij(+#JM-xzF04L8k$k^6J{4;8UJRa5P#HC9rWQdd*o zp}t4`l*laDgC1+vq8N@Yhy+3Oe~d+cS;Jp6tMWIpS-&Eb1dD}OGhsI6SclMnNStNM zf!}OGsT<>sm?H}Zb2NZPLUZW#5JcB3V5o=mGbFYv!hQlEYK~&!T;kt_Bqmwehrv#a z*>d=^W&ch1ykY=+XK z@N1?3uerQF>NK03(fV@piJl$;0p7!DQ10N%Vx`bu?`SX#86NRPqaRF=7J&yQ?2)do zs4X*ufKU3|2K8=W+i;}OTvZtWAKz6`Wqw*!&Rc|vkhAr&R%a+w)-tUt>Hu1^hHkn& z8oj+SLw|QpO)IO{v#m7?jz2NCx()BQRnMhcLB-F0W?f=ko%rRBy)EUTPEsfb<`_7q=$eg zjdI7{8BsCU_vC(t`(AL29!kFywpuLKFqnPLIm0dMq!-t$1fE5UTuy-oix7U~%vECVwa#~LC!fyUdz#iG*{GE~*ZUU$A;+Fd7ZcJdQRo zr&C4$^o{Z3-XP{4`R$D%;vPs7U2<+j%Tj=uzX-dS0xgO9f z)az@(N`ra$9FV!iWYpKf3qAC;wFTY^JT{4hUl1e1VjU5-I+$tBiuDxl!zx6+@b*8nelF8y8l2`H!cNI#K22jd8D0LAVhzIyt6Y5dsRmyH3V z!t4!WQctf@2NXe(MSnn{f(j566*N7VX{Vn8r*8Cvo%G=FZ(&-O>6{H831{a03Z6GT zb0;_fuDwLs1iN?MwDZ8t;AXHm)8j|w8Oj`mYZrDM?E-H+bL1KDsdQ{F7yvJ4o|y+H z{WUYu0iP?f-utO}Sbw}fmKPwkddC9R5`YCJC5~b4A>;tCM+k0P-J}_P5 zcQCc~fb`yp)TJj*T$%!}SCl_iUO|2y+dAvip;=qE&SEZ_we>=HWoPf6w=MztbZ=*7 zhr{m&Pk#0I<6k`vZ@90lva;+xbkoO$X*`mFuqiZNwK8^Pz_F% zqCOmvUKxTTX+nuo`^ObsCO4p1h7*o?Y)!RySi1GABYLxrRX~;B>`>9=zNUa{_ern|RNmHR0Pw!fX&&S3*+xOz zYFxLurflc<#VMuo7`)i&S1If26>6WO%&$_EmnoJ0VZm{J&t%iMI@+i-`C|V5=MAbG zZ{&PU^s^60HdkYraZkv(QCnW=Y*aP8xa-kLj#`&XuZal31(9i{4#LwazbhpfMO)BX zm#~nB2xW9ULBh#NsJw{V2TQeBs7I2n*ccCm(LkjKgliHvEOCTnIfdNTE*hO@@ESlE zC2;l44pf8c@Z2fNh5OgiFi|_+bm1lRlUJfXZ0C@wd|7_b&}qM;WChzyT#E=+-<5=o2=#n;8cxMp)Kvt&UhsYXob& zz57D#lAij7CiiU6Vs>z>$;2t_Cefxq0z0d)XJ|#(&a7R_X>V#J*(;p+; zaNvqRpy~WZUKeiY*|ufXwCVk8X3c18FiRm-Oz?uujvQLQ-HZi}<>uHV}O$7?nQFh7|3+G3J%G)ytg3GBn99_|Iu>uBx!!BdwoNT@?tLOuUX^N3{uk zIteoz@t376V=tlM7Y3blw_3-mr8{&=l_`sXh!#l(DWz6}ltC03;vju0=l4Ou44WoC zxUz3a9_BfbjopHod_HD_4lKpFgB3bP6i*Q+Yi1~904Q@QWytbx0a`)P8IorXsXvF) zZs)^f|Ha5=mcO8=6Eq8UsXat{jb`qy-MgRnc)UJzz<&PT zk;5*R&({@5_C%L%y5#4~#qCq4cE$w_chmZHm9&9ow8gx6G@8>jGOKmaNEoNGTljEh zKK|oU!`ra?6%;btmcm;2-RChSin0T ztJPxxCp{L6$2xqfs;zZ?TN^VoSv$3De%qn8>Z&#{C6a`XtxFBBNUfi!(CQSEmc6-b zl0v6dfTQ?&TUB)%Q*Ooi$p2n#tCD6{x3yJ+$Ew=I%&JK8&-m!i@^3N%Zv{6cUf8zn zg~UFcg46D=s@kvR6uQh!xx1=cThaWgL2dCb!V99Od_VzAAOPyYMDQuWIq_rKsRk<- zQlLtK5Ed;J93Iy@=r#~S0&@o)YQ)M45XNc=bP>y)WCjeyv+4^x_@mh%ftKUwG-oyW zBd8mrt04~aG~rQ9L4uU54Hk|Bm6EBK#&ZIVrwSnRu%Ou^B+nFRTEzh#Jl2q4@fQiR zR-D3uli>HD2b?VNlAB%797humn#$45B)%SJMr^EcJT*l-kbIBJW42fu6dYP=;uI!gq5wyRK2s-X#7jg!kCrFskrtdmLmapuE({=mDKvp+Qt)(GZU~$|ZUQ2R$4CKD zZZ2A3!g=BXVl5ZZeTDEvqV+hD3L^j}o6!V-MWqY_9joRo zYNw?x0jr!IR;6KSmDV&_RpYS7)c_dmRmPCd>$K<~alN$~1`T|IOQ8%}LZ%COEdv|-!dQ#&ivMj^V3c$BHw3-gLidNV=$Mu$T4>k*{ zls2=wv#d-6Y}ff(4`V%`(nl(2eQSNh)~hrqA*)g}8uXJwN-kpWv6cgItH-=%kwXZ2 zG<22G0ilWodecvp3YwwSoB}{Yf&s#i#;62<1AuYT>_?DOLOsywI7Y{EG-@`$eEp)< zZnap9CY`{DQ=A5cpenbZZj4@1na2)5n+|nrtx;oLpfQXK22@%`E%8m)K z)}qn(@SHC@-Z@#p94sy2giXVsm(%eHS? z)B4(i`iT_~`huv@m7=zs4f1mn6Lxn^WWDu%JF1plqnR>M>yEmd8hrt;FGcZ`2g%kE zs)6dD=3}p)V2Ji(!#Un zezBl(!;Qm#M-w`n`P^62X71ZE{^E&k`uFG~KxOKgx_i7`gep2PeL` zz;|-y=?ku%t~m;CsP8ye!C&(3qD8kY?d5fV{m-}V>-zlWPutv|zCZOZ^aTK1f3NuP zn~w4EHnZgW;Cn!8Pc~03i&b$})V*l5VqoEmW8q6?+pmLKiq|9&x(;B5;b;RP*Uhp> zLmaQ_#)}ZMOiG-yS#&^|7!3UdFp*wDR^MZEJ;ownY(3_taLdB!^#iW5DnWm^y0;=w zn2Yh*ef4Mr|?0(4HzQZx5@Y`IrI~&3QuJ@*aC|iM2VBF3C+92 zOjVB;0a^SLH$Xq^OPLdmH^(w3Vlg;1b~FZ5(&m#@&8?L?s;aX^i}#y zNDrVE9Mf0vJM{Wt*r^|(e;~fh!BO6mXTfR3c3&bRgQ2WNG=DT0a(qop9xVDzGsK=c zOc5e^NGzqqUP|+YM4>!CBTKPE1W8l2@`P!>S+tlDV%{JYmj)yW`$e-8Mbnp z<#E!eroN_R_mXb%hxRx2!BpQyX^51DPD(O&U;pq%Qj*uCad=A~mI!Vk80_1)5xiU| zM^69c#Xj*JSVfRy+Ji`pvRDJfiXIj$H5kk5D(1J_0&T4UTl@UVNV(C#EG!vRJ_NtB zOzC$!kc3iEQRV{_y`TE9-F06F(ioc@T#Gg*z*Csvoo4p@DvTE1QUi!zyuYj`KZvoa{@8)1- zrF+J!TWpL(LbQOZioalVZT@<=(uXM;Kd^$?gl)AO_II{tjp0sc7iN% zMJq6d@%P~-NIhAg9^l2n{ak;@G1T*#C<<}m=d3B&y?k6Mdj8~AUjK}#%qEJo@mDP} zF^)F>XOryUm?L*nrvhcqFR`T zNG7nF2$6@M!*z_%XkkSVY>=daXGZ+%q8kz&3_)}tODx=1&^pFMP+73H4q&|=T8khV z1X_b=-J;lSJ#MRlTz$=5Hd<{H^+3Tef`7}zqnpmP z+138_1J|^1G^4Kqg4V*a2BoP{ZzzvfSCr`>C#cjc1gy@iwZ(CSj#sX!aWngkew@&L*L5rwy zK%ixfZf{HDqL8M;SLaqi#!IRPtySXgREX9a~MC&eaTLx)MV7Fqvla-s7uio znO_HEzGAYA7M<1{_9kl9U<3rv`VD`KiFhE0*1Bk9#4)b|I>d`W7j_K8hHv!gk_9Dn zfh>4u9IYwkg=CPNBd5Z6K`SrI;XT;AI>T%cdS`7_s&st0!sy~%Cu;v|!@5~@b+518 zunesX2c^?T{v`c@R}BJi zEU(r!FX`Pn*Dflnt*Bt8g`Ku4hIQE5z`O;~u&N>MP?iNcIv!n6Hcsm<+x7XdZ-Sn8 zczxqN&f9cOmeuIoJgZr{sz2a+ZrQm@oaHCl`fr@TTR%P`Z?5gVZr?yh&-Q25Zvjl| zp(~~&ujjR>8^G4~&Mi7#gL+iU8n|rft|s(!REExe9eTR0lGV-Z&unozga+sAr+UZ7 z1kT-5$2q3v{CxWrDdrfZLZf9F6+$Csi#%qA(JI>oXrl=#Ff$~JMJ6<68ZBVt#d-`1 zh24C}MT!nyeAP8OmLIa)4@pm6e;J_R4^pY?pM0LKD4c)#$mN$`Mt5Cy{gXch^gTU2 z?N6*;{RI82^x%`y?&u{aUft#HH1kT>Gxd@~G|Nqax-oOUpaxgG~C;(^V z4C(*?0C?JCU}RumWB7NMfq}i@KM=4tFaSl60b>gQsZ$4Y0C?JkRJ~5bFbsB^q>+FM z78V#lh=GAy_!DDa05(P>!~-BC!~j#olkrgO@cCjlPVP=r`sCKJ9s9Fgm*|!7^bbVc zcSfXDIAAcc2f74M2C?rY-H!JP3sBd{*jXTS&aFKRQW4`qAk4uX8c z_d;#ff&F}rJ+YmW@A>W$hjm*)^E5Wz+#mmgnt# zCW&*+h($k!G;{Z9xd}Dzd!gw?6)%}OGMAIBd1!br_mfM8htiX|ZYwp{P|nYt$_Ij`81qnciKw zFGz>^NOZKE6{6cfGP8+J7|<^YE z5bV!IavzRk`u(+gnx8)a?q!Jp0C?JCU|d*uHqm?`8btWbEQsHRw^cuet+l7v!$(jH|s0V!#$3sKlSP2V1IrrAQ&wVDNmd(d z_u28;<=9QLdte`Af5RciVV1)c$4yQWP8Cj%oEe;5oY%QTxx90o=2ql(#ofhylZTwg zI!`yxMV<#d?|J_5lJfHLYVexpwZ~h;JH~sRkC)F0UoGE#zCZjj{NDJx`JV`o2*?W9 z7w8hWDezs8QBYRUiD09UGhrNIlfr(5`-E47ABhl%h>2Jc@g>qBGAnXQw4auvL z|E1)l+N4fNy_Uw6R+4rnohN--`m>CPj0qWEGLtelWj@GK$V$jsl=UcEDBB`?Q}(MI zpPUIfmvS9)%W}`;{>yXAtH@iC_blHgzajrpfk;7I!HR-Ug;j-@ib9Ik6!R5#mFShM zD!EpwQ@Wx|scccXQu%@kxr!x~8dVn62GwQN7itu0(rPx<^3^)kmefhq9jNC z0C?JCU}RumY-f^W5MclTCLm@6LIws0FrNVc6$1eM0C?JMkjqZOKoo}m5xfwiD??m1 z#<*~SZH+Nu2P$4dgdjn;(4oc@C>M(VW5t8k*DC!lUMSY~n@p0`Ilnm=KxA6(!RWf-Vnhz>kb2?MSnsf-?4q6UlxEaW(o{Q@4S2F&_g zYn<1(!z~>6JX66r>U1ceh&;18wIf`iO0G#Z%fgG2%{-b-VKJ=uV52RCT%f6L;M44~5hnw5j%`-y3QU z)lmGJe8-=Q$2HVH8t@GzagAK2J3pkuz0^4-d2}C1Um^R!iEW zo%zhnOyhyxow=Qvo*R&~3ZoNq9EX{inVH#PW(J2jajJV}1uxN)x~h5_s;htfYE`JB ze;!<}TwnP=Ke$yj6{=K0mAfjpS8l7^S-A&Q7^tC+2AXK0jSjl#VFHttJ1X~9?#2|R zu>reaSL}w}u?P0VUf3J^U|;Nq{c!*uf&+074#puk6o=t(9DyTo6pqF*I2Om@c+6lU zW-*6N*o-Zh$5w2^2{;ia;bfeGQ*j!$<8+*XGjSHq#yL0_=iz)@fD3UEF2*Ie6qn(0 zT!AZb6|TlLxE9ypdfb2;aT9KaiCbX7h65J@eGK5i#|{h;AVdU-7&|Kyl?N(4BuJ4V z#{w3ygb|kUP&^C|$0P7aJPMD-WAIo!4v)tZa4VjOC*d~SjyrHC?!w);2T#Vmcna>r zQ}HxB9nZis@hm(W&%tx?JUkySzzgvrycjRROYt(i9IwDD@hZF;ufc2aI=milz#H)< zycuu7Tk$r$9q+(9@h-d@@49|WNAWRy9G}1^@hN;7pTTGGIeZ>p zz!z~pzJxF1EBGqDhOgrr_$I!EZ{s`oF20BF;|KU5euN+6C-^CThM(gX_$7XYU*k9U zEgrz{@O%6Lf5e~gXZ!_!#ozFE`~&~QzwmGT2MCkIF%`C+$Uh(>}B>?MM650rU_$kPf1Q=@2@U4x_{A2s)CEqNC{; zI+l*3<7tLA(k#uIjC>7 z-w(oO=9z(&3%(JTO_v@)Yh^(OM$U!Yjtkg3+ z8Hy&aCQK{HjLZ*(kx0w!x^giJSW(^0u~E-sC2D?T%cV{nSR>Q%6DJV7XDqC&k%)dG zQm?68(F+FB85;e-8npQ^ZtTfOr0oS6`P35ad>Xxe(RE}XIiBDMsSE3+nTSo>a)ygm;`aI$hj45) z$BLnXUW+XT0RuzEjlN7&e^(D58+xVEsEHlI$-2DHLL!Tk_r``kLMsmP)KtJ|hkjJ5 zodQH!Z^)sRy`8z>knlWZwfv|ri)pEo2oa^8%zEXt0u?QuSZHnAipHvyByv&v(J55z zMYGWJxcsgWp+lr_#O|d2vM~F35OhmD4Xq%U5=%~Ch1QB&#=!40?1a_l97#k|j2LKq z8!e?cflNi0qZ0YiKo75RJR{L`tUyGrmDCd}a%I?XWEk=t*F$R%iL5=2S01m#QTfMk z&lZKqdVKUaR!cgZu-!hRP$b1>ozhS)OqPx>h$QoQ$LZ4cWa2L~e666xh<iEs`zz z8RN1DyaJhmy|%gq;!WN>k=3CX8Jx{&vvfJ_WnLcIDf_AdH(6TBU1hg4k$6_n?`U=@ zIHjT1Ws2wpel%oo7NKm!dFt`8dYnBXVcIa&XH6k~ROiiOZ`2w1yn|ifpkN2JO)X#? zaBx+=cQnL{jV8v)TbOMD!^_vNz;E;NopD9aA}MB zV!}D^)iNs`rgdgiK1|C_e9?ETRJ0Xxi#(|f5}C(_ie-&4lDlR1Fw}cFD1OJU?1#2)EKjPaTY=GG=- zJK?*xm=T%t+JSPyWLVfu<^{gzftb)CHpdmLTbKn>8>*C=q1)lPnI}^YzG$YopQ#&b zDp08%>kbzxA-KXwW@S|=bvaQ-uya4)6AYR>IaYP2Wre)E6*;0F3U}ydoxXC3ciAD> zb-{JOD`=`e(-+gO%xwjwNJU)ZZ(UD;zja-Vzjd}cS9^7SXU)Xsct(45Xu}ohkjq9r zuwo@NP_k|)ZFMf4jolL88gK2Lxy;I?3$?gsK5Z27VT!ReuKvNOT~YxDW@;@3Y8qNY zgUW7;rC4QQal3qhaWSrzhU`eKtvL*X?B%yqHlHksx$E}H5sp+-(gw+oGjZJq1J`SP-goi7~01yn7l!Z@+2n)>18`66&9#)YQvW?GdflhMQ&%Kg;i zh$c*SLKU7R$7O;lt4%t7v}{<{QxeqLE=5plZB0;K76zLQCr#(-j7_G@cEPG8h?$wV zI_|=F_v6%0*A%4bmA-M&GR(P|xt4zVsrBpJ$^K5Pz8rM9E+}7jHUq&)uV7dx8nMN9 z{fyAGu2aIC+c?`UO1`cLoc5g7sW+9+b)r#q zm@HQ9%u&x|(OSvbDa}K+0!HjvHfN+cH@j`aN^iz=YUi0qcmLlmb*$dFTXXRAI!kkt zIXAaSHJiI5uBN$N9;7skCBEj?()j7IGDZcn;WAkGQO%UjFTF8&@f(ZnL1KmVKEG*) zN!4=d%TedXR wKR5n@sM`5}7KXJ&;oFk`aftYr2h7i^W==Jm{tIe%siXh^0003|xQtN%02oC%ivR!s literal 0 HcmV?d00001 diff --git a/docs/img/favicon.ico b/docs/img/favicon.ico new file mode 100644 index 0000000000000000000000000000000000000000..e85006a3ce1c6fd81faa6d5a13095519c4a6fc96 GIT binary patch literal 1150 zcmd6lF-yZh9L1kl>(HSEK`2y^4yB6->f+$wD)=oNY!UheIt03Q=;qj=;8*Bap_4*& za8yAl;wmmx5Yyi^7dXN-WYdJ-{qNqpcez|5t#Fr0qTSYcPTG`I2PBk8r$~4kg^0zN zCJe(rhix3do!L$bZ+IuZ{i08x=JR3=e+M4pv0KsKA??{u_*EFfo|`p&t`Vf=jn{)F z1fKk9hWsmYwqWAP^JO*5u*R;*L&dX3H$%S7oB$f0{ISh{QVXuncnzN67WQH2`lip7 zhX+VI$6x$1+$8gMjh4+1l0N#8_0Fh=N#EwpKk{SeE!)SHFB@xQFX3y+8sF#_@!bDW eIdI-IC`$c%>bk?KbPeN9RHtL<1^)v~#xMt8oB^@` literal 0 HcmV?d00001 diff --git a/docs/index.html b/docs/index.html new file mode 100644 index 0000000..01a1b25 --- /dev/null +++ b/docs/index.html @@ -0,0 +1,458 @@ + + + + + + + + + + + PythonCodes - Python Codes + + + + + + + + + + + + + + + + +

+ + + + +
+ + + + + +
+
+
+
    +
  • Docs »
  • + + + +
  • PythonCodes
  • +
  • + +
  • +
+
+
+
+
+ +

PythonCodes

+

This project was created and maintained by students and tutors from (1 million arab coders initiative).

+

Students from 22 arab countries add their python examples and tutorials to make an encyclopedia for Python language.

+

Getting Started

+

The project is divided into categories , each category contains subcategories and examples for it in three different languages (English , Arabic and French).

+

Contributing

+

see the CONTRIBUTING.md file for details

+

To See list of contributors check CONTIBUTORS.md file for details

+

License

+

This project is licensed under the MIT License - see the LICENSE.md file for details

+ +
+
+ + +
+
+ +
+ +
+ +
+ + + + + Next » + + +
+ + + + + + + + + diff --git a/docs/js/highlight.pack.js b/docs/js/highlight.pack.js new file mode 100644 index 0000000..a5818df --- /dev/null +++ b/docs/js/highlight.pack.js @@ -0,0 +1,2 @@ +!function(e){"undefined"!=typeof exports?e(exports):(window.hljs=e({}),"function"==typeof define&&define.amd&&define([],function(){return window.hljs}))}(function(e){function n(e){return e.replace(/&/gm,"&").replace(//gm,">")}function t(e){return e.nodeName.toLowerCase()}function r(e,n){var t=e&&e.exec(n);return t&&0==t.index}function a(e){var n=(e.className+" "+(e.parentNode?e.parentNode.className:"")).split(/\s+/);return n=n.map(function(e){return e.replace(/^lang(uage)?-/,"")}),n.filter(function(e){return N(e)||/no(-?)highlight|plain|text/.test(e)})[0]}function i(e,n){var t,r={};for(t in e)r[t]=e[t];if(n)for(t in n)r[t]=n[t];return r}function o(e){var n=[];return function r(e,a){for(var i=e.firstChild;i;i=i.nextSibling)3==i.nodeType?a+=i.nodeValue.length:1==i.nodeType&&(n.push({event:"start",offset:a,node:i}),a=r(i,a),t(i).match(/br|hr|img|input/)||n.push({event:"stop",offset:a,node:i}));return a}(e,0),n}function u(e,r,a){function i(){return e.length&&r.length?e[0].offset!=r[0].offset?e[0].offset"}function u(e){l+=""}function c(e){("start"==e.event?o:u)(e.node)}for(var s=0,l="",f=[];e.length||r.length;){var g=i();if(l+=n(a.substr(s,g[0].offset-s)),s=g[0].offset,g==e){f.reverse().forEach(u);do c(g.splice(0,1)[0]),g=i();while(g==e&&g.length&&g[0].offset==s);f.reverse().forEach(o)}else"start"==g[0].event?f.push(g[0].node):f.pop(),c(g.splice(0,1)[0])}return l+n(a.substr(s))}function c(e){function n(e){return e&&e.source||e}function t(t,r){return new RegExp(n(t),"m"+(e.cI?"i":"")+(r?"g":""))}function r(a,o){if(!a.compiled){if(a.compiled=!0,a.k=a.k||a.bK,a.k){var u={},c=function(n,t){e.cI&&(t=t.toLowerCase()),t.split(" ").forEach(function(e){var t=e.split("|");u[t[0]]=[n,t[1]?Number(t[1]):1]})};"string"==typeof a.k?c("keyword",a.k):Object.keys(a.k).forEach(function(e){c(e,a.k[e])}),a.k=u}a.lR=t(a.l||/\b\w+\b/,!0),o&&(a.bK&&(a.b="\\b("+a.bK.split(" ").join("|")+")\\b"),a.b||(a.b=/\B|\b/),a.bR=t(a.b),a.e||a.eW||(a.e=/\B|\b/),a.e&&(a.eR=t(a.e)),a.tE=n(a.e)||"",a.eW&&o.tE&&(a.tE+=(a.e?"|":"")+o.tE)),a.i&&(a.iR=t(a.i)),void 0===a.r&&(a.r=1),a.c||(a.c=[]);var s=[];a.c.forEach(function(e){e.v?e.v.forEach(function(n){s.push(i(e,n))}):s.push("self"==e?a:e)}),a.c=s,a.c.forEach(function(e){r(e,a)}),a.starts&&r(a.starts,o);var l=a.c.map(function(e){return e.bK?"\\.?("+e.b+")\\.?":e.b}).concat([a.tE,a.i]).map(n).filter(Boolean);a.t=l.length?t(l.join("|"),!0):{exec:function(){return null}}}}r(e)}function s(e,t,a,i){function o(e,n){for(var t=0;t";return i+=e+'">',i+n+o}function d(){if(!L.k)return n(y);var e="",t=0;L.lR.lastIndex=0;for(var r=L.lR.exec(y);r;){e+=n(y.substr(t,r.index-t));var a=g(L,r);a?(B+=a[1],e+=p(a[0],n(r[0]))):e+=n(r[0]),t=L.lR.lastIndex,r=L.lR.exec(y)}return e+n(y.substr(t))}function h(){if(L.sL&&!w[L.sL])return n(y);var e=L.sL?s(L.sL,y,!0,M[L.sL]):l(y);return L.r>0&&(B+=e.r),"continuous"==L.subLanguageMode&&(M[L.sL]=e.top),p(e.language,e.value,!1,!0)}function b(){return void 0!==L.sL?h():d()}function v(e,t){var r=e.cN?p(e.cN,"",!0):"";e.rB?(k+=r,y=""):e.eB?(k+=n(t)+r,y=""):(k+=r,y=t),L=Object.create(e,{parent:{value:L}})}function m(e,t){if(y+=e,void 0===t)return k+=b(),0;var r=o(t,L);if(r)return k+=b(),v(r,t),r.rB?0:t.length;var a=u(L,t);if(a){var i=L;i.rE||i.eE||(y+=t),k+=b();do L.cN&&(k+=""),B+=L.r,L=L.parent;while(L!=a.parent);return i.eE&&(k+=n(t)),y="",a.starts&&v(a.starts,""),i.rE?0:t.length}if(f(t,L))throw new Error('Illegal lexeme "'+t+'" for mode "'+(L.cN||"")+'"');return y+=t,t.length||1}var E=N(e);if(!E)throw new Error('Unknown language: "'+e+'"');c(E);var R,L=i||E,M={},k="";for(R=L;R!=E;R=R.parent)R.cN&&(k=p(R.cN,"",!0)+k);var y="",B=0;try{for(var C,j,I=0;;){if(L.t.lastIndex=I,C=L.t.exec(t),!C)break;j=m(t.substr(I,C.index-I),C[0]),I=C.index+j}for(m(t.substr(I)),R=L;R.parent;R=R.parent)R.cN&&(k+="");return{r:B,value:k,language:e,top:L}}catch(S){if(-1!=S.message.indexOf("Illegal"))return{r:0,value:n(t)};throw S}}function l(e,t){t=t||x.languages||Object.keys(w);var r={r:0,value:n(e)},a=r;return t.forEach(function(n){if(N(n)){var t=s(n,e,!1);t.language=n,t.r>a.r&&(a=t),t.r>r.r&&(a=r,r=t)}}),a.language&&(r.second_best=a),r}function f(e){return x.tabReplace&&(e=e.replace(/^((<[^>]+>|\t)+)/gm,function(e,n){return n.replace(/\t/g,x.tabReplace)})),x.useBR&&(e=e.replace(/\n/g,"
")),e}function g(e,n,t){var r=n?E[n]:t,a=[e.trim()];return e.match(/\bhljs\b/)||a.push("hljs"),-1===e.indexOf(r)&&a.push(r),a.join(" ").trim()}function p(e){var n=a(e);if(!/no(-?)highlight|plain|text/.test(n)){var t;x.useBR?(t=document.createElementNS("http://www.w3.org/1999/xhtml","div"),t.innerHTML=e.innerHTML.replace(/\n/g,"").replace(//g,"\n")):t=e;var r=t.textContent,i=n?s(n,r,!0):l(r),c=o(t);if(c.length){var p=document.createElementNS("http://www.w3.org/1999/xhtml","div");p.innerHTML=i.value,i.value=u(c,o(p),r)}i.value=f(i.value),e.innerHTML=i.value,e.className=g(e.className,n,i.language),e.result={language:i.language,re:i.r},i.second_best&&(e.second_best={language:i.second_best.language,re:i.second_best.r})}}function d(e){x=i(x,e)}function h(){if(!h.called){h.called=!0;var e=document.querySelectorAll("pre code");Array.prototype.forEach.call(e,p)}}function b(){addEventListener("DOMContentLoaded",h,!1),addEventListener("load",h,!1)}function v(n,t){var r=w[n]=t(e);r.aliases&&r.aliases.forEach(function(e){E[e]=n})}function m(){return Object.keys(w)}function N(e){return w[e]||w[E[e]]}var x={classPrefix:"hljs-",tabReplace:null,useBR:!1,languages:void 0},w={},E={};return e.highlight=s,e.highlightAuto=l,e.fixMarkup=f,e.highlightBlock=p,e.configure=d,e.initHighlighting=h,e.initHighlightingOnLoad=b,e.registerLanguage=v,e.listLanguages=m,e.getLanguage=N,e.inherit=i,e.IR="[a-zA-Z]\\w*",e.UIR="[a-zA-Z_]\\w*",e.NR="\\b\\d+(\\.\\d+)?",e.CNR="\\b(0[xX][a-fA-F0-9]+|(\\d+(\\.\\d*)?|\\.\\d+)([eE][-+]?\\d+)?)",e.BNR="\\b(0b[01]+)",e.RSR="!|!=|!==|%|%=|&|&&|&=|\\*|\\*=|\\+|\\+=|,|-|-=|/=|/|:|;|<<|<<=|<=|<|===|==|=|>>>=|>>=|>=|>>>|>>|>|\\?|\\[|\\{|\\(|\\^|\\^=|\\||\\|=|\\|\\||~",e.BE={b:"\\\\[\\s\\S]",r:0},e.ASM={cN:"string",b:"'",e:"'",i:"\\n",c:[e.BE]},e.QSM={cN:"string",b:'"',e:'"',i:"\\n",c:[e.BE]},e.PWM={b:/\b(a|an|the|are|I|I'm|isn't|don't|doesn't|won't|but|just|should|pretty|simply|enough|gonna|going|wtf|so|such)\b/},e.C=function(n,t,r){var a=e.inherit({cN:"comment",b:n,e:t,c:[]},r||{});return a.c.push(e.PWM),a},e.CLCM=e.C("//","$"),e.CBCM=e.C("/\\*","\\*/"),e.HCM=e.C("#","$"),e.NM={cN:"number",b:e.NR,r:0},e.CNM={cN:"number",b:e.CNR,r:0},e.BNM={cN:"number",b:e.BNR,r:0},e.CSSNM={cN:"number",b:e.NR+"(%|em|ex|ch|rem|vw|vh|vmin|vmax|cm|mm|in|pt|pc|px|deg|grad|rad|turn|s|ms|Hz|kHz|dpi|dpcm|dppx)?",r:0},e.RM={cN:"regexp",b:/\//,e:/\/[gimuy]*/,i:/\n/,c:[e.BE,{b:/\[/,e:/\]/,r:0,c:[e.BE]}]},e.TM={cN:"title",b:e.IR,r:0},e.UTM={cN:"title",b:e.UIR,r:0},e});hljs.registerLanguage("objectivec",function(e){var t={cN:"built_in",b:"(AV|CA|CF|CG|CI|MK|MP|NS|UI)\\w+"},i={keyword:"int float while char export sizeof typedef const struct for union unsigned long volatile static bool mutable if do return goto void enum else break extern asm case short default double register explicit signed typename this switch continue wchar_t inline readonly assign readwrite self @synchronized id typeof nonatomic super unichar IBOutlet IBAction strong weak copy in out inout bycopy byref oneway __strong __weak __block __autoreleasing @private @protected @public @try @property @end @throw @catch @finally @autoreleasepool @synthesize @dynamic @selector @optional @required",literal:"false true FALSE TRUE nil YES NO NULL",built_in:"BOOL dispatch_once_t dispatch_queue_t dispatch_sync dispatch_async dispatch_once"},o=/[a-zA-Z@][a-zA-Z0-9_]*/,n="@interface @class @protocol @implementation";return{aliases:["m","mm","objc","obj-c"],k:i,l:o,i:""}]}]},{cN:"class",b:"("+n.split(" ").join("|")+")\\b",e:"({|$)",eE:!0,k:n,l:o,c:[e.UTM]},{cN:"variable",b:"\\."+e.UIR,r:0}]}});hljs.registerLanguage("sql",function(e){var t=e.C("--","$");return{cI:!0,i:/[<>]/,c:[{cN:"operator",bK:"begin end start commit rollback savepoint lock alter create drop rename call delete do handler insert load replace select truncate update set show pragma grant merge describe use explain help declare prepare execute deallocate savepoint release unlock purge reset change stop analyze cache flush optimize repair kill install uninstall checksum restore check backup revoke",e:/;/,eW:!0,k:{keyword:"abs absolute acos action add adddate addtime aes_decrypt aes_encrypt after aggregate all allocate alter analyze and any are as asc ascii asin assertion at atan atan2 atn2 authorization authors avg backup before begin benchmark between bin binlog bit_and bit_count bit_length bit_or bit_xor both by cache call cascade cascaded case cast catalog ceil ceiling chain change changed char_length character_length charindex charset check checksum checksum_agg choose close coalesce coercibility collate collation collationproperty column columns columns_updated commit compress concat concat_ws concurrent connect connection connection_id consistent constraint constraints continue contributors conv convert convert_tz corresponding cos cot count count_big crc32 create cross cume_dist curdate current current_date current_time current_timestamp current_user cursor curtime data database databases datalength date_add date_format date_sub dateadd datediff datefromparts datename datepart datetime2fromparts datetimeoffsetfromparts day dayname dayofmonth dayofweek dayofyear deallocate declare decode default deferrable deferred degrees delayed delete des_decrypt des_encrypt des_key_file desc describe descriptor diagnostics difference disconnect distinct distinctrow div do domain double drop dumpfile each else elt enclosed encode encrypt end end-exec engine engines eomonth errors escape escaped event eventdata events except exception exec execute exists exp explain export_set extended external extract fast fetch field fields find_in_set first first_value floor flush for force foreign format found found_rows from from_base64 from_days from_unixtime full function get get_format get_lock getdate getutcdate global go goto grant grants greatest group group_concat grouping grouping_id gtid_subset gtid_subtract handler having help hex high_priority hosts hour ident_current ident_incr ident_seed identified identity if ifnull ignore iif ilike immediate in index indicator inet6_aton inet6_ntoa inet_aton inet_ntoa infile initially inner innodb input insert install instr intersect into is is_free_lock is_ipv4 is_ipv4_compat is_ipv4_mapped is_not is_not_null is_used_lock isdate isnull isolation join key kill language last last_day last_insert_id last_value lcase lead leading least leaves left len lenght level like limit lines ln load load_file local localtime localtimestamp locate lock log log10 log2 logfile logs low_priority lower lpad ltrim make_set makedate maketime master master_pos_wait match matched max md5 medium merge microsecond mid min minute mod mode module month monthname mutex name_const names national natural nchar next no no_write_to_binlog not now nullif nvarchar oct octet_length of old_password on only open optimize option optionally or ord order outer outfile output pad parse partial partition password patindex percent_rank percentile_cont percentile_disc period_add period_diff pi plugin position pow power pragma precision prepare preserve primary prior privileges procedure procedure_analyze processlist profile profiles public publishingservername purge quarter query quick quote quotename radians rand read references regexp relative relaylog release release_lock rename repair repeat replace replicate reset restore restrict return returns reverse revoke right rlike rollback rollup round row row_count rows rpad rtrim savepoint schema scroll sec_to_time second section select serializable server session session_user set sha sha1 sha2 share show sign sin size slave sleep smalldatetimefromparts snapshot some soname soundex sounds_like space sql sql_big_result sql_buffer_result sql_cache sql_calc_found_rows sql_no_cache sql_small_result sql_variant_property sqlstate sqrt square start starting status std stddev stddev_pop stddev_samp stdev stdevp stop str str_to_date straight_join strcmp string stuff subdate substr substring subtime subtring_index sum switchoffset sysdate sysdatetime sysdatetimeoffset system_user sysutcdatetime table tables tablespace tan temporary terminated tertiary_weights then time time_format time_to_sec timediff timefromparts timestamp timestampadd timestampdiff timezone_hour timezone_minute to to_base64 to_days to_seconds todatetimeoffset trailing transaction translation trigger trigger_nestlevel triggers trim truncate try_cast try_convert try_parse ucase uncompress uncompressed_length unhex unicode uninstall union unique unix_timestamp unknown unlock update upgrade upped upper usage use user user_resources using utc_date utc_time utc_timestamp uuid uuid_short validate_password_strength value values var var_pop var_samp variables variance varp version view warnings week weekday weekofyear weight_string when whenever where with work write xml xor year yearweek zon",literal:"true false null",built_in:"array bigint binary bit blob boolean char character date dec decimal float int integer interval number numeric real serial smallint varchar varying int8 serial8 text"},c:[{cN:"string",b:"'",e:"'",c:[e.BE,{b:"''"}]},{cN:"string",b:'"',e:'"',c:[e.BE,{b:'""'}]},{cN:"string",b:"`",e:"`",c:[e.BE]},e.CNM,e.CBCM,t]},e.CBCM,t]}});hljs.registerLanguage("javascript",function(e){return{aliases:["js"],k:{keyword:"in of if for while finally var new function do return void else break catch instanceof with throw case default try this switch continue typeof delete let yield const export super debugger as await",literal:"true false null undefined NaN Infinity",built_in:"eval isFinite isNaN parseFloat parseInt decodeURI decodeURIComponent encodeURI encodeURIComponent escape unescape Object Function Boolean Error EvalError InternalError RangeError ReferenceError StopIteration SyntaxError TypeError URIError Number Math Date String RegExp Array Float32Array Float64Array Int16Array Int32Array Int8Array Uint16Array Uint32Array Uint8Array Uint8ClampedArray ArrayBuffer DataView JSON Intl arguments require module console window document Symbol Set Map WeakSet WeakMap Proxy Reflect Promise"},c:[{cN:"pi",r:10,v:[{b:/^\s*('|")use strict('|")/},{b:/^\s*('|")use asm('|")/}]},e.ASM,e.QSM,{cN:"string",b:"`",e:"`",c:[e.BE,{cN:"subst",b:"\\$\\{",e:"\\}"}]},e.CLCM,e.CBCM,{cN:"number",b:"\\b(0[xXbBoO][a-fA-F0-9]+|(\\d+(\\.\\d*)?|\\.\\d+)([eE][-+]?\\d+)?)",r:0},{b:"("+e.RSR+"|\\b(case|return|throw)\\b)\\s*",k:"return throw case",c:[e.CLCM,e.CBCM,e.RM,{b:/\s*[);\]]/,r:0,sL:"xml"}],r:0},{cN:"function",bK:"function",e:/\{/,eE:!0,c:[e.inherit(e.TM,{b:/[A-Za-z$_][0-9A-Za-z$_]*/}),{cN:"params",b:/\(/,e:/\)/,c:[e.CLCM,e.CBCM],i:/["'\(]/}],i:/\[|%/},{b:/\$[(.]/},{b:"\\."+e.IR,r:0},{bK:"import",e:"[;$]",k:"import from as",c:[e.ASM,e.QSM]},{cN:"class",bK:"class",e:/[{;=]/,eE:!0,i:/[:"\[\]]/,c:[{bK:"extends"},e.UTM]}]}});hljs.registerLanguage("scss",function(e){{var t="[a-zA-Z-][a-zA-Z0-9_-]*",i={cN:"variable",b:"(\\$"+t+")\\b"},r={cN:"function",b:t+"\\(",rB:!0,eE:!0,e:"\\("},o={cN:"hexcolor",b:"#[0-9A-Fa-f]+"};({cN:"attribute",b:"[A-Z\\_\\.\\-]+",e:":",eE:!0,i:"[^\\s]",starts:{cN:"value",eW:!0,eE:!0,c:[r,o,e.CSSNM,e.QSM,e.ASM,e.CBCM,{cN:"important",b:"!important"}]}})}return{cI:!0,i:"[=/|']",c:[e.CLCM,e.CBCM,r,{cN:"id",b:"\\#[A-Za-z0-9_-]+",r:0},{cN:"class",b:"\\.[A-Za-z0-9_-]+",r:0},{cN:"attr_selector",b:"\\[",e:"\\]",i:"$"},{cN:"tag",b:"\\b(a|abbr|acronym|address|area|article|aside|audio|b|base|big|blockquote|body|br|button|canvas|caption|cite|code|col|colgroup|command|datalist|dd|del|details|dfn|div|dl|dt|em|embed|fieldset|figcaption|figure|footer|form|frame|frameset|(h[1-6])|head|header|hgroup|hr|html|i|iframe|img|input|ins|kbd|keygen|label|legend|li|link|map|mark|meta|meter|nav|noframes|noscript|object|ol|optgroup|option|output|p|param|pre|progress|q|rp|rt|ruby|samp|script|section|select|small|span|strike|strong|style|sub|sup|table|tbody|td|textarea|tfoot|th|thead|time|title|tr|tt|ul|var|video)\\b",r:0},{cN:"pseudo",b:":(visited|valid|root|right|required|read-write|read-only|out-range|optional|only-of-type|only-child|nth-of-type|nth-last-of-type|nth-last-child|nth-child|not|link|left|last-of-type|last-child|lang|invalid|indeterminate|in-range|hover|focus|first-of-type|first-line|first-letter|first-child|first|enabled|empty|disabled|default|checked|before|after|active)"},{cN:"pseudo",b:"::(after|before|choices|first-letter|first-line|repeat-index|repeat-item|selection|value)"},i,{cN:"attribute",b:"\\b(z-index|word-wrap|word-spacing|word-break|width|widows|white-space|visibility|vertical-align|unicode-bidi|transition-timing-function|transition-property|transition-duration|transition-delay|transition|transform-style|transform-origin|transform|top|text-underline-position|text-transform|text-shadow|text-rendering|text-overflow|text-indent|text-decoration-style|text-decoration-line|text-decoration-color|text-decoration|text-align-last|text-align|tab-size|table-layout|right|resize|quotes|position|pointer-events|perspective-origin|perspective|page-break-inside|page-break-before|page-break-after|padding-top|padding-right|padding-left|padding-bottom|padding|overflow-y|overflow-x|overflow-wrap|overflow|outline-width|outline-style|outline-offset|outline-color|outline|orphans|order|opacity|object-position|object-fit|normal|none|nav-up|nav-right|nav-left|nav-index|nav-down|min-width|min-height|max-width|max-height|mask|marks|margin-top|margin-right|margin-left|margin-bottom|margin|list-style-type|list-style-position|list-style-image|list-style|line-height|letter-spacing|left|justify-content|initial|inherit|ime-mode|image-orientation|image-resolution|image-rendering|icon|hyphens|height|font-weight|font-variant-ligatures|font-variant|font-style|font-stretch|font-size-adjust|font-size|font-language-override|font-kerning|font-feature-settings|font-family|font|float|flex-wrap|flex-shrink|flex-grow|flex-flow|flex-direction|flex-basis|flex|filter|empty-cells|display|direction|cursor|counter-reset|counter-increment|content|column-width|column-span|column-rule-width|column-rule-style|column-rule-color|column-rule|column-gap|column-fill|column-count|columns|color|clip-path|clip|clear|caption-side|break-inside|break-before|break-after|box-sizing|box-shadow|box-decoration-break|bottom|border-width|border-top-width|border-top-style|border-top-right-radius|border-top-left-radius|border-top-color|border-top|border-style|border-spacing|border-right-width|border-right-style|border-right-color|border-right|border-radius|border-left-width|border-left-style|border-left-color|border-left|border-image-width|border-image-source|border-image-slice|border-image-repeat|border-image-outset|border-image|border-color|border-collapse|border-bottom-width|border-bottom-style|border-bottom-right-radius|border-bottom-left-radius|border-bottom-color|border-bottom|border|background-size|background-repeat|background-position|background-origin|background-image|background-color|background-clip|background-attachment|background-blend-mode|background|backface-visibility|auto|animation-timing-function|animation-play-state|animation-name|animation-iteration-count|animation-fill-mode|animation-duration|animation-direction|animation-delay|animation|align-self|align-items|align-content)\\b",i:"[^\\s]"},{cN:"value",b:"\\b(whitespace|wait|w-resize|visible|vertical-text|vertical-ideographic|uppercase|upper-roman|upper-alpha|underline|transparent|top|thin|thick|text|text-top|text-bottom|tb-rl|table-header-group|table-footer-group|sw-resize|super|strict|static|square|solid|small-caps|separate|se-resize|scroll|s-resize|rtl|row-resize|ridge|right|repeat|repeat-y|repeat-x|relative|progress|pointer|overline|outside|outset|oblique|nowrap|not-allowed|normal|none|nw-resize|no-repeat|no-drop|newspaper|ne-resize|n-resize|move|middle|medium|ltr|lr-tb|lowercase|lower-roman|lower-alpha|loose|list-item|line|line-through|line-edge|lighter|left|keep-all|justify|italic|inter-word|inter-ideograph|inside|inset|inline|inline-block|inherit|inactive|ideograph-space|ideograph-parenthesis|ideograph-numeric|ideograph-alpha|horizontal|hidden|help|hand|groove|fixed|ellipsis|e-resize|double|dotted|distribute|distribute-space|distribute-letter|distribute-all-lines|disc|disabled|default|decimal|dashed|crosshair|collapse|col-resize|circle|char|center|capitalize|break-word|break-all|bottom|both|bolder|bold|block|bidi-override|below|baseline|auto|always|all-scroll|absolute|table|table-cell)\\b"},{cN:"value",b:":",e:";",c:[r,i,o,e.CSSNM,e.QSM,e.ASM,{cN:"important",b:"!important"}]},{cN:"at_rule",b:"@",e:"[{;]",k:"mixin include extend for if else each while charset import debug media page content font-face namespace warn",c:[r,i,e.QSM,e.ASM,o,e.CSSNM,{cN:"preprocessor",b:"\\s[A-Za-z0-9_.-]+",r:0}]}]}});hljs.registerLanguage("mel",function(e){return{k:"int float string vector matrix if else switch case default while do for in break continue global proc return about abs addAttr addAttributeEditorNodeHelp addDynamic addNewShelfTab addPP addPanelCategory addPrefixToName advanceToNextDrivenKey affectedNet affects aimConstraint air alias aliasAttr align alignCtx alignCurve alignSurface allViewFit ambientLight angle angleBetween animCone animCurveEditor animDisplay animView annotate appendStringArray applicationName applyAttrPreset applyTake arcLenDimContext arcLengthDimension arclen arrayMapper art3dPaintCtx artAttrCtx artAttrPaintVertexCtx artAttrSkinPaintCtx artAttrTool artBuildPaintMenu artFluidAttrCtx artPuttyCtx artSelectCtx artSetPaintCtx artUserPaintCtx assignCommand assignInputDevice assignViewportFactories attachCurve attachDeviceAttr attachSurface attrColorSliderGrp attrCompatibility attrControlGrp attrEnumOptionMenu attrEnumOptionMenuGrp attrFieldGrp attrFieldSliderGrp attrNavigationControlGrp attrPresetEditWin attributeExists attributeInfo attributeMenu attributeQuery autoKeyframe autoPlace bakeClip bakeFluidShading bakePartialHistory bakeResults bakeSimulation basename basenameEx batchRender bessel bevel bevelPlus binMembership bindSkin blend2 blendShape blendShapeEditor blendShapePanel blendTwoAttr blindDataType boneLattice boundary boxDollyCtx boxZoomCtx bufferCurve buildBookmarkMenu buildKeyframeMenu button buttonManip CBG cacheFile cacheFileCombine cacheFileMerge cacheFileTrack camera cameraView canCreateManip canvas capitalizeString catch catchQuiet ceil changeSubdivComponentDisplayLevel changeSubdivRegion channelBox character characterMap characterOutlineEditor characterize chdir checkBox checkBoxGrp checkDefaultRenderGlobals choice circle circularFillet clamp clear clearCache clip clipEditor clipEditorCurrentTimeCtx clipSchedule clipSchedulerOutliner clipTrimBefore closeCurve closeSurface cluster cmdFileOutput cmdScrollFieldExecuter cmdScrollFieldReporter cmdShell coarsenSubdivSelectionList collision color colorAtPoint colorEditor colorIndex colorIndexSliderGrp colorSliderButtonGrp colorSliderGrp columnLayout commandEcho commandLine commandPort compactHairSystem componentEditor compositingInterop computePolysetVolume condition cone confirmDialog connectAttr connectControl connectDynamic connectJoint connectionInfo constrain constrainValue constructionHistory container containsMultibyte contextInfo control convertFromOldLayers convertIffToPsd convertLightmap convertSolidTx convertTessellation convertUnit copyArray copyFlexor copyKey copySkinWeights cos cpButton cpCache cpClothSet cpCollision cpConstraint cpConvClothToMesh cpForces cpGetSolverAttr cpPanel cpProperty cpRigidCollisionFilter cpSeam cpSetEdit cpSetSolverAttr cpSolver cpSolverTypes cpTool cpUpdateClothUVs createDisplayLayer createDrawCtx createEditor createLayeredPsdFile createMotionField createNewShelf createNode createRenderLayer createSubdivRegion cross crossProduct ctxAbort ctxCompletion ctxEditMode ctxTraverse currentCtx currentTime currentTimeCtx currentUnit curve curveAddPtCtx curveCVCtx curveEPCtx curveEditorCtx curveIntersect curveMoveEPCtx curveOnSurface curveSketchCtx cutKey cycleCheck cylinder dagPose date defaultLightListCheckBox defaultNavigation defineDataServer defineVirtualDevice deformer deg_to_rad delete deleteAttr deleteShadingGroupsAndMaterials deleteShelfTab deleteUI deleteUnusedBrushes delrandstr detachCurve detachDeviceAttr detachSurface deviceEditor devicePanel dgInfo dgdirty dgeval dgtimer dimWhen directKeyCtx directionalLight dirmap dirname disable disconnectAttr disconnectJoint diskCache displacementToPoly displayAffected displayColor displayCull displayLevelOfDetail displayPref displayRGBColor displaySmoothness displayStats displayString displaySurface distanceDimContext distanceDimension doBlur dolly dollyCtx dopeSheetEditor dot dotProduct doubleProfileBirailSurface drag dragAttrContext draggerContext dropoffLocator duplicate duplicateCurve duplicateSurface dynCache dynControl dynExport dynExpression dynGlobals dynPaintEditor dynParticleCtx dynPref dynRelEdPanel dynRelEditor dynamicLoad editAttrLimits editDisplayLayerGlobals editDisplayLayerMembers editRenderLayerAdjustment editRenderLayerGlobals editRenderLayerMembers editor editorTemplate effector emit emitter enableDevice encodeString endString endsWith env equivalent equivalentTol erf error eval evalDeferred evalEcho event exactWorldBoundingBox exclusiveLightCheckBox exec executeForEachObject exists exp expression expressionEditorListen extendCurve extendSurface extrude fcheck fclose feof fflush fgetline fgetword file fileBrowserDialog fileDialog fileExtension fileInfo filetest filletCurve filter filterCurve filterExpand filterStudioImport findAllIntersections findAnimCurves findKeyframe findMenuItem findRelatedSkinCluster finder firstParentOf fitBspline flexor floatEq floatField floatFieldGrp floatScrollBar floatSlider floatSlider2 floatSliderButtonGrp floatSliderGrp floor flow fluidCacheInfo fluidEmitter fluidVoxelInfo flushUndo fmod fontDialog fopen formLayout format fprint frameLayout fread freeFormFillet frewind fromNativePath fwrite gamma gauss geometryConstraint getApplicationVersionAsFloat getAttr getClassification getDefaultBrush getFileList getFluidAttr getInputDeviceRange getMayaPanelTypes getModifiers getPanel getParticleAttr getPluginResource getenv getpid glRender glRenderEditor globalStitch gmatch goal gotoBindPose grabColor gradientControl gradientControlNoAttr graphDollyCtx graphSelectContext graphTrackCtx gravity grid gridLayout group groupObjectsByName HfAddAttractorToAS HfAssignAS HfBuildEqualMap HfBuildFurFiles HfBuildFurImages HfCancelAFR HfConnectASToHF HfCreateAttractor HfDeleteAS HfEditAS HfPerformCreateAS HfRemoveAttractorFromAS HfSelectAttached HfSelectAttractors HfUnAssignAS hardenPointCurve hardware hardwareRenderPanel headsUpDisplay headsUpMessage help helpLine hermite hide hilite hitTest hotBox hotkey hotkeyCheck hsv_to_rgb hudButton hudSlider hudSliderButton hwReflectionMap hwRender hwRenderLoad hyperGraph hyperPanel hyperShade hypot iconTextButton iconTextCheckBox iconTextRadioButton iconTextRadioCollection iconTextScrollList iconTextStaticLabel ikHandle ikHandleCtx ikHandleDisplayScale ikSolver ikSplineHandleCtx ikSystem ikSystemInfo ikfkDisplayMethod illustratorCurves image imfPlugins inheritTransform insertJoint insertJointCtx insertKeyCtx insertKnotCurve insertKnotSurface instance instanceable instancer intField intFieldGrp intScrollBar intSlider intSliderGrp interToUI internalVar intersect iprEngine isAnimCurve isConnected isDirty isParentOf isSameObject isTrue isValidObjectName isValidString isValidUiName isolateSelect itemFilter itemFilterAttr itemFilterRender itemFilterType joint jointCluster jointCtx jointDisplayScale jointLattice keyTangent keyframe keyframeOutliner keyframeRegionCurrentTimeCtx keyframeRegionDirectKeyCtx keyframeRegionDollyCtx keyframeRegionInsertKeyCtx keyframeRegionMoveKeyCtx keyframeRegionScaleKeyCtx keyframeRegionSelectKeyCtx keyframeRegionSetKeyCtx keyframeRegionTrackCtx keyframeStats lassoContext lattice latticeDeformKeyCtx launch launchImageEditor layerButton layeredShaderPort layeredTexturePort layout layoutDialog lightList lightListEditor lightListPanel lightlink lineIntersection linearPrecision linstep listAnimatable listAttr listCameras listConnections listDeviceAttachments listHistory listInputDeviceAxes listInputDeviceButtons listInputDevices listMenuAnnotation listNodeTypes listPanelCategories listRelatives listSets listTransforms listUnselected listerEditor loadFluid loadNewShelf loadPlugin loadPluginLanguageResources loadPrefObjects localizedPanelLabel lockNode loft log longNameOf lookThru ls lsThroughFilter lsType lsUI Mayatomr mag makeIdentity makeLive makePaintable makeRoll makeSingleSurface makeTubeOn makebot manipMoveContext manipMoveLimitsCtx manipOptions manipRotateContext manipRotateLimitsCtx manipScaleContext manipScaleLimitsCtx marker match max memory menu menuBarLayout menuEditor menuItem menuItemToShelf menuSet menuSetPref messageLine min minimizeApp mirrorJoint modelCurrentTimeCtx modelEditor modelPanel mouse movIn movOut move moveIKtoFK moveKeyCtx moveVertexAlongDirection multiProfileBirailSurface mute nParticle nameCommand nameField namespace namespaceInfo newPanelItems newton nodeCast nodeIconButton nodeOutliner nodePreset nodeType noise nonLinear normalConstraint normalize nurbsBoolean nurbsCopyUVSet nurbsCube nurbsEditUV nurbsPlane nurbsSelect nurbsSquare nurbsToPoly nurbsToPolygonsPref nurbsToSubdiv nurbsToSubdivPref nurbsUVSet nurbsViewDirectionVector objExists objectCenter objectLayer objectType objectTypeUI obsoleteProc oceanNurbsPreviewPlane offsetCurve offsetCurveOnSurface offsetSurface openGLExtension openMayaPref optionMenu optionMenuGrp optionVar orbit orbitCtx orientConstraint outlinerEditor outlinerPanel overrideModifier paintEffectsDisplay pairBlend palettePort paneLayout panel panelConfiguration panelHistory paramDimContext paramDimension paramLocator parent parentConstraint particle particleExists particleInstancer particleRenderInfo partition pasteKey pathAnimation pause pclose percent performanceOptions pfxstrokes pickWalk picture pixelMove planarSrf plane play playbackOptions playblast plugAttr plugNode pluginInfo pluginResourceUtil pointConstraint pointCurveConstraint pointLight pointMatrixMult pointOnCurve pointOnSurface pointPosition poleVectorConstraint polyAppend polyAppendFacetCtx polyAppendVertex polyAutoProjection polyAverageNormal polyAverageVertex polyBevel polyBlendColor polyBlindData polyBoolOp polyBridgeEdge polyCacheMonitor polyCheck polyChipOff polyClipboard polyCloseBorder polyCollapseEdge polyCollapseFacet polyColorBlindData polyColorDel polyColorPerVertex polyColorSet polyCompare polyCone polyCopyUV polyCrease polyCreaseCtx polyCreateFacet polyCreateFacetCtx polyCube polyCut polyCutCtx polyCylinder polyCylindricalProjection polyDelEdge polyDelFacet polyDelVertex polyDuplicateAndConnect polyDuplicateEdge polyEditUV polyEditUVShell polyEvaluate polyExtrudeEdge polyExtrudeFacet polyExtrudeVertex polyFlipEdge polyFlipUV polyForceUV polyGeoSampler polyHelix polyInfo polyInstallAction polyLayoutUV polyListComponentConversion polyMapCut polyMapDel polyMapSew polyMapSewMove polyMergeEdge polyMergeEdgeCtx polyMergeFacet polyMergeFacetCtx polyMergeUV polyMergeVertex polyMirrorFace polyMoveEdge polyMoveFacet polyMoveFacetUV polyMoveUV polyMoveVertex polyNormal polyNormalPerVertex polyNormalizeUV polyOptUvs polyOptions polyOutput polyPipe polyPlanarProjection polyPlane polyPlatonicSolid polyPoke polyPrimitive polyPrism polyProjection polyPyramid polyQuad polyQueryBlindData polyReduce polySelect polySelectConstraint polySelectConstraintMonitor polySelectCtx polySelectEditCtx polySeparate polySetToFaceNormal polySewEdge polyShortestPathCtx polySmooth polySoftEdge polySphere polySphericalProjection polySplit polySplitCtx polySplitEdge polySplitRing polySplitVertex polyStraightenUVBorder polySubdivideEdge polySubdivideFacet polyToSubdiv polyTorus polyTransfer polyTriangulate polyUVSet polyUnite polyWedgeFace popen popupMenu pose pow preloadRefEd print progressBar progressWindow projFileViewer projectCurve projectTangent projectionContext projectionManip promptDialog propModCtx propMove psdChannelOutliner psdEditTextureFile psdExport psdTextureFile putenv pwd python querySubdiv quit rad_to_deg radial radioButton radioButtonGrp radioCollection radioMenuItemCollection rampColorPort rand randomizeFollicles randstate rangeControl readTake rebuildCurve rebuildSurface recordAttr recordDevice redo reference referenceEdit referenceQuery refineSubdivSelectionList refresh refreshAE registerPluginResource rehash reloadImage removeJoint removeMultiInstance removePanelCategory rename renameAttr renameSelectionList renameUI render renderGlobalsNode renderInfo renderLayerButton renderLayerParent renderLayerPostProcess renderLayerUnparent renderManip renderPartition renderQualityNode renderSettings renderThumbnailUpdate renderWindowEditor renderWindowSelectContext renderer reorder reorderDeformers requires reroot resampleFluid resetAE resetPfxToPolyCamera resetTool resolutionNode retarget reverseCurve reverseSurface revolve rgb_to_hsv rigidBody rigidSolver roll rollCtx rootOf rot rotate rotationInterpolation roundConstantRadius rowColumnLayout rowLayout runTimeCommand runup sampleImage saveAllShelves saveAttrPreset saveFluid saveImage saveInitialState saveMenu savePrefObjects savePrefs saveShelf saveToolSettings scale scaleBrushBrightness scaleComponents scaleConstraint scaleKey scaleKeyCtx sceneEditor sceneUIReplacement scmh scriptCtx scriptEditorInfo scriptJob scriptNode scriptTable scriptToShelf scriptedPanel scriptedPanelType scrollField scrollLayout sculpt searchPathArray seed selLoadSettings select selectContext selectCurveCV selectKey selectKeyCtx selectKeyframeRegionCtx selectMode selectPref selectPriority selectType selectedNodes selectionConnection separator setAttr setAttrEnumResource setAttrMapping setAttrNiceNameResource setConstraintRestPosition setDefaultShadingGroup setDrivenKeyframe setDynamic setEditCtx setEditor setFluidAttr setFocus setInfinity setInputDeviceMapping setKeyCtx setKeyPath setKeyframe setKeyframeBlendshapeTargetWts setMenuMode setNodeNiceNameResource setNodeTypeFlag setParent setParticleAttr setPfxToPolyCamera setPluginResource setProject setStampDensity setStartupMessage setState setToolTo setUITemplate setXformManip sets shadingConnection shadingGeometryRelCtx shadingLightRelCtx shadingNetworkCompare shadingNode shapeCompare shelfButton shelfLayout shelfTabLayout shellField shortNameOf showHelp showHidden showManipCtx showSelectionInTitle showShadingGroupAttrEditor showWindow sign simplify sin singleProfileBirailSurface size sizeBytes skinCluster skinPercent smoothCurve smoothTangentSurface smoothstep snap2to2 snapKey snapMode snapTogetherCtx snapshot soft softMod softModCtx sort sound soundControl source spaceLocator sphere sphrand spotLight spotLightPreviewPort spreadSheetEditor spring sqrt squareSurface srtContext stackTrace startString startsWith stitchAndExplodeShell stitchSurface stitchSurfacePoints strcmp stringArrayCatenate stringArrayContains stringArrayCount stringArrayInsertAtIndex stringArrayIntersector stringArrayRemove stringArrayRemoveAtIndex stringArrayRemoveDuplicates stringArrayRemoveExact stringArrayToString stringToStringArray strip stripPrefixFromName stroke subdAutoProjection subdCleanTopology subdCollapse subdDuplicateAndConnect subdEditUV subdListComponentConversion subdMapCut subdMapSewMove subdMatchTopology subdMirror subdToBlind subdToPoly subdTransferUVsToCache subdiv subdivCrease subdivDisplaySmoothness substitute substituteAllString substituteGeometry substring surface surfaceSampler surfaceShaderList swatchDisplayPort switchTable symbolButton symbolCheckBox sysFile system tabLayout tan tangentConstraint texLatticeDeformContext texManipContext texMoveContext texMoveUVShellContext texRotateContext texScaleContext texSelectContext texSelectShortestPathCtx texSmudgeUVContext texWinToolCtx text textCurves textField textFieldButtonGrp textFieldGrp textManip textScrollList textToShelf textureDisplacePlane textureHairColor texturePlacementContext textureWindow threadCount threePointArcCtx timeControl timePort timerX toNativePath toggle toggleAxis toggleWindowVisibility tokenize tokenizeList tolerance tolower toolButton toolCollection toolDropped toolHasOptions toolPropertyWindow torus toupper trace track trackCtx transferAttributes transformCompare transformLimits translator trim trunc truncateFluidCache truncateHairCache tumble tumbleCtx turbulence twoPointArcCtx uiRes uiTemplate unassignInputDevice undo undoInfo ungroup uniform unit unloadPlugin untangleUV untitledFileName untrim upAxis updateAE userCtx uvLink uvSnapshot validateShelfName vectorize view2dToolCtx viewCamera viewClipPlane viewFit viewHeadOn viewLookAt viewManip viewPlace viewSet visor volumeAxis vortex waitCursor warning webBrowser webBrowserPrefs whatIs window windowPref wire wireContext workspace wrinkle wrinkleContext writeTake xbmLangPathList xform",i:"",o={cN:"params",b:"\\([^\\(]",rB:!0,c:[{b:/\(/,e:/\)/,k:c,c:["self"].concat(r)}]};return{aliases:["coffee","cson","iced"],k:c,i:/\/\*/,c:r.concat([e.C("###","###"),e.HCM,{cN:"function",b:"^\\s*"+n+"\\s*=\\s*"+s,e:"[-=]>",rB:!0,c:[i,o]},{b:/[:\(,=]\s*/,r:0,c:[{cN:"function",b:s,e:"[-=]>",rB:!0,c:[o]}]},{cN:"class",bK:"class",e:"$",i:/[:="\[\]]/,c:[{bK:"extends",eW:!0,i:/[:="\[\]]/,c:[i]},i]},{cN:"attribute",b:n+":",e:":",rB:!0,rE:!0,r:0}])}});hljs.registerLanguage("tex",function(c){var e={cN:"command",b:"\\\\[a-zA-Zа-яА-я]+[\\*]?"},m={cN:"command",b:"\\\\[^a-zA-Zа-яА-я0-9]"},r={cN:"special",b:"[{}\\[\\]\\&#~]",r:0};return{c:[{b:"\\\\[a-zA-Zа-яА-я]+[\\*]? *= *-?\\d*\\.?\\d+(pt|pc|mm|cm|in|dd|cc|ex|em)?",rB:!0,c:[e,m,{cN:"number",b:" *=",e:"-?\\d*\\.?\\d+(pt|pc|mm|cm|in|dd|cc|ex|em)?",eB:!0}],r:10},e,m,r,{cN:"formula",b:"\\$\\$",e:"\\$\\$",c:[e,m,r],r:0},{cN:"formula",b:"\\$",e:"\\$",c:[e,m,r],r:0},c.C("%","$",{r:0})]}});hljs.registerLanguage("go",function(e){var t={keyword:"break default func interface select case map struct chan else goto package switch const fallthrough if range type continue for import return var go defer",constant:"true false iota nil",typename:"bool byte complex64 complex128 float32 float64 int8 int16 int32 int64 string uint8 uint16 uint32 uint64 int uint uintptr rune",built_in:"append cap close complex copy imag len make new panic print println real recover delete"};return{aliases:["golang"],k:t,i:"",sL:"vbscript"}]}});hljs.registerLanguage("haskell",function(e){var c=[e.C("--","$"),e.C("{-","-}",{c:["self"]})],a={cN:"pragma",b:"{-#",e:"#-}"},i={cN:"preprocessor",b:"^#",e:"$"},n={cN:"type",b:"\\b[A-Z][\\w']*",r:0},t={cN:"container",b:"\\(",e:"\\)",i:'"',c:[a,i,{cN:"type",b:"\\b[A-Z][\\w]*(\\((\\.\\.|,|\\w+)\\))?"},e.inherit(e.TM,{b:"[_a-z][\\w']*"})].concat(c)},l={cN:"container",b:"{",e:"}",c:t.c};return{aliases:["hs"],k:"let in if then else case of where do module import hiding qualified type data newtype deriving class instance as default infix infixl infixr foreign export ccall stdcall cplusplus jvm dotnet safe unsafe family forall mdo proc rec",c:[{cN:"module",b:"\\bmodule\\b",e:"where",k:"module where",c:[t].concat(c),i:"\\W\\.|;"},{cN:"import",b:"\\bimport\\b",e:"$",k:"import|0 qualified as hiding",c:[t].concat(c),i:"\\W\\.|;"},{cN:"class",b:"^(\\s*)?(class|instance)\\b",e:"where",k:"class family instance where",c:[n,t].concat(c)},{cN:"typedef",b:"\\b(data|(new)?type)\\b",e:"$",k:"data family type newtype deriving",c:[a,n,t,l].concat(c)},{cN:"default",bK:"default",e:"$",c:[n,t].concat(c)},{cN:"infix",bK:"infix infixl infixr",e:"$",c:[e.CNM].concat(c)},{cN:"foreign",b:"\\bforeign\\b",e:"$",k:"foreign import export ccall stdcall cplusplus jvm dotnet safe unsafe",c:[n,e.QSM].concat(c)},{cN:"shebang",b:"#!\\/usr\\/bin\\/env runhaskell",e:"$"},a,i,e.QSM,e.CNM,n,e.inherit(e.TM,{b:"^[_a-z][\\w']*"}),{b:"->|<-"}].concat(c)}});hljs.registerLanguage("scilab",function(e){var n=[e.CNM,{cN:"string",b:"'|\"",e:"'|\"",c:[e.BE,{b:"''"}]}];return{aliases:["sci"],k:{keyword:"abort break case clear catch continue do elseif else endfunction end for functionglobal if pause return resume select try then while%f %F %t %T %pi %eps %inf %nan %e %i %z %s",built_in:"abs and acos asin atan ceil cd chdir clearglobal cosh cos cumprod deff disp errorexec execstr exists exp eye gettext floor fprintf fread fsolve imag isdef isemptyisinfisnan isvector lasterror length load linspace list listfiles log10 log2 logmax min msprintf mclose mopen ones or pathconvert poly printf prod pwd rand realround sinh sin size gsort sprintf sqrt strcat strcmps tring sum system tanh tantype typename warning zeros matrix"},i:'("|#|/\\*|\\s+/\\w+)',c:[{cN:"function",bK:"function endfunction",e:"$",k:"function endfunction|10",c:[e.UTM,{cN:"params",b:"\\(",e:"\\)"}]},{cN:"transposed_variable",b:"[a-zA-Z_][a-zA-Z_0-9]*('+[\\.']*|[\\.']+)",e:"",r:0},{cN:"matrix",b:"\\[",e:"\\]'*[\\.']*",r:0,c:n},e.C("//","$")].concat(n)}});hljs.registerLanguage("profile",function(e){return{c:[e.CNM,{cN:"built_in",b:"{",e:"}$",eB:!0,eE:!0,c:[e.ASM,e.QSM],r:0},{cN:"filename",b:"[a-zA-Z_][\\da-zA-Z_]+\\.[\\da-zA-Z_]{1,3}",e:":",eE:!0},{cN:"header",b:"(ncalls|tottime|cumtime)",e:"$",k:"ncalls tottime|10 cumtime|10 filename",r:10},{cN:"summary",b:"function calls",e:"$",c:[e.CNM],r:10},e.ASM,e.QSM,{cN:"function",b:"\\(",e:"\\)$",c:[e.UTM],r:0}]}});hljs.registerLanguage("thrift",function(e){var t="bool byte i16 i32 i64 double string binary";return{k:{keyword:"namespace const typedef struct enum service exception void oneway set list map required optional",built_in:t,literal:"true false"},c:[e.QSM,e.NM,e.CLCM,e.CBCM,{cN:"class",bK:"struct enum service exception",e:/\{/,i:/\n/,c:[e.inherit(e.TM,{starts:{eW:!0,eE:!0}})]},{b:"\\b(set|list|map)\\s*<",e:">",k:t,c:["self"]}]}});hljs.registerLanguage("matlab",function(e){var a=[e.CNM,{cN:"string",b:"'",e:"'",c:[e.BE,{b:"''"}]}],s={r:0,c:[{cN:"operator",b:/'['\.]*/}]};return{k:{keyword:"break case catch classdef continue else elseif end enumerated events for function global if methods otherwise parfor persistent properties return spmd switch try while",built_in:"sin sind sinh asin asind asinh cos cosd cosh acos acosd acosh tan tand tanh atan atand atan2 atanh sec secd sech asec asecd asech csc cscd csch acsc acscd acsch cot cotd coth acot acotd acoth hypot exp expm1 log log1p log10 log2 pow2 realpow reallog realsqrt sqrt nthroot nextpow2 abs angle complex conj imag real unwrap isreal cplxpair fix floor ceil round mod rem sign airy besselj bessely besselh besseli besselk beta betainc betaln ellipj ellipke erf erfc erfcx erfinv expint gamma gammainc gammaln psi legendre cross dot factor isprime primes gcd lcm rat rats perms nchoosek factorial cart2sph cart2pol pol2cart sph2cart hsv2rgb rgb2hsv zeros ones eye repmat rand randn linspace logspace freqspace meshgrid accumarray size length ndims numel disp isempty isequal isequalwithequalnans cat reshape diag blkdiag tril triu fliplr flipud flipdim rot90 find sub2ind ind2sub bsxfun ndgrid permute ipermute shiftdim circshift squeeze isscalar isvector ans eps realmax realmin pi i inf nan isnan isinf isfinite j why compan gallery hadamard hankel hilb invhilb magic pascal rosser toeplitz vander wilkinson"},i:'(//|"|#|/\\*|\\s+/\\w+)',c:[{cN:"function",bK:"function",e:"$",c:[e.UTM,{cN:"params",b:"\\(",e:"\\)"},{cN:"params",b:"\\[",e:"\\]"}]},{b:/[a-zA-Z_][a-zA-Z_0-9]*'['\.]*/,rB:!0,r:0,c:[{b:/[a-zA-Z_][a-zA-Z_0-9]*/,r:0},s.c[0]]},{cN:"matrix",b:"\\[",e:"\\]",c:a,r:0,starts:s},{cN:"cell",b:"\\{",e:/}/,c:a,r:0,starts:s},{b:/\)/,r:0,starts:s},e.C("^\\s*\\%\\{\\s*$","^\\s*\\%\\}\\s*$"),e.C("\\%","$")].concat(a)}});hljs.registerLanguage("vbscript",function(e){return{aliases:["vbs"],cI:!0,k:{keyword:"call class const dim do loop erase execute executeglobal exit for each next function if then else on error option explicit new private property let get public randomize redim rem select case set stop sub while wend with end to elseif is or xor and not class_initialize class_terminate default preserve in me byval byref step resume goto",built_in:"lcase month vartype instrrev ubound setlocale getobject rgb getref string weekdayname rnd dateadd monthname now day minute isarray cbool round formatcurrency conversions csng timevalue second year space abs clng timeserial fixs len asc isempty maths dateserial atn timer isobject filter weekday datevalue ccur isdate instr datediff formatdatetime replace isnull right sgn array snumeric log cdbl hex chr lbound msgbox ucase getlocale cos cdate cbyte rtrim join hour oct typename trim strcomp int createobject loadpicture tan formatnumber mid scriptenginebuildversion scriptengine split scriptengineminorversion cint sin datepart ltrim sqr scriptenginemajorversion time derived eval date formatpercent exp inputbox left ascw chrw regexp server response request cstr err",literal:"true false null nothing empty"},i:"//",c:[e.inherit(e.QSM,{c:[{b:'""'}]}),e.C(/'/,/$/,{r:0}),e.CNM]}});hljs.registerLanguage("capnproto",function(t){return{aliases:["capnp"],k:{keyword:"struct enum interface union group import using const annotation extends in of on as with from fixed",built_in:"Void Bool Int8 Int16 Int32 Int64 UInt8 UInt16 UInt32 UInt64 Float32 Float64 Text Data AnyPointer AnyStruct Capability List",literal:"true false"},c:[t.QSM,t.NM,t.HCM,{cN:"shebang",b:/@0x[\w\d]{16};/,i:/\n/},{cN:"number",b:/@\d+\b/},{cN:"class",bK:"struct enum",e:/\{/,i:/\n/,c:[t.inherit(t.TM,{starts:{eW:!0,eE:!0}})]},{cN:"class",bK:"interface",e:/\{/,i:/\n/,c:[t.inherit(t.TM,{starts:{eW:!0,eE:!0}})]}]}});hljs.registerLanguage("xl",function(e){var t="ObjectLoader Animate MovieCredits Slides Filters Shading Materials LensFlare Mapping VLCAudioVideo StereoDecoder PointCloud NetworkAccess RemoteControl RegExp ChromaKey Snowfall NodeJS Speech Charts",o={keyword:"if then else do while until for loop import with is as where when by data constant",literal:"true false nil",type:"integer real text name boolean symbol infix prefix postfix block tree",built_in:"in mod rem and or xor not abs sign floor ceil sqrt sin cos tan asin acos atan exp expm1 log log2 log10 log1p pi at",module:t,id:"text_length text_range text_find text_replace contains page slide basic_slide title_slide title subtitle fade_in fade_out fade_at clear_color color line_color line_width texture_wrap texture_transform texture scale_?x scale_?y scale_?z? translate_?x translate_?y translate_?z? rotate_?x rotate_?y rotate_?z? rectangle circle ellipse sphere path line_to move_to quad_to curve_to theme background contents locally time mouse_?x mouse_?y mouse_buttons"},a={cN:"constant",b:"[A-Z][A-Z_0-9]+",r:0},r={cN:"variable",b:"([A-Z][a-z_0-9]+)+",r:0},i={cN:"id",b:"[a-z][a-z_0-9]+",r:0},l={cN:"string",b:'"',e:'"',i:"\\n"},n={cN:"string",b:"'",e:"'",i:"\\n"},s={cN:"string",b:"<<",e:">>"},c={cN:"number",b:"[0-9]+#[0-9A-Z_]+(\\.[0-9-A-Z_]+)?#?([Ee][+-]?[0-9]+)?",r:10},_={cN:"import",bK:"import",e:"$",k:{keyword:"import",module:t},r:0,c:[l]},d={cN:"function",b:"[a-z].*->"};return{aliases:["tao"],l:/[a-zA-Z][a-zA-Z0-9_?]*/,k:o,c:[e.CLCM,e.CBCM,l,n,s,d,_,a,r,i,c,e.NM]}});hljs.registerLanguage("scala",function(e){var t={cN:"annotation",b:"@[A-Za-z]+"},a={cN:"string",b:'u?r?"""',e:'"""',r:10},r={cN:"symbol",b:"'\\w[\\w\\d_]*(?!')"},c={cN:"type",b:"\\b[A-Z][A-Za-z0-9_]*",r:0},i={cN:"title",b:/[^0-9\n\t "'(),.`{}\[\]:;][^\n\t "'(),.`{}\[\]:;]+|[^0-9\n\t "'(),.`{}\[\]:;=]/,r:0},l={cN:"class",bK:"class object trait type",e:/[:={\[(\n;]/,c:[{cN:"keyword",bK:"extends with",r:10},i]},n={cN:"function",bK:"def val",e:/[:={\[(\n;]/,c:[i]};return{k:{literal:"true false null",keyword:"type yield lazy override def with val var sealed abstract private trait object if forSome for while throw finally protected extends import final return else break new catch super class case package default try this match continue throws implicit"},c:[e.CLCM,e.CBCM,a,e.QSM,r,c,n,l,e.CNM,t]}});hljs.registerLanguage("elixir",function(e){var n="[a-zA-Z_][a-zA-Z0-9_]*(\\!|\\?)?",r="[a-zA-Z_]\\w*[!?=]?|[-+~]\\@|<<|>>|=~|===?|<=>|[<>]=?|\\*\\*|[-/+%^&*~`|]|\\[\\]=?",b="and false then defined module in return redo retry end for true self when next until do begin unless nil break not case cond alias while ensure or include use alias fn quote",c={cN:"subst",b:"#\\{",e:"}",l:n,k:b},a={cN:"string",c:[e.BE,c],v:[{b:/'/,e:/'/},{b:/"/,e:/"/}]},i={cN:"function",bK:"def defp defmacro",e:/\B\b/,c:[e.inherit(e.TM,{b:n,endsParent:!0})]},s=e.inherit(i,{cN:"class",bK:"defmodule defrecord",e:/\bdo\b|$|;/}),l=[a,e.HCM,s,i,{cN:"constant",b:"(\\b[A-Z_]\\w*(.)?)+",r:0},{cN:"symbol",b:":",c:[a,{b:r}],r:0},{cN:"symbol",b:n+":",r:0},{cN:"number",b:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",r:0},{cN:"variable",b:"(\\$\\W)|((\\$|\\@\\@?)(\\w+))"},{b:"->"},{b:"("+e.RSR+")\\s*",c:[e.HCM,{cN:"regexp",i:"\\n",c:[e.BE,c],v:[{b:"/",e:"/[a-z]*"},{b:"%r\\[",e:"\\][a-z]*"}]}],r:0}];return c.c=l,{l:n,k:b,c:l}});hljs.registerLanguage("sml",function(e){return{aliases:["ml"],k:{keyword:"abstype and andalso as case datatype do else end eqtype exception fn fun functor handle if in include infix infixr let local nonfix of op open orelse raise rec sharing sig signature struct structure then type val with withtype where while",built_in:"array bool char exn int list option order real ref string substring vector unit word",literal:"true false NONE SOME LESS EQUAL GREATER nil"},i:/\/\/|>>/,l:"[a-z_]\\w*!?",c:[{cN:"literal",b:"\\[(\\|\\|)?\\]|\\(\\)"},e.C("\\(\\*","\\*\\)",{c:["self"]}),{cN:"symbol",b:"'[A-Za-z_](?!')[\\w']*"},{cN:"tag",b:"`[A-Z][\\w']*"},{cN:"type",b:"\\b[A-Z][\\w']*",r:0},{b:"[a-z_]\\w*'[\\w']*"},e.inherit(e.ASM,{cN:"char",r:0}),e.inherit(e.QSM,{i:null}),{cN:"number",b:"\\b(0[xX][a-fA-F0-9_]+[Lln]?|0[oO][0-7_]+[Lln]?|0[bB][01_]+[Lln]?|[0-9][0-9_]*([Lln]|(\\.[0-9_]*)?([eE][-+]?[0-9_]+)?)?)",r:0},{b:/[-=]>/}]}});hljs.registerLanguage("apache",function(e){var r={cN:"number",b:"[\\$%]\\d+"};return{aliases:["apacheconf"],cI:!0,c:[e.HCM,{cN:"tag",b:""},{cN:"keyword",b:/\w+/,r:0,k:{common:"order deny allow setenv rewriterule rewriteengine rewritecond documentroot sethandler errordocument loadmodule options header listen serverroot servername"},starts:{e:/$/,r:0,k:{literal:"on off all"},c:[{cN:"sqbracket",b:"\\s\\[",e:"\\]$"},{cN:"cbracket",b:"[\\$%]\\{",e:"\\}",c:["self",r]},r,e.QSM]}}],i:/\S/}});hljs.registerLanguage("dockerfile",function(n){return{aliases:["docker"],cI:!0,k:{built_ins:"from maintainer cmd expose add copy entrypoint volume user workdir onbuild run env"},c:[n.HCM,{k:{built_in:"run cmd entrypoint volume add copy workdir onbuild"},b:/^ *(onbuild +)?(run|cmd|entrypoint|volume|add|copy|workdir) +/,starts:{e:/[^\\]\n/,sL:"bash",subLanguageMode:"continuous"}},{k:{built_in:"from maintainer expose env user onbuild"},b:/^ *(onbuild +)?(from|maintainer|expose|env|user|onbuild) +/,e:/[^\\]\n/,c:[n.ASM,n.QSM,n.NM,n.HCM]}]}});hljs.registerLanguage("markdown",function(e){return{aliases:["md","mkdown","mkd"],c:[{cN:"header",v:[{b:"^#{1,6}",e:"$"},{b:"^.+?\\n[=-]{2,}$"}]},{b:"<",e:">",sL:"xml",r:0},{cN:"bullet",b:"^([*+-]|(\\d+\\.))\\s+"},{cN:"strong",b:"[*_]{2}.+?[*_]{2}"},{cN:"emphasis",v:[{b:"\\*.+?\\*"},{b:"_.+?_",r:0}]},{cN:"blockquote",b:"^>\\s+",e:"$"},{cN:"code",v:[{b:"`.+?`"},{b:"^( {4}| )",e:"$",r:0}]},{cN:"horizontal_rule",b:"^[-\\*]{3,}",e:"$"},{b:"\\[.+?\\][\\(\\[].*?[\\)\\]]",rB:!0,c:[{cN:"link_label",b:"\\[",e:"\\]",eB:!0,rE:!0,r:0},{cN:"link_url",b:"\\]\\(",e:"\\)",eB:!0,eE:!0},{cN:"link_reference",b:"\\]\\[",e:"\\]",eB:!0,eE:!0}],r:10},{b:"^\\[.+\\]:",rB:!0,c:[{cN:"link_reference",b:"\\[",e:"\\]:",eB:!0,eE:!0,starts:{cN:"link_url",e:"$"}}]}]}});hljs.registerLanguage("haml",function(s){return{cI:!0,c:[{cN:"doctype",b:"^!!!( (5|1\\.1|Strict|Frameset|Basic|Mobile|RDFa|XML\\b.*))?$",r:10},s.C("^\\s*(!=#|=#|-#|/).*$",!1,{r:0}),{b:"^\\s*(-|=|!=)(?!#)",starts:{e:"\\n",sL:"ruby"}},{cN:"tag",b:"^\\s*%",c:[{cN:"title",b:"\\w+"},{cN:"value",b:"[#\\.]\\w+"},{b:"{\\s*",e:"\\s*}",eE:!0,c:[{b:":\\w+\\s*=>",e:",\\s+",rB:!0,eW:!0,c:[{cN:"symbol",b:":\\w+"},{cN:"string",b:'"',e:'"'},{cN:"string",b:"'",e:"'"},{b:"\\w+",r:0}]}]},{b:"\\(\\s*",e:"\\s*\\)",eE:!0,c:[{b:"\\w+\\s*=",e:"\\s+",rB:!0,eW:!0,c:[{cN:"attribute",b:"\\w+",r:0},{cN:"string",b:'"',e:'"'},{cN:"string",b:"'",e:"'"},{b:"\\w+",r:0}]}]}]},{cN:"bullet",b:"^\\s*[=~]\\s*",r:0},{b:"#{",starts:{e:"}",sL:"ruby"}}]}});hljs.registerLanguage("fortran",function(e){var t={cN:"params",b:"\\(",e:"\\)"},n={constant:".False. .True.",type:"integer real character complex logical dimension allocatable|10 parameter external implicit|10 none double precision assign intent optional pointer target in out common equivalence data",keyword:"kind do while private call intrinsic where elsewhere type endtype endmodule endselect endinterface end enddo endif if forall endforall only contains default return stop then public subroutine|10 function program .and. .or. .not. .le. .eq. .ge. .gt. .lt. goto save else use module select case access blank direct exist file fmt form formatted iostat name named nextrec number opened rec recl sequential status unformatted unit continue format pause cycle exit c_null_char c_alert c_backspace c_form_feed flush wait decimal round iomsg synchronous nopass non_overridable pass protected volatile abstract extends import non_intrinsic value deferred generic final enumerator class associate bind enum c_int c_short c_long c_long_long c_signed_char c_size_t c_int8_t c_int16_t c_int32_t c_int64_t c_int_least8_t c_int_least16_t c_int_least32_t c_int_least64_t c_int_fast8_t c_int_fast16_t c_int_fast32_t c_int_fast64_t c_intmax_t C_intptr_t c_float c_double c_long_double c_float_complex c_double_complex c_long_double_complex c_bool c_char c_null_ptr c_null_funptr c_new_line c_carriage_return c_horizontal_tab c_vertical_tab iso_c_binding c_loc c_funloc c_associated c_f_pointer c_ptr c_funptr iso_fortran_env character_storage_size error_unit file_storage_size input_unit iostat_end iostat_eor numeric_storage_size output_unit c_f_procpointer ieee_arithmetic ieee_support_underflow_control ieee_get_underflow_mode ieee_set_underflow_mode newunit contiguous pad position action delim readwrite eor advance nml interface procedure namelist include sequence elemental pure",built_in:"alog alog10 amax0 amax1 amin0 amin1 amod cabs ccos cexp clog csin csqrt dabs dacos dasin datan datan2 dcos dcosh ddim dexp dint dlog dlog10 dmax1 dmin1 dmod dnint dsign dsin dsinh dsqrt dtan dtanh float iabs idim idint idnint ifix isign max0 max1 min0 min1 sngl algama cdabs cdcos cdexp cdlog cdsin cdsqrt cqabs cqcos cqexp cqlog cqsin cqsqrt dcmplx dconjg derf derfc dfloat dgamma dimag dlgama iqint qabs qacos qasin qatan qatan2 qcmplx qconjg qcos qcosh qdim qerf qerfc qexp qgamma qimag qlgama qlog qlog10 qmax1 qmin1 qmod qnint qsign qsin qsinh qsqrt qtan qtanh abs acos aimag aint anint asin atan atan2 char cmplx conjg cos cosh exp ichar index int log log10 max min nint sign sin sinh sqrt tan tanh print write dim lge lgt lle llt mod nullify allocate deallocate adjustl adjustr all allocated any associated bit_size btest ceiling count cshift date_and_time digits dot_product eoshift epsilon exponent floor fraction huge iand ibclr ibits ibset ieor ior ishft ishftc lbound len_trim matmul maxexponent maxloc maxval merge minexponent minloc minval modulo mvbits nearest pack present product radix random_number random_seed range repeat reshape rrspacing scale scan selected_int_kind selected_real_kind set_exponent shape size spacing spread sum system_clock tiny transpose trim ubound unpack verify achar iachar transfer dble entry dprod cpu_time command_argument_count get_command get_command_argument get_environment_variable is_iostat_end ieee_arithmetic ieee_support_underflow_control ieee_get_underflow_mode ieee_set_underflow_mode is_iostat_eor move_alloc new_line selected_char_kind same_type_as extends_type_ofacosh asinh atanh bessel_j0 bessel_j1 bessel_jn bessel_y0 bessel_y1 bessel_yn erf erfc erfc_scaled gamma log_gamma hypot norm2 atomic_define atomic_ref execute_command_line leadz trailz storage_size merge_bits bge bgt ble blt dshiftl dshiftr findloc iall iany iparity image_index lcobound ucobound maskl maskr num_images parity popcnt poppar shifta shiftl shiftr this_image"};return{cI:!0,aliases:["f90","f95"],k:n,c:[e.inherit(e.ASM,{cN:"string",r:0}),e.inherit(e.QSM,{cN:"string",r:0}),{cN:"function",bK:"subroutine function program",i:"[${=\\n]",c:[e.UTM,t]},e.C("!","$",{r:0}),{cN:"number",b:"(?=\\b|\\+|\\-|\\.)(?=\\.\\d|\\d)(?:\\d+)?(?:\\.?\\d*)(?:[de][+-]?\\d+)?\\b\\.?",r:0}]}});hljs.registerLanguage("smali",function(r){var t=["add","and","cmp","cmpg","cmpl","const","div","double","float","goto","if","int","long","move","mul","neg","new","nop","not","or","rem","return","shl","shr","sput","sub","throw","ushr","xor"],n=["aget","aput","array","check","execute","fill","filled","goto/16","goto/32","iget","instance","invoke","iput","monitor","packed","sget","sparse"],s=["transient","constructor","abstract","final","synthetic","public","private","protected","static","bridge","system"];return{aliases:["smali"],c:[{cN:"string",b:'"',e:'"',r:0},r.C("#","$",{r:0}),{cN:"keyword",b:"\\s*\\.end\\s[a-zA-Z0-9]*",r:1},{cN:"keyword",b:"^[ ]*\\.[a-zA-Z]*",r:0},{cN:"keyword",b:"\\s:[a-zA-Z_0-9]*",r:0},{cN:"keyword",b:"\\s("+s.join("|")+")",r:1},{cN:"keyword",b:"\\[",r:0},{cN:"instruction",b:"\\s("+t.join("|")+")\\s",r:1},{cN:"instruction",b:"\\s("+t.join("|")+")((\\-|/)[a-zA-Z0-9]+)+\\s",r:10},{cN:"instruction",b:"\\s("+n.join("|")+")((\\-|/)[a-zA-Z0-9]+)*\\s",r:10},{cN:"class",b:"L[^(;:\n]*;",r:0},{cN:"function",b:'( |->)[^(\n ;"]*\\(',r:0},{cN:"function",b:"\\)",r:0},{cN:"variable",b:"[vp][0-9]+",r:0}]}});hljs.registerLanguage("julia",function(r){var e={keyword:"in abstract baremodule begin bitstype break catch ccall const continue do else elseif end export finally for function global if immutable import importall let local macro module quote return try type typealias using while",literal:"true false ANY ARGS CPU_CORES C_NULL DL_LOAD_PATH DevNull ENDIAN_BOM ENV I|0 Inf Inf16 Inf32 InsertionSort JULIA_HOME LOAD_PATH MS_ASYNC MS_INVALIDATE MS_SYNC MergeSort NaN NaN16 NaN32 OS_NAME QuickSort RTLD_DEEPBIND RTLD_FIRST RTLD_GLOBAL RTLD_LAZY RTLD_LOCAL RTLD_NODELETE RTLD_NOLOAD RTLD_NOW RoundDown RoundFromZero RoundNearest RoundToZero RoundUp STDERR STDIN STDOUT VERSION WORD_SIZE catalan cglobal e eu eulergamma golden im nothing pi γ π φ",built_in:"ASCIIString AbstractArray AbstractRNG AbstractSparseArray Any ArgumentError Array Associative Base64Pipe Bidiagonal BigFloat BigInt BitArray BitMatrix BitVector Bool BoundsError Box CFILE Cchar Cdouble Cfloat Char CharString Cint Clong Clonglong ClusterManager Cmd Coff_t Colon Complex Complex128 Complex32 Complex64 Condition Cptrdiff_t Cshort Csize_t Cssize_t Cuchar Cuint Culong Culonglong Cushort Cwchar_t DArray DataType DenseArray Diagonal Dict DimensionMismatch DirectIndexString Display DivideError DomainError EOFError EachLine Enumerate ErrorException Exception Expr Factorization FileMonitor FileOffset Filter Float16 Float32 Float64 FloatRange FloatingPoint Function GetfieldNode GotoNode Hermitian IO IOBuffer IOStream IPv4 IPv6 InexactError Int Int128 Int16 Int32 Int64 Int8 IntSet Integer InterruptException IntrinsicFunction KeyError LabelNode LambdaStaticData LineNumberNode LoadError LocalProcess MIME MathConst MemoryError MersenneTwister Method MethodError MethodTable Module NTuple NewvarNode Nothing Number ObjectIdDict OrdinalRange OverflowError ParseError PollingFileWatcher ProcessExitedException ProcessGroup Ptr QuoteNode Range Range1 Ranges Rational RawFD Real Regex RegexMatch RemoteRef RepString RevString RopeString RoundingMode Set SharedArray Signed SparseMatrixCSC StackOverflowError Stat StatStruct StepRange String SubArray SubString SymTridiagonal Symbol SymbolNode Symmetric SystemError Task TextDisplay Timer TmStruct TopNode Triangular Tridiagonal Type TypeConstructor TypeError TypeName TypeVar UTF16String UTF32String UTF8String UdpSocket Uint Uint128 Uint16 Uint32 Uint64 Uint8 UndefRefError UndefVarError UniformScaling UnionType UnitRange Unsigned Vararg VersionNumber WString WeakKeyDict WeakRef Woodbury Zip"},t="[A-Za-z_\\u00A1-\\uFFFF][A-Za-z_0-9\\u00A1-\\uFFFF]*",o={l:t,k:e},n={cN:"type-annotation",b:/::/},a={cN:"subtype",b:/<:/},i={cN:"number",b:/(\b0x[\d_]*(\.[\d_]*)?|0x\.\d[\d_]*)p[-+]?\d+|\b0[box][a-fA-F0-9][a-fA-F0-9_]*|(\b\d[\d_]*(\.[\d_]*)?|\.\d[\d_]*)([eEfF][-+]?\d+)?/,r:0},l={cN:"char",b:/'(.|\\[xXuU][a-zA-Z0-9]+)'/},c={cN:"subst",b:/\$\(/,e:/\)/,k:e},u={cN:"variable",b:"\\$"+t},d={cN:"string",c:[r.BE,c,u],v:[{b:/\w*"/,e:/"\w*/},{b:/\w*"""/,e:/"""\w*/}]},g={cN:"string",c:[r.BE,c,u],b:"`",e:"`"},s={cN:"macrocall",b:"@"+t},S={cN:"comment",v:[{b:"#=",e:"=#",r:10},{b:"#",e:"$"}]};return o.c=[i,l,n,a,d,g,s,S,r.HCM],c.c=o.c,o});hljs.registerLanguage("delphi",function(e){var r="exports register file shl array record property for mod while set ally label uses raise not stored class safecall var interface or private static exit index inherited to else stdcall override shr asm far resourcestring finalization packed virtual out and protected library do xorwrite goto near function end div overload object unit begin string on inline repeat until destructor write message program with read initialization except default nil if case cdecl in downto threadvar of try pascal const external constructor type public then implementation finally published procedure",t=[e.CLCM,e.C(/\{/,/\}/,{r:0}),e.C(/\(\*/,/\*\)/,{r:10})],i={cN:"string",b:/'/,e:/'/,c:[{b:/''/}]},c={cN:"string",b:/(#\d+)+/},o={b:e.IR+"\\s*=\\s*class\\s*\\(",rB:!0,c:[e.TM]},n={cN:"function",bK:"function constructor destructor procedure",e:/[:;]/,k:"function constructor|10 destructor|10 procedure|10",c:[e.TM,{cN:"params",b:/\(/,e:/\)/,k:r,c:[i,c]}].concat(t)};return{cI:!0,k:r,i:/"|\$[G-Zg-z]|\/\*|<\/|\|/,c:[i,c,e.NM,o,n].concat(t)}});hljs.registerLanguage("brainfuck",function(r){var n={cN:"literal",b:"[\\+\\-]",r:0};return{aliases:["bf"],c:[r.C("[^\\[\\]\\.,\\+\\-<> \r\n]","[\\[\\]\\.,\\+\\-<> \r\n]",{rE:!0,r:0}),{cN:"title",b:"[\\[\\]]",r:0},{cN:"string",b:"[\\.,]",r:0},{b:/\+\+|\-\-/,rB:!0,c:[n]},n]}});hljs.registerLanguage("ini",function(e){return{cI:!0,i:/\S/,c:[e.C(";","$"),{cN:"title",b:"^\\[",e:"\\]"},{cN:"setting",b:"^[a-z0-9\\[\\]_-]+[ \\t]*=[ \\t]*",e:"$",c:[{cN:"value",eW:!0,k:"on off true false yes no",c:[e.QSM,e.NM],r:0}]}]}});hljs.registerLanguage("json",function(e){var t={literal:"true false null"},i=[e.QSM,e.CNM],l={cN:"value",e:",",eW:!0,eE:!0,c:i,k:t},c={b:"{",e:"}",c:[{cN:"attribute",b:'\\s*"',e:'"\\s*:\\s*',eB:!0,eE:!0,c:[e.BE],i:"\\n",starts:l}],i:"\\S"},n={b:"\\[",e:"\\]",c:[e.inherit(l,{cN:null})],i:"\\S"};return i.splice(i.length,0,c,n),{c:i,k:t,i:"\\S"}});hljs.registerLanguage("powershell",function(e){var t={b:"`[\\s\\S]",r:0},r={cN:"variable",v:[{b:/\$[\w\d][\w\d_:]*/}]},o={cN:"string",b:/"/,e:/"/,c:[t,r,{cN:"variable",b:/\$[A-z]/,e:/[^A-z]/}]},a={cN:"string",b:/'/,e:/'/};return{aliases:["ps"],l:/-?[A-z\.\-]+/,cI:!0,k:{keyword:"if else foreach return function do while until elseif begin for trap data dynamicparam end break throw param continue finally in switch exit filter try process catch",literal:"$null $true $false",built_in:"Add-Content Add-History Add-Member Add-PSSnapin Clear-Content Clear-Item Clear-Item Property Clear-Variable Compare-Object ConvertFrom-SecureString Convert-Path ConvertTo-Html ConvertTo-SecureString Copy-Item Copy-ItemProperty Export-Alias Export-Clixml Export-Console Export-Csv ForEach-Object Format-Custom Format-List Format-Table Format-Wide Get-Acl Get-Alias Get-AuthenticodeSignature Get-ChildItem Get-Command Get-Content Get-Credential Get-Culture Get-Date Get-EventLog Get-ExecutionPolicy Get-Help Get-History Get-Host Get-Item Get-ItemProperty Get-Location Get-Member Get-PfxCertificate Get-Process Get-PSDrive Get-PSProvider Get-PSSnapin Get-Service Get-TraceSource Get-UICulture Get-Unique Get-Variable Get-WmiObject Group-Object Import-Alias Import-Clixml Import-Csv Invoke-Expression Invoke-History Invoke-Item Join-Path Measure-Command Measure-Object Move-Item Move-ItemProperty New-Alias New-Item New-ItemProperty New-Object New-PSDrive New-Service New-TimeSpan New-Variable Out-Default Out-File Out-Host Out-Null Out-Printer Out-String Pop-Location Push-Location Read-Host Remove-Item Remove-ItemProperty Remove-PSDrive Remove-PSSnapin Remove-Variable Rename-Item Rename-ItemProperty Resolve-Path Restart-Service Resume-Service Select-Object Select-String Set-Acl Set-Alias Set-AuthenticodeSignature Set-Content Set-Date Set-ExecutionPolicy Set-Item Set-ItemProperty Set-Location Set-PSDebug Set-Service Set-TraceSource Set-Variable Sort-Object Split-Path Start-Service Start-Sleep Start-Transcript Stop-Process Stop-Service Stop-Transcript Suspend-Service Tee-Object Test-Path Trace-Command Update-FormatData Update-TypeData Where-Object Write-Debug Write-Error Write-Host Write-Output Write-Progress Write-Verbose Write-Warning",operator:"-ne -eq -lt -gt -ge -le -not -like -notlike -match -notmatch -contains -notcontains -in -notin -replace"},c:[e.HCM,e.NM,o,a,r]}});hljs.registerLanguage("gradle",function(e){return{cI:!0,k:{keyword:"task project allprojects subprojects artifacts buildscript configurations dependencies repositories sourceSets description delete from into include exclude source classpath destinationDir includes options sourceCompatibility targetCompatibility group flatDir doLast doFirst flatten todir fromdir ant def abstract break case catch continue default do else extends final finally for if implements instanceof native new private protected public return static switch synchronized throw throws transient try volatile while strictfp package import false null super this true antlrtask checkstyle codenarc copy boolean byte char class double float int interface long short void compile runTime file fileTree abs any append asList asWritable call collect compareTo count div dump each eachByte eachFile eachLine every find findAll flatten getAt getErr getIn getOut getText grep immutable inject inspect intersect invokeMethods isCase join leftShift minus multiply newInputStream newOutputStream newPrintWriter newReader newWriter next plus pop power previous print println push putAt read readBytes readLines reverse reverseEach round size sort splitEachLine step subMap times toInteger toList tokenize upto waitForOrKill withPrintWriter withReader withStream withWriter withWriterAppend write writeLine"},c:[e.CLCM,e.CBCM,e.ASM,e.QSM,e.NM,e.RM]}});hljs.registerLanguage("erb",function(e){return{sL:"xml",subLanguageMode:"continuous",c:[e.C("<%#","%>"),{b:"<%[%=-]?",e:"[%-]?%>",sL:"ruby",eB:!0,eE:!0}]}});hljs.registerLanguage("swift",function(e){var i={keyword:"class deinit enum extension func import init let protocol static struct subscript typealias var break case continue default do else fallthrough if in for return switch where while as dynamicType is new super self Self Type __COLUMN__ __FILE__ __FUNCTION__ __LINE__ associativity didSet get infix inout left mutating none nonmutating operator override postfix precedence prefix right set unowned unowned safe unsafe weak willSet",literal:"true false nil",built_in:"abs advance alignof alignofValue assert bridgeFromObjectiveC bridgeFromObjectiveCUnconditional bridgeToObjectiveC bridgeToObjectiveCUnconditional c contains count countElements countLeadingZeros debugPrint debugPrintln distance dropFirst dropLast dump encodeBitsAsWords enumerate equal false filter find getBridgedObjectiveCType getVaList indices insertionSort isBridgedToObjectiveC isBridgedVerbatimToObjectiveC isUniquelyReferenced join lexicographicalCompare map max maxElement min minElement nil numericCast partition posix print println quickSort reduce reflect reinterpretCast reverse roundUpToAlignment sizeof sizeofValue sort split startsWith strideof strideofValue swap swift toString transcode true underestimateCount unsafeReflect withExtendedLifetime withObjectAtPlusZero withUnsafePointer withUnsafePointerToObject withUnsafePointers withVaList"},t={cN:"type",b:"\\b[A-Z][\\w']*",r:0},n=e.C("/\\*","\\*/",{c:["self"]}),r={cN:"subst",b:/\\\(/,e:"\\)",k:i,c:[]},s={cN:"number",b:"\\b([\\d_]+(\\.[\\deE_]+)?|0x[a-fA-F0-9_]+(\\.[a-fA-F0-9p_]+)?|0b[01_]+|0o[0-7_]+)\\b",r:0},o=e.inherit(e.QSM,{c:[r,e.BE]});return r.c=[s],{k:i,c:[o,e.CLCM,n,t,s,{cN:"func",bK:"func",e:"{",eE:!0,c:[e.inherit(e.TM,{b:/[A-Za-z$_][0-9A-Za-z$_]*/,i:/\(/}),{cN:"generics",b://,i:/>/},{cN:"params",b:/\(/,e:/\)/,endsParent:!0,k:i,c:["self",s,o,e.CBCM,{b:":"}],i:/["']/}],i:/\[|%/},{cN:"class",bK:"struct protocol class extension enum",k:i,e:"\\{",eE:!0,c:[e.inherit(e.TM,{b:/[A-Za-z$_][0-9A-Za-z$_]*/})]},{cN:"preprocessor",b:"(@assignment|@class_protocol|@exported|@final|@lazy|@noreturn|@NSCopying|@NSManaged|@objc|@optional|@required|@auto_closure|@noreturn|@IBAction|@IBDesignable|@IBInspectable|@IBOutlet|@infix|@prefix|@postfix)"}]}});hljs.registerLanguage("lisp",function(b){var e="[a-zA-Z_\\-\\+\\*\\/\\<\\=\\>\\&\\#][a-zA-Z0-9_\\-\\+\\*\\/\\<\\=\\>\\&\\#!]*",c="\\|[^]*?\\|",r="(\\-|\\+)?\\d+(\\.\\d+|\\/\\d+)?((d|e|f|l|s|D|E|F|L|S)(\\+|\\-)?\\d+)?",a={cN:"shebang",b:"^#!",e:"$"},i={cN:"literal",b:"\\b(t{1}|nil)\\b"},l={cN:"number",v:[{b:r,r:0},{b:"#(b|B)[0-1]+(/[0-1]+)?"},{b:"#(o|O)[0-7]+(/[0-7]+)?"},{b:"#(x|X)[0-9a-fA-F]+(/[0-9a-fA-F]+)?"},{b:"#(c|C)\\("+r+" +"+r,e:"\\)"}]},t=b.inherit(b.QSM,{i:null}),d=b.C(";","$",{r:0}),n={cN:"variable",b:"\\*",e:"\\*"},u={cN:"keyword",b:"[:&]"+e},N={b:e,r:0},o={b:c},s={b:"\\(",e:"\\)",c:["self",i,t,l,N]},v={cN:"quoted",c:[l,t,n,u,s,N],v:[{b:"['`]\\(",e:"\\)"},{b:"\\(quote ",e:"\\)",k:"quote"},{b:"'"+c}]},f={cN:"quoted",v:[{b:"'"+e},{b:"#'"+e+"(::"+e+")*"}]},g={cN:"list",b:"\\(\\s*",e:"\\)"},q={eW:!0,r:0};return g.c=[{cN:"keyword",v:[{b:e},{b:c}]},q],q.c=[v,f,g,i,l,t,d,n,u,o,N],{i:/\S/,c:[l,a,i,t,d,v,f,g,N]}});hljs.registerLanguage("rsl",function(e){return{k:{keyword:"float color point normal vector matrix while for if do return else break extern continue",built_in:"abs acos ambient area asin atan atmosphere attribute calculatenormal ceil cellnoise clamp comp concat cos degrees depth Deriv diffuse distance Du Dv environment exp faceforward filterstep floor format fresnel incident length lightsource log match max min mod noise normalize ntransform opposite option phong pnoise pow printf ptlined radians random reflect refract renderinfo round setcomp setxcomp setycomp setzcomp shadow sign sin smoothstep specular specularbrdf spline sqrt step tan texture textureinfo trace transform vtransform xcomp ycomp zcomp"},i:" > >= ` abs acos angle append apply asin assoc assq assv atan boolean? caar cadr call-with-input-file call-with-output-file call-with-values car cdddar cddddr cdr ceiling char->integer char-alphabetic? char-ci<=? char-ci=? char-ci>? char-downcase char-lower-case? char-numeric? char-ready? char-upcase char-upper-case? char-whitespace? char<=? char=? char>? char? close-input-port close-output-port complex? cons cos current-input-port current-output-port denominator display eof-object? eq? equal? eqv? eval even? exact->inexact exact? exp expt floor force gcd imag-part inexact->exact inexact? input-port? integer->char integer? interaction-environment lcm length list list->string list->vector list-ref list-tail list? load log magnitude make-polar make-rectangular make-string make-vector max member memq memv min modulo negative? newline not null-environment null? number->string number? numerator odd? open-input-file open-output-file output-port? pair? peek-char port? positive? procedure? quasiquote quote quotient rational? rationalize read read-char real-part real? remainder reverse round scheme-report-environment set! set-car! set-cdr! sin sqrt string string->list string->number string->symbol string-append string-ci<=? string-ci=? string-ci>? string-copy string-fill! string-length string-ref string-set! string<=? string=? string>? string? substring symbol->string symbol? tan transcript-off transcript-on truncate values vector vector->list vector-fill! vector-length vector-ref vector-set! with-input-from-file with-output-to-file write write-char zero?"},n={cN:"shebang",b:"^#!",e:"$"},c={cN:"literal",b:"(#t|#f|#\\\\"+t+"|#\\\\.)"},l={cN:"number",v:[{b:r,r:0},{b:i,r:0},{b:"#b[0-1]+(/[0-1]+)?"},{b:"#o[0-7]+(/[0-7]+)?"},{b:"#x[0-9a-f]+(/[0-9a-f]+)?"}]},s=e.QSM,o=[e.C(";","$",{r:0}),e.C("#\\|","\\|#")],u={b:t,r:0},p={cN:"variable",b:"'"+t},d={eW:!0,r:0},g={cN:"list",v:[{b:"\\(",e:"\\)"},{b:"\\[",e:"\\]"}],c:[{cN:"keyword",b:t,l:t,k:a},d]};return d.c=[c,l,s,u,p,g].concat(o),{i:/\S/,c:[n,l,s,p,g].concat(o)}});hljs.registerLanguage("stata",function(e){return{aliases:["do","ado"],cI:!0,k:"if else in foreach for forv forva forval forvalu forvalue forvalues by bys bysort xi quietly qui capture about ac ac_7 acprplot acprplot_7 adjust ado adopath adoupdate alpha ameans an ano anov anova anova_estat anova_terms anovadef aorder ap app appe appen append arch arch_dr arch_estat arch_p archlm areg areg_p args arima arima_dr arima_estat arima_p as asmprobit asmprobit_estat asmprobit_lf asmprobit_mfx__dlg asmprobit_p ass asse asser assert avplot avplot_7 avplots avplots_7 bcskew0 bgodfrey binreg bip0_lf biplot bipp_lf bipr_lf bipr_p biprobit bitest bitesti bitowt blogit bmemsize boot bootsamp bootstrap bootstrap_8 boxco_l boxco_p boxcox boxcox_6 boxcox_p bprobit br break brier bro brow brows browse brr brrstat bs bs_7 bsampl_w bsample bsample_7 bsqreg bstat bstat_7 bstat_8 bstrap bstrap_7 ca ca_estat ca_p cabiplot camat canon canon_8 canon_8_p canon_estat canon_p cap caprojection capt captu captur capture cat cc cchart cchart_7 cci cd censobs_table centile cf char chdir checkdlgfiles checkestimationsample checkhlpfiles checksum chelp ci cii cl class classutil clear cli clis clist clo clog clog_lf clog_p clogi clogi_sw clogit clogit_lf clogit_p clogitp clogl_sw cloglog clonevar clslistarray cluster cluster_measures cluster_stop cluster_tree cluster_tree_8 clustermat cmdlog cnr cnre cnreg cnreg_p cnreg_sw cnsreg codebook collaps4 collapse colormult_nb colormult_nw compare compress conf confi confir confirm conren cons const constr constra constrai constrain constraint continue contract copy copyright copysource cor corc corr corr2data corr_anti corr_kmo corr_smc corre correl correla correlat correlate corrgram cou coun count cox cox_p cox_sw coxbase coxhaz coxvar cprplot cprplot_7 crc cret cretu cretur creturn cross cs cscript cscript_log csi ct ct_is ctset ctst_5 ctst_st cttost cumsp cumsp_7 cumul cusum cusum_7 cutil d datasig datasign datasigna datasignat datasignatu datasignatur datasignature datetof db dbeta de dec deco decod decode deff des desc descr descri describ describe destring dfbeta dfgls dfuller di di_g dir dirstats dis discard disp disp_res disp_s displ displa display distinct do doe doed doedi doedit dotplot dotplot_7 dprobit drawnorm drop ds ds_util dstdize duplicates durbina dwstat dydx e ed edi edit egen eivreg emdef en enc enco encod encode eq erase ereg ereg_lf ereg_p ereg_sw ereghet ereghet_glf ereghet_glf_sh ereghet_gp ereghet_ilf ereghet_ilf_sh ereghet_ip eret eretu eretur ereturn err erro error est est_cfexist est_cfname est_clickable est_expand est_hold est_table est_unhold est_unholdok estat estat_default estat_summ estat_vce_only esti estimates etodow etof etomdy ex exi exit expand expandcl fac fact facto factor factor_estat factor_p factor_pca_rotated factor_rotate factormat fcast fcast_compute fcast_graph fdades fdadesc fdadescr fdadescri fdadescrib fdadescribe fdasav fdasave fdause fh_st file open file read file close file filefilter fillin find_hlp_file findfile findit findit_7 fit fl fli flis flist for5_0 form forma format fpredict frac_154 frac_adj frac_chk frac_cox frac_ddp frac_dis frac_dv frac_in frac_mun frac_pp frac_pq frac_pv frac_wgt frac_xo fracgen fracplot fracplot_7 fracpoly fracpred fron_ex fron_hn fron_p fron_tn fron_tn2 frontier ftodate ftoe ftomdy ftowdate g gamhet_glf gamhet_gp gamhet_ilf gamhet_ip gamma gamma_d2 gamma_p gamma_sw gammahet gdi_hexagon gdi_spokes ge gen gene gener genera generat generate genrank genstd genvmean gettoken gl gladder gladder_7 glim_l01 glim_l02 glim_l03 glim_l04 glim_l05 glim_l06 glim_l07 glim_l08 glim_l09 glim_l10 glim_l11 glim_l12 glim_lf glim_mu glim_nw1 glim_nw2 glim_nw3 glim_p glim_v1 glim_v2 glim_v3 glim_v4 glim_v5 glim_v6 glim_v7 glm glm_6 glm_p glm_sw glmpred glo glob globa global glogit glogit_8 glogit_p gmeans gnbre_lf gnbreg gnbreg_5 gnbreg_p gomp_lf gompe_sw gomper_p gompertz gompertzhet gomphet_glf gomphet_glf_sh gomphet_gp gomphet_ilf gomphet_ilf_sh gomphet_ip gphdot gphpen gphprint gprefs gprobi_p gprobit gprobit_8 gr gr7 gr_copy gr_current gr_db gr_describe gr_dir gr_draw gr_draw_replay gr_drop gr_edit gr_editviewopts gr_example gr_example2 gr_export gr_print gr_qscheme gr_query gr_read gr_rename gr_replay gr_save gr_set gr_setscheme gr_table gr_undo gr_use graph graph7 grebar greigen greigen_7 greigen_8 grmeanby grmeanby_7 gs_fileinfo gs_filetype gs_graphinfo gs_stat gsort gwood h hadimvo hareg hausman haver he heck_d2 heckma_p heckman heckp_lf heckpr_p heckprob hel help hereg hetpr_lf hetpr_p hetprob hettest hexdump hilite hist hist_7 histogram hlogit hlu hmeans hotel hotelling hprobit hreg hsearch icd9 icd9_ff icd9p iis impute imtest inbase include inf infi infil infile infix inp inpu input ins insheet insp inspe inspec inspect integ inten intreg intreg_7 intreg_p intrg2_ll intrg_ll intrg_ll2 ipolate iqreg ir irf irf_create irfm iri is_svy is_svysum isid istdize ivprob_1_lf ivprob_lf ivprobit ivprobit_p ivreg ivreg_footnote ivtob_1_lf ivtob_lf ivtobit ivtobit_p jackknife jacknife jknife jknife_6 jknife_8 jkstat joinby kalarma1 kap kap_3 kapmeier kappa kapwgt kdensity kdensity_7 keep ksm ksmirnov ktau kwallis l la lab labe label labelbook ladder levels levelsof leverage lfit lfit_p li lincom line linktest lis list lloghet_glf lloghet_glf_sh lloghet_gp lloghet_ilf lloghet_ilf_sh lloghet_ip llogi_sw llogis_p llogist llogistic llogistichet lnorm_lf lnorm_sw lnorma_p lnormal lnormalhet lnormhet_glf lnormhet_glf_sh lnormhet_gp lnormhet_ilf lnormhet_ilf_sh lnormhet_ip lnskew0 loadingplot loc loca local log logi logis_lf logistic logistic_p logit logit_estat logit_p loglogs logrank loneway lookfor lookup lowess lowess_7 lpredict lrecomp lroc lroc_7 lrtest ls lsens lsens_7 lsens_x lstat ltable ltable_7 ltriang lv lvr2plot lvr2plot_7 m ma mac macr macro makecns man manova manova_estat manova_p manovatest mantel mark markin markout marksample mat mat_capp mat_order mat_put_rr mat_rapp mata mata_clear mata_describe mata_drop mata_matdescribe mata_matsave mata_matuse mata_memory mata_mlib mata_mosave mata_rename mata_which matalabel matcproc matlist matname matr matri matrix matrix_input__dlg matstrik mcc mcci md0_ md1_ md1debug_ md2_ md2debug_ mds mds_estat mds_p mdsconfig mdslong mdsmat mdsshepard mdytoe mdytof me_derd mean means median memory memsize meqparse mer merg merge mfp mfx mhelp mhodds minbound mixed_ll mixed_ll_reparm mkassert mkdir mkmat mkspline ml ml_5 ml_adjs ml_bhhhs ml_c_d ml_check ml_clear ml_cnt ml_debug ml_defd ml_e0 ml_e0_bfgs ml_e0_cycle ml_e0_dfp ml_e0i ml_e1 ml_e1_bfgs ml_e1_bhhh ml_e1_cycle ml_e1_dfp ml_e2 ml_e2_cycle ml_ebfg0 ml_ebfr0 ml_ebfr1 ml_ebh0q ml_ebhh0 ml_ebhr0 ml_ebr0i ml_ecr0i ml_edfp0 ml_edfr0 ml_edfr1 ml_edr0i ml_eds ml_eer0i ml_egr0i ml_elf ml_elf_bfgs ml_elf_bhhh ml_elf_cycle ml_elf_dfp ml_elfi ml_elfs ml_enr0i ml_enrr0 ml_erdu0 ml_erdu0_bfgs ml_erdu0_bhhh ml_erdu0_bhhhq ml_erdu0_cycle ml_erdu0_dfp ml_erdu0_nrbfgs ml_exde ml_footnote ml_geqnr ml_grad0 ml_graph ml_hbhhh ml_hd0 ml_hold ml_init ml_inv ml_log ml_max ml_mlout ml_mlout_8 ml_model ml_nb0 ml_opt ml_p ml_plot ml_query ml_rdgrd ml_repor ml_s_e ml_score ml_searc ml_technique ml_unhold mleval mlf_ mlmatbysum mlmatsum mlog mlogi mlogit mlogit_footnote mlogit_p mlopts mlsum mlvecsum mnl0_ mor more mov move mprobit mprobit_lf mprobit_p mrdu0_ mrdu1_ mvdecode mvencode mvreg mvreg_estat n nbreg nbreg_al nbreg_lf nbreg_p nbreg_sw nestreg net newey newey_7 newey_p news nl nl_7 nl_9 nl_9_p nl_p nl_p_7 nlcom nlcom_p nlexp2 nlexp2_7 nlexp2a nlexp2a_7 nlexp3 nlexp3_7 nlgom3 nlgom3_7 nlgom4 nlgom4_7 nlinit nllog3 nllog3_7 nllog4 nllog4_7 nlog_rd nlogit nlogit_p nlogitgen nlogittree nlpred no nobreak noi nois noisi noisil noisily note notes notes_dlg nptrend numlabel numlist odbc old_ver olo olog ologi ologi_sw ologit ologit_p ologitp on one onew onewa oneway op_colnm op_comp op_diff op_inv op_str opr opro oprob oprob_sw oprobi oprobi_p oprobit oprobitp opts_exclusive order orthog orthpoly ou out outf outfi outfil outfile outs outsh outshe outshee outsheet ovtest pac pac_7 palette parse parse_dissim pause pca pca_8 pca_display pca_estat pca_p pca_rotate pcamat pchart pchart_7 pchi pchi_7 pcorr pctile pentium pergram pergram_7 permute permute_8 personal peto_st pkcollapse pkcross pkequiv pkexamine pkexamine_7 pkshape pksumm pksumm_7 pl plo plot plugin pnorm pnorm_7 poisgof poiss_lf poiss_sw poisso_p poisson poisson_estat post postclose postfile postutil pperron pr prais prais_e prais_e2 prais_p predict predictnl preserve print pro prob probi probit probit_estat probit_p proc_time procoverlay procrustes procrustes_estat procrustes_p profiler prog progr progra program prop proportion prtest prtesti pwcorr pwd q\\s qby qbys qchi qchi_7 qladder qladder_7 qnorm qnorm_7 qqplot qqplot_7 qreg qreg_c qreg_p qreg_sw qu quadchk quantile quantile_7 que quer query range ranksum ratio rchart rchart_7 rcof recast reclink recode reg reg3 reg3_p regdw regr regre regre_p2 regres regres_p regress regress_estat regriv_p remap ren rena renam rename renpfix repeat replace report reshape restore ret retu retur return rm rmdir robvar roccomp roccomp_7 roccomp_8 rocf_lf rocfit rocfit_8 rocgold rocplot rocplot_7 roctab roctab_7 rolling rologit rologit_p rot rota rotat rotate rotatemat rreg rreg_p ru run runtest rvfplot rvfplot_7 rvpplot rvpplot_7 sa safesum sample sampsi sav save savedresults saveold sc sca scal scala scalar scatter scm_mine sco scob_lf scob_p scobi_sw scobit scor score scoreplot scoreplot_help scree screeplot screeplot_help sdtest sdtesti se search separate seperate serrbar serrbar_7 serset set set_defaults sfrancia sh she shel shell shewhart shewhart_7 signestimationsample signrank signtest simul simul_7 simulate simulate_8 sktest sleep slogit slogit_d2 slogit_p smooth snapspan so sor sort spearman spikeplot spikeplot_7 spikeplt spline_x split sqreg sqreg_p sret sretu sretur sreturn ssc st st_ct st_hc st_hcd st_hcd_sh st_is st_issys st_note st_promo st_set st_show st_smpl st_subid stack statsby statsby_8 stbase stci stci_7 stcox stcox_estat stcox_fr stcox_fr_ll stcox_p stcox_sw stcoxkm stcoxkm_7 stcstat stcurv stcurve stcurve_7 stdes stem stepwise stereg stfill stgen stir stjoin stmc stmh stphplot stphplot_7 stphtest stphtest_7 stptime strate strate_7 streg streg_sw streset sts sts_7 stset stsplit stsum sttocc sttoct stvary stweib su suest suest_8 sum summ summa summar summari summariz summarize sunflower sureg survcurv survsum svar svar_p svmat svy svy_disp svy_dreg svy_est svy_est_7 svy_estat svy_get svy_gnbreg_p svy_head svy_header svy_heckman_p svy_heckprob_p svy_intreg_p svy_ivreg_p svy_logistic_p svy_logit_p svy_mlogit_p svy_nbreg_p svy_ologit_p svy_oprobit_p svy_poisson_p svy_probit_p svy_regress_p svy_sub svy_sub_7 svy_x svy_x_7 svy_x_p svydes svydes_8 svygen svygnbreg svyheckman svyheckprob svyintreg svyintreg_7 svyintrg svyivreg svylc svylog_p svylogit svymarkout svymarkout_8 svymean svymlog svymlogit svynbreg svyolog svyologit svyoprob svyoprobit svyopts svypois svypois_7 svypoisson svyprobit svyprobt svyprop svyprop_7 svyratio svyreg svyreg_p svyregress svyset svyset_7 svyset_8 svytab svytab_7 svytest svytotal sw sw_8 swcnreg swcox swereg swilk swlogis swlogit swologit swoprbt swpois swprobit swqreg swtobit swweib symmetry symmi symplot symplot_7 syntax sysdescribe sysdir sysuse szroeter ta tab tab1 tab2 tab_or tabd tabdi tabdis tabdisp tabi table tabodds tabodds_7 tabstat tabu tabul tabula tabulat tabulate te tempfile tempname tempvar tes test testnl testparm teststd tetrachoric time_it timer tis tob tobi tobit tobit_p tobit_sw token tokeni tokeniz tokenize tostring total translate translator transmap treat_ll treatr_p treatreg trim trnb_cons trnb_mean trpoiss_d2 trunc_ll truncr_p truncreg tsappend tset tsfill tsline tsline_ex tsreport tsrevar tsrline tsset tssmooth tsunab ttest ttesti tut_chk tut_wait tutorial tw tware_st two twoway twoway__fpfit_serset twoway__function_gen twoway__histogram_gen twoway__ipoint_serset twoway__ipoints_serset twoway__kdensity_gen twoway__lfit_serset twoway__normgen_gen twoway__pci_serset twoway__qfit_serset twoway__scatteri_serset twoway__sunflower_gen twoway_ksm_serset ty typ type typeof u unab unabbrev unabcmd update us use uselabel var var_mkcompanion var_p varbasic varfcast vargranger varirf varirf_add varirf_cgraph varirf_create varirf_ctable varirf_describe varirf_dir varirf_drop varirf_erase varirf_graph varirf_ograph varirf_rename varirf_set varirf_table varlist varlmar varnorm varsoc varstable varstable_w varstable_w2 varwle vce vec vec_fevd vec_mkphi vec_p vec_p_w vecirf_create veclmar veclmar_w vecnorm vecnorm_w vecrank vecstable verinst vers versi versio version view viewsource vif vwls wdatetof webdescribe webseek webuse weib1_lf weib2_lf weib_lf weib_lf0 weibhet_glf weibhet_glf_sh weibhet_glfa weibhet_glfa_sh weibhet_gp weibhet_ilf weibhet_ilf_sh weibhet_ilfa weibhet_ilfa_sh weibhet_ip weibu_sw weibul_p weibull weibull_c weibull_s weibullhet wh whelp whi which whil while wilc_st wilcoxon win wind windo window winexec wntestb wntestb_7 wntestq xchart xchart_7 xcorr xcorr_7 xi xi_6 xmlsav xmlsave xmluse xpose xsh xshe xshel xshell xt_iis xt_tis xtab_p xtabond xtbin_p xtclog xtcloglog xtcloglog_8 xtcloglog_d2 xtcloglog_pa_p xtcloglog_re_p xtcnt_p xtcorr xtdata xtdes xtfront_p xtfrontier xtgee xtgee_elink xtgee_estat xtgee_makeivar xtgee_p xtgee_plink xtgls xtgls_p xthaus xthausman xtht_p xthtaylor xtile xtint_p xtintreg xtintreg_8 xtintreg_d2 xtintreg_p xtivp_1 xtivp_2 xtivreg xtline xtline_ex xtlogit xtlogit_8 xtlogit_d2 xtlogit_fe_p xtlogit_pa_p xtlogit_re_p xtmixed xtmixed_estat xtmixed_p xtnb_fe xtnb_lf xtnbreg xtnbreg_pa_p xtnbreg_refe_p xtpcse xtpcse_p xtpois xtpoisson xtpoisson_d2 xtpoisson_pa_p xtpoisson_refe_p xtpred xtprobit xtprobit_8 xtprobit_d2 xtprobit_re_p xtps_fe xtps_lf xtps_ren xtps_ren_8 xtrar_p xtrc xtrc_p xtrchh xtrefe_p xtreg xtreg_be xtreg_fe xtreg_ml xtreg_pa_p xtreg_re xtregar xtrere_p xtset xtsf_ll xtsf_llti xtsum xttab xttest0 xttobit xttobit_8 xttobit_p xttrans yx yxview__barlike_draw yxview_area_draw yxview_bar_draw yxview_dot_draw yxview_dropline_draw yxview_function_draw yxview_iarrow_draw yxview_ilabels_draw yxview_normal_draw yxview_pcarrow_draw yxview_pcbarrow_draw yxview_pccapsym_draw yxview_pcscatter_draw yxview_pcspike_draw yxview_rarea_draw yxview_rbar_draw yxview_rbarm_draw yxview_rcap_draw yxview_rcapsym_draw yxview_rconnected_draw yxview_rline_draw yxview_rscatter_draw yxview_rspike_draw yxview_spike_draw yxview_sunflower_draw zap_s zinb zinb_llf zinb_plf zip zip_llf zip_p zip_plf zt_ct_5 zt_hc_5 zt_hcd_5 zt_is_5 zt_iss_5 zt_sho_5 zt_smp_5 ztbase_5 ztcox_5 ztdes_5 ztereg_5 ztfill_5 ztgen_5 ztir_5 ztjoin_5 ztnb ztnb_p ztp ztp_p zts_5 ztset_5 ztspli_5 ztsum_5 zttoct_5 ztvary_5 ztweib_5",c:[{cN:"label",v:[{b:"\\$\\{?[a-zA-Z0-9_]+\\}?"},{b:"`[a-zA-Z0-9_]+'"}]},{cN:"string",v:[{b:'`"[^\r\n]*?"\''},{b:'"[^\r\n"]*"'}]},{cN:"literal",v:[{b:"\\b(abs|acos|asin|atan|atan2|atanh|ceil|cloglog|comb|cos|digamma|exp|floor|invcloglog|invlogit|ln|lnfact|lnfactorial|lngamma|log|log10|max|min|mod|reldif|round|sign|sin|sqrt|sum|tan|tanh|trigamma|trunc|betaden|Binomial|binorm|binormal|chi2|chi2tail|dgammapda|dgammapdada|dgammapdadx|dgammapdx|dgammapdxdx|F|Fden|Ftail|gammaden|gammap|ibeta|invbinomial|invchi2|invchi2tail|invF|invFtail|invgammap|invibeta|invnchi2|invnFtail|invnibeta|invnorm|invnormal|invttail|nbetaden|nchi2|nFden|nFtail|nibeta|norm|normal|normalden|normd|npnchi2|tden|ttail|uniform|abbrev|char|index|indexnot|length|lower|ltrim|match|plural|proper|real|regexm|regexr|regexs|reverse|rtrim|string|strlen|strlower|strltrim|strmatch|strofreal|strpos|strproper|strreverse|strrtrim|strtrim|strupper|subinstr|subinword|substr|trim|upper|word|wordcount|_caller|autocode|byteorder|chop|clip|cond|e|epsdouble|epsfloat|group|inlist|inrange|irecode|matrix|maxbyte|maxdouble|maxfloat|maxint|maxlong|mi|minbyte|mindouble|minfloat|minint|minlong|missing|r|recode|replay|return|s|scalar|d|date|day|dow|doy|halfyear|mdy|month|quarter|week|year|d|daily|dofd|dofh|dofm|dofq|dofw|dofy|h|halfyearly|hofd|m|mofd|monthly|q|qofd|quarterly|tin|twithin|w|weekly|wofd|y|yearly|yh|ym|yofd|yq|yw|cholesky|colnumb|colsof|corr|det|diag|diag0cnt|el|get|hadamard|I|inv|invsym|issym|issymmetric|J|matmissing|matuniform|mreldif|nullmat|rownumb|rowsof|sweep|syminv|trace|vec|vecdiag)(?=\\(|$)"}]},e.C("^[ ]*\\*.*$",!1),e.CLCM,e.CBCM]}});hljs.registerLanguage("asciidoc",function(e){return{aliases:["adoc"],c:[e.C("^/{4,}\\n","\\n/{4,}$",{r:10}),e.C("^//","$",{r:0}),{cN:"title",b:"^\\.\\w.*$"},{b:"^[=\\*]{4,}\\n",e:"\\n^[=\\*]{4,}$",r:10},{cN:"header",b:"^(={1,5}) .+?( \\1)?$",r:10},{cN:"header",b:"^[^\\[\\]\\n]+?\\n[=\\-~\\^\\+]{2,}$",r:10},{cN:"attribute",b:"^:.+?:",e:"\\s",eE:!0,r:10},{cN:"attribute",b:"^\\[.+?\\]$",r:0},{cN:"blockquote",b:"^_{4,}\\n",e:"\\n_{4,}$",r:10},{cN:"code",b:"^[\\-\\.]{4,}\\n",e:"\\n[\\-\\.]{4,}$",r:10},{b:"^\\+{4,}\\n",e:"\\n\\+{4,}$",c:[{b:"<",e:">",sL:"xml",r:0}],r:10},{cN:"bullet",b:"^(\\*+|\\-+|\\.+|[^\\n]+?::)\\s+"},{cN:"label",b:"^(NOTE|TIP|IMPORTANT|WARNING|CAUTION):\\s+",r:10},{cN:"strong",b:"\\B\\*(?![\\*\\s])",e:"(\\n{2}|\\*)",c:[{b:"\\\\*\\w",r:0}]},{cN:"emphasis",b:"\\B'(?!['\\s])",e:"(\\n{2}|')",c:[{b:"\\\\'\\w",r:0}],r:0},{cN:"emphasis",b:"_(?![_\\s])",e:"(\\n{2}|_)",r:0},{cN:"smartquote",v:[{b:"``.+?''"},{b:"`.+?'"}]},{cN:"code",b:"(`.+?`|\\+.+?\\+)",r:0},{cN:"code",b:"^[ \\t]",e:"$",r:0},{cN:"horizontal_rule",b:"^'{3,}[ \\t]*$",r:10},{b:"(link:)?(http|https|ftp|file|irc|image:?):\\S+\\[.*?\\]",rB:!0,c:[{b:"(link|image:?):",r:0},{cN:"link_url",b:"\\w",e:"[^\\[]+",r:0},{cN:"link_label",b:"\\[",e:"\\]",eB:!0,eE:!0,r:0}],r:10}]}});hljs.registerLanguage("php",function(e){var c={cN:"variable",b:"\\$+[a-zA-Z_-ÿ][a-zA-Z0-9_-ÿ]*"},i={cN:"preprocessor",b:/<\?(php)?|\?>/},a={cN:"string",c:[e.BE,i],v:[{b:'b"',e:'"'},{b:"b'",e:"'"},e.inherit(e.ASM,{i:null}),e.inherit(e.QSM,{i:null})]},n={v:[e.BNM,e.CNM]};return{aliases:["php3","php4","php5","php6"],cI:!0,k:"and include_once list abstract global private echo interface as static endswitch array null if endwhile or const for endforeach self var while isset public protected exit foreach throw elseif include __FILE__ empty require_once do xor return parent clone use __CLASS__ __LINE__ else break print eval new catch __METHOD__ case exception default die require __FUNCTION__ enddeclare final try switch continue endfor endif declare unset true false trait goto instanceof insteadof __DIR__ __NAMESPACE__ yield finally",c:[e.CLCM,e.HCM,e.C("/\\*","\\*/",{c:[{cN:"phpdoc",b:"\\s@[A-Za-z]+"},i]}),e.C("__halt_compiler.+?;",!1,{eW:!0,k:"__halt_compiler",l:e.UIR}),{cN:"string",b:"<<<['\"]?\\w+['\"]?$",e:"^\\w+;",c:[e.BE]},i,c,{b:/(::|->)+[a-zA-Z_\x7f-\xff][a-zA-Z0-9_\x7f-\xff]*/},{cN:"function",bK:"function",e:/[;{]/,eE:!0,i:"\\$|\\[|%",c:[e.UTM,{cN:"params",b:"\\(",e:"\\)",c:["self",c,e.CBCM,a,n]}]},{cN:"class",bK:"class interface",e:"{",eE:!0,i:/[:\(\$"]/,c:[{bK:"extends implements"},e.UTM]},{bK:"namespace",e:";",i:/[\.']/,c:[e.UTM]},{bK:"use",e:";",c:[e.UTM]},{b:"=>"},a,n]}});hljs.registerLanguage("java",function(e){var a=e.UIR+"(<"+e.UIR+">)?",t="false synchronized int abstract float private char boolean static null if const for true while long strictfp finally protected import native final void enum else break transient catch instanceof byte super volatile case assert short package default double public try this switch continue throws protected public private",c="(\\b(0b[01_]+)|\\b0[xX][a-fA-F0-9_]+|(\\b[\\d_]+(\\.[\\d_]*)?|\\.[\\d_]+)([eE][-+]?\\d+)?)[lLfF]?",r={cN:"number",b:c,r:0};return{aliases:["jsp"],k:t,i:/<\//,c:[{cN:"javadoc",b:"/\\*\\*",e:"\\*/",r:0,c:[{cN:"javadoctag",b:"(^|\\s)@[A-Za-z]+"}]},e.CLCM,e.CBCM,e.ASM,e.QSM,{cN:"class",bK:"class interface",e:/[{;=]/,eE:!0,k:"class interface",i:/[:"\[\]]/,c:[{bK:"extends implements"},e.UTM]},{bK:"new throw return",r:0},{cN:"function",b:"("+a+"\\s+)+"+e.UIR+"\\s*\\(",rB:!0,e:/[{;=]/,eE:!0,k:t,c:[{b:e.UIR+"\\s*\\(",rB:!0,r:0,c:[e.UTM]},{cN:"params",b:/\(/,e:/\)/,k:t,r:0,c:[e.ASM,e.QSM,e.CNM,e.CBCM]},e.CLCM,e.CBCM]},r,{cN:"annotation",b:"@[A-Za-z]+"}]}});hljs.registerLanguage("glsl",function(e){return{k:{keyword:"atomic_uint attribute bool break bvec2 bvec3 bvec4 case centroid coherent const continue default discard dmat2 dmat2x2 dmat2x3 dmat2x4 dmat3 dmat3x2 dmat3x3 dmat3x4 dmat4 dmat4x2 dmat4x3 dmat4x4 do double dvec2 dvec3 dvec4 else flat float for highp if iimage1D iimage1DArray iimage2D iimage2DArray iimage2DMS iimage2DMSArray iimage2DRect iimage3D iimageBuffer iimageCube iimageCubeArray image1D image1DArray image2D image2DArray image2DMS image2DMSArray image2DRect image3D imageBuffer imageCube imageCubeArray in inout int invariant isampler1D isampler1DArray isampler2D isampler2DArray isampler2DMS isampler2DMSArray isampler2DRect isampler3D isamplerBuffer isamplerCube isamplerCubeArray ivec2 ivec3 ivec4 layout lowp mat2 mat2x2 mat2x3 mat2x4 mat3 mat3x2 mat3x3 mat3x4 mat4 mat4x2 mat4x3 mat4x4 mediump noperspective out patch precision readonly restrict return sample sampler1D sampler1DArray sampler1DArrayShadow sampler1DShadow sampler2D sampler2DArray sampler2DArrayShadow sampler2DMS sampler2DMSArray sampler2DRect sampler2DRectShadow sampler2DShadow sampler3D samplerBuffer samplerCube samplerCubeArray samplerCubeArrayShadow samplerCubeShadow smooth struct subroutine switch uimage1D uimage1DArray uimage2D uimage2DArray uimage2DMS uimage2DMSArray uimage2DRect uimage3D uimageBuffer uimageCube uimageCubeArray uint uniform usampler1D usampler1DArray usampler2D usampler2DArray usampler2DMS usampler2DMSArray usampler2DRect usampler3D usamplerBuffer usamplerCube usamplerCubeArray uvec2 uvec3 uvec4 varying vec2 vec3 vec4 void volatile while writeonly",built_in:"gl_BackColor gl_BackLightModelProduct gl_BackLightProduct gl_BackMaterial gl_BackSecondaryColor gl_ClipDistance gl_ClipPlane gl_ClipVertex gl_Color gl_DepthRange gl_EyePlaneQ gl_EyePlaneR gl_EyePlaneS gl_EyePlaneT gl_Fog gl_FogCoord gl_FogFragCoord gl_FragColor gl_FragCoord gl_FragData gl_FragDepth gl_FrontColor gl_FrontFacing gl_FrontLightModelProduct gl_FrontLightProduct gl_FrontMaterial gl_FrontSecondaryColor gl_InstanceID gl_InvocationID gl_Layer gl_LightModel gl_LightSource gl_MaxAtomicCounterBindings gl_MaxAtomicCounterBufferSize gl_MaxClipDistances gl_MaxClipPlanes gl_MaxCombinedAtomicCounterBuffers gl_MaxCombinedAtomicCounters gl_MaxCombinedImageUniforms gl_MaxCombinedImageUnitsAndFragmentOutputs gl_MaxCombinedTextureImageUnits gl_MaxDrawBuffers gl_MaxFragmentAtomicCounterBuffers gl_MaxFragmentAtomicCounters gl_MaxFragmentImageUniforms gl_MaxFragmentInputComponents gl_MaxFragmentUniformComponents gl_MaxFragmentUniformVectors gl_MaxGeometryAtomicCounterBuffers gl_MaxGeometryAtomicCounters gl_MaxGeometryImageUniforms gl_MaxGeometryInputComponents gl_MaxGeometryOutputComponents gl_MaxGeometryOutputVertices gl_MaxGeometryTextureImageUnits gl_MaxGeometryTotalOutputComponents gl_MaxGeometryUniformComponents gl_MaxGeometryVaryingComponents gl_MaxImageSamples gl_MaxImageUnits gl_MaxLights gl_MaxPatchVertices gl_MaxProgramTexelOffset gl_MaxTessControlAtomicCounterBuffers gl_MaxTessControlAtomicCounters gl_MaxTessControlImageUniforms gl_MaxTessControlInputComponents gl_MaxTessControlOutputComponents gl_MaxTessControlTextureImageUnits gl_MaxTessControlTotalOutputComponents gl_MaxTessControlUniformComponents gl_MaxTessEvaluationAtomicCounterBuffers gl_MaxTessEvaluationAtomicCounters gl_MaxTessEvaluationImageUniforms gl_MaxTessEvaluationInputComponents gl_MaxTessEvaluationOutputComponents gl_MaxTessEvaluationTextureImageUnits gl_MaxTessEvaluationUniformComponents gl_MaxTessGenLevel gl_MaxTessPatchComponents gl_MaxTextureCoords gl_MaxTextureImageUnits gl_MaxTextureUnits gl_MaxVaryingComponents gl_MaxVaryingFloats gl_MaxVaryingVectors gl_MaxVertexAtomicCounterBuffers gl_MaxVertexAtomicCounters gl_MaxVertexAttribs gl_MaxVertexImageUniforms gl_MaxVertexOutputComponents gl_MaxVertexTextureImageUnits gl_MaxVertexUniformComponents gl_MaxVertexUniformVectors gl_MaxViewports gl_MinProgramTexelOffsetgl_ModelViewMatrix gl_ModelViewMatrixInverse gl_ModelViewMatrixInverseTranspose gl_ModelViewMatrixTranspose gl_ModelViewProjectionMatrix gl_ModelViewProjectionMatrixInverse gl_ModelViewProjectionMatrixInverseTranspose gl_ModelViewProjectionMatrixTranspose gl_MultiTexCoord0 gl_MultiTexCoord1 gl_MultiTexCoord2 gl_MultiTexCoord3 gl_MultiTexCoord4 gl_MultiTexCoord5 gl_MultiTexCoord6 gl_MultiTexCoord7 gl_Normal gl_NormalMatrix gl_NormalScale gl_ObjectPlaneQ gl_ObjectPlaneR gl_ObjectPlaneS gl_ObjectPlaneT gl_PatchVerticesIn gl_PerVertex gl_Point gl_PointCoord gl_PointSize gl_Position gl_PrimitiveID gl_PrimitiveIDIn gl_ProjectionMatrix gl_ProjectionMatrixInverse gl_ProjectionMatrixInverseTranspose gl_ProjectionMatrixTranspose gl_SampleID gl_SampleMask gl_SampleMaskIn gl_SamplePosition gl_SecondaryColor gl_TessCoord gl_TessLevelInner gl_TessLevelOuter gl_TexCoord gl_TextureEnvColor gl_TextureMatrixInverseTranspose gl_TextureMatrixTranspose gl_Vertex gl_VertexID gl_ViewportIndex gl_in gl_out EmitStreamVertex EmitVertex EndPrimitive EndStreamPrimitive abs acos acosh all any asin asinh atan atanh atomicCounter atomicCounterDecrement atomicCounterIncrement barrier bitCount bitfieldExtract bitfieldInsert bitfieldReverse ceil clamp cos cosh cross dFdx dFdy degrees determinant distance dot equal exp exp2 faceforward findLSB findMSB floatBitsToInt floatBitsToUint floor fma fract frexp ftransform fwidth greaterThan greaterThanEqual imageAtomicAdd imageAtomicAnd imageAtomicCompSwap imageAtomicExchange imageAtomicMax imageAtomicMin imageAtomicOr imageAtomicXor imageLoad imageStore imulExtended intBitsToFloat interpolateAtCentroid interpolateAtOffset interpolateAtSample inverse inversesqrt isinf isnan ldexp length lessThan lessThanEqual log log2 matrixCompMult max memoryBarrier min mix mod modf noise1 noise2 noise3 noise4 normalize not notEqual outerProduct packDouble2x32 packHalf2x16 packSnorm2x16 packSnorm4x8 packUnorm2x16 packUnorm4x8 pow radians reflect refract round roundEven shadow1D shadow1DLod shadow1DProj shadow1DProjLod shadow2D shadow2DLod shadow2DProj shadow2DProjLod sign sin sinh smoothstep sqrt step tan tanh texelFetch texelFetchOffset texture texture1D texture1DLod texture1DProj texture1DProjLod texture2D texture2DLod texture2DProj texture2DProjLod texture3D texture3DLod texture3DProj texture3DProjLod textureCube textureCubeLod textureGather textureGatherOffset textureGatherOffsets textureGrad textureGradOffset textureLod textureLodOffset textureOffset textureProj textureProjGrad textureProjGradOffset textureProjLod textureProjLodOffset textureProjOffset textureQueryLod textureSize transpose trunc uaddCarry uintBitsToFloat umulExtended unpackDouble2x32 unpackHalf2x16 unpackSnorm2x16 unpackSnorm4x8 unpackUnorm2x16 unpackUnorm4x8 usubBorrow gl_TextureMatrix gl_TextureMatrixInverse",literal:"true false"},i:'"',c:[e.CLCM,e.CBCM,e.CNM,{cN:"preprocessor",b:"#",e:"$"}]}});hljs.registerLanguage("lua",function(e){var t="\\[=*\\[",a="\\]=*\\]",r={b:t,e:a,c:["self"]},n=[e.C("--(?!"+t+")","$"),e.C("--"+t,a,{c:[r],r:10})];return{l:e.UIR,k:{keyword:"and break do else elseif end false for if in local nil not or repeat return then true until while",built_in:"_G _VERSION assert collectgarbage dofile error getfenv getmetatable ipairs load loadfile loadstring module next pairs pcall print rawequal rawget rawset require select setfenv setmetatable tonumber tostring type unpack xpcall coroutine debug io math os package string table"},c:n.concat([{cN:"function",bK:"function",e:"\\)",c:[e.inherit(e.TM,{b:"([_a-zA-Z]\\w*\\.)*([_a-zA-Z]\\w*:)?[_a-zA-Z]\\w*"}),{cN:"params",b:"\\(",eW:!0,c:n}].concat(n)},e.CNM,e.ASM,e.QSM,{cN:"string",b:t,e:a,c:[r],r:5}])}});hljs.registerLanguage("protobuf",function(e){return{k:{keyword:"package import option optional required repeated group",built_in:"double float int32 int64 uint32 uint64 sint32 sint64 fixed32 fixed64 sfixed32 sfixed64 bool string bytes",literal:"true false"},c:[e.QSM,e.NM,e.CLCM,{cN:"class",bK:"message enum service",e:/\{/,i:/\n/,c:[e.inherit(e.TM,{starts:{eW:!0,eE:!0}})]},{cN:"function",bK:"rpc",e:/;/,eE:!0,k:"rpc returns"},{cN:"constant",b:/^\s*[A-Z_]+/,e:/\s*=/,eE:!0}]}});hljs.registerLanguage("gcode",function(e){var N="[A-Z_][A-Z0-9_.]*",i="\\%",c={literal:"",built_in:"",keyword:"IF DO WHILE ENDWHILE CALL ENDIF SUB ENDSUB GOTO REPEAT ENDREPEAT EQ LT GT NE GE LE OR XOR"},r={cN:"preprocessor",b:"([O])([0-9]+)"},l=[e.CLCM,e.CBCM,e.C(/\(/,/\)/),e.inherit(e.CNM,{b:"([-+]?([0-9]*\\.?[0-9]+\\.?))|"+e.CNR}),e.inherit(e.ASM,{i:null}),e.inherit(e.QSM,{i:null}),{cN:"keyword",b:"([G])([0-9]+\\.?[0-9]?)"},{cN:"title",b:"([M])([0-9]+\\.?[0-9]?)"},{cN:"title",b:"(VC|VS|#)",e:"(\\d+)"},{cN:"title",b:"(VZOFX|VZOFY|VZOFZ)"},{cN:"built_in",b:"(ATAN|ABS|ACOS|ASIN|SIN|COS|EXP|FIX|FUP|ROUND|LN|TAN)(\\[)",e:"([-+]?([0-9]*\\.?[0-9]+\\.?))(\\])"},{cN:"label",v:[{b:"N",e:"\\d+",i:"\\W"}]}];return{aliases:["nc"],cI:!0,l:N,k:c,c:[{cN:"preprocessor",b:i},r].concat(l)}});hljs.registerLanguage("vim",function(e){return{l:/[!#@\w]+/,k:{keyword:"N|0 P|0 X|0 a|0 ab abc abo al am an|0 ar arga argd arge argdo argg argl argu as au aug aun b|0 bN ba bad bd be bel bf bl bm bn bo bp br brea breaka breakd breakl bro bufdo buffers bun bw c|0 cN cNf ca cabc caddb cad caddf cal cat cb cc ccl cd ce cex cf cfir cgetb cgete cg changes chd che checkt cl cla clo cm cmapc cme cn cnew cnf cno cnorea cnoreme co col colo com comc comp con conf cope cp cpf cq cr cs cst cu cuna cunme cw d|0 delm deb debugg delc delf dif diffg diffo diffp diffpu diffs diffthis dig di dl dell dj dli do doautoa dp dr ds dsp e|0 ea ec echoe echoh echom echon el elsei em en endfo endf endt endw ene ex exe exi exu f|0 files filet fin fina fini fir fix fo foldc foldd folddoc foldo for fu g|0 go gr grepa gu gv ha h|0 helpf helpg helpt hi hid his i|0 ia iabc if ij il im imapc ime ino inorea inoreme int is isp iu iuna iunme j|0 ju k|0 keepa kee keepj lN lNf l|0 lad laddb laddf la lan lat lb lc lch lcl lcs le lefta let lex lf lfir lgetb lgete lg lgr lgrepa lh ll lla lli lmak lm lmapc lne lnew lnf ln loadk lo loc lockv lol lope lp lpf lr ls lt lu lua luad luaf lv lvimgrepa lw m|0 ma mak map mapc marks mat me menut mes mk mks mksp mkv mkvie mod mz mzf nbc nb nbs n|0 new nm nmapc nme nn nnoreme noa no noh norea noreme norm nu nun nunme ol o|0 om omapc ome on ono onoreme opt ou ounme ow p|0 profd prof pro promptr pc ped pe perld po popu pp pre prev ps pt ptN ptf ptj ptl ptn ptp ptr pts pu pw py3 python3 py3d py3f py pyd pyf q|0 quita qa r|0 rec red redi redr redraws reg res ret retu rew ri rightb rub rubyd rubyf rund ru rv s|0 sN san sa sal sav sb sbN sba sbf sbl sbm sbn sbp sbr scrip scripte scs se setf setg setl sf sfir sh sim sig sil sl sla sm smap smapc sme sn sni sno snor snoreme sor so spelld spe spelli spellr spellu spellw sp spr sre st sta startg startr star stopi stj sts sun sunm sunme sus sv sw sy synti sync t|0 tN tabN tabc tabdo tabe tabf tabfir tabl tabm tabnew tabn tabo tabp tabr tabs tab ta tags tc tcld tclf te tf th tj tl tm tn to tp tr try ts tu u|0 undoj undol una unh unl unlo unm unme uns up v|0 ve verb vert vim vimgrepa vi viu vie vm vmapc vme vne vn vnoreme vs vu vunme windo w|0 wN wa wh wi winc winp wn wp wq wqa ws wu wv x|0 xa xmapc xm xme xn xnoreme xu xunme y|0 z|0 ~ Next Print append abbreviate abclear aboveleft all amenu anoremenu args argadd argdelete argedit argglobal arglocal argument ascii autocmd augroup aunmenu buffer bNext ball badd bdelete behave belowright bfirst blast bmodified bnext botright bprevious brewind break breakadd breakdel breaklist browse bunload bwipeout change cNext cNfile cabbrev cabclear caddbuffer caddexpr caddfile call catch cbuffer cclose center cexpr cfile cfirst cgetbuffer cgetexpr cgetfile chdir checkpath checktime clist clast close cmap cmapclear cmenu cnext cnewer cnfile cnoremap cnoreabbrev cnoremenu copy colder colorscheme command comclear compiler continue confirm copen cprevious cpfile cquit crewind cscope cstag cunmap cunabbrev cunmenu cwindow delete delmarks debug debuggreedy delcommand delfunction diffupdate diffget diffoff diffpatch diffput diffsplit digraphs display deletel djump dlist doautocmd doautoall deletep drop dsearch dsplit edit earlier echo echoerr echohl echomsg else elseif emenu endif endfor endfunction endtry endwhile enew execute exit exusage file filetype find finally finish first fixdel fold foldclose folddoopen folddoclosed foldopen function global goto grep grepadd gui gvim hardcopy help helpfind helpgrep helptags highlight hide history insert iabbrev iabclear ijump ilist imap imapclear imenu inoremap inoreabbrev inoremenu intro isearch isplit iunmap iunabbrev iunmenu join jumps keepalt keepmarks keepjumps lNext lNfile list laddexpr laddbuffer laddfile last language later lbuffer lcd lchdir lclose lcscope left leftabove lexpr lfile lfirst lgetbuffer lgetexpr lgetfile lgrep lgrepadd lhelpgrep llast llist lmake lmap lmapclear lnext lnewer lnfile lnoremap loadkeymap loadview lockmarks lockvar lolder lopen lprevious lpfile lrewind ltag lunmap luado luafile lvimgrep lvimgrepadd lwindow move mark make mapclear match menu menutranslate messages mkexrc mksession mkspell mkvimrc mkview mode mzscheme mzfile nbclose nbkey nbsart next nmap nmapclear nmenu nnoremap nnoremenu noautocmd noremap nohlsearch noreabbrev noremenu normal number nunmap nunmenu oldfiles open omap omapclear omenu only onoremap onoremenu options ounmap ounmenu ownsyntax print profdel profile promptfind promptrepl pclose pedit perl perldo pop popup ppop preserve previous psearch ptag ptNext ptfirst ptjump ptlast ptnext ptprevious ptrewind ptselect put pwd py3do py3file python pydo pyfile quit quitall qall read recover redo redir redraw redrawstatus registers resize retab return rewind right rightbelow ruby rubydo rubyfile rundo runtime rviminfo substitute sNext sandbox sargument sall saveas sbuffer sbNext sball sbfirst sblast sbmodified sbnext sbprevious sbrewind scriptnames scriptencoding scscope set setfiletype setglobal setlocal sfind sfirst shell simalt sign silent sleep slast smagic smapclear smenu snext sniff snomagic snoremap snoremenu sort source spelldump spellgood spellinfo spellrepall spellundo spellwrong split sprevious srewind stop stag startgreplace startreplace startinsert stopinsert stjump stselect sunhide sunmap sunmenu suspend sview swapname syntax syntime syncbind tNext tabNext tabclose tabedit tabfind tabfirst tablast tabmove tabnext tabonly tabprevious tabrewind tag tcl tcldo tclfile tearoff tfirst throw tjump tlast tmenu tnext topleft tprevious trewind tselect tunmenu undo undojoin undolist unabbreviate unhide unlet unlockvar unmap unmenu unsilent update vglobal version verbose vertical vimgrep vimgrepadd visual viusage view vmap vmapclear vmenu vnew vnoremap vnoremenu vsplit vunmap vunmenu write wNext wall while winsize wincmd winpos wnext wprevious wqall wsverb wundo wviminfo xit xall xmapclear xmap xmenu xnoremap xnoremenu xunmap xunmenu yank",built_in:"abs acos add and append argc argidx argv asin atan atan2 browse browsedir bufexists buflisted bufloaded bufname bufnr bufwinnr byte2line byteidx call ceil changenr char2nr cindent clearmatches col complete complete_add complete_check confirm copy cos cosh count cscope_connection cursor deepcopy delete did_filetype diff_filler diff_hlID empty escape eval eventhandler executable exists exp expand extend feedkeys filereadable filewritable filter finddir findfile float2nr floor fmod fnameescape fnamemodify foldclosed foldclosedend foldlevel foldtext foldtextresult foreground function garbagecollect get getbufline getbufvar getchar getcharmod getcmdline getcmdpos getcmdtype getcwd getfontname getfperm getfsize getftime getftype getline getloclist getmatches getpid getpos getqflist getreg getregtype gettabvar gettabwinvar getwinposx getwinposy getwinvar glob globpath has has_key haslocaldir hasmapto histadd histdel histget histnr hlexists hlID hostname iconv indent index input inputdialog inputlist inputrestore inputsave inputsecret insert invert isdirectory islocked items join keys len libcall libcallnr line line2byte lispindent localtime log log10 luaeval map maparg mapcheck match matchadd matcharg matchdelete matchend matchlist matchstr max min mkdir mode mzeval nextnonblank nr2char or pathshorten pow prevnonblank printf pumvisible py3eval pyeval range readfile reltime reltimestr remote_expr remote_foreground remote_peek remote_read remote_send remove rename repeat resolve reverse round screenattr screenchar screencol screenrow search searchdecl searchpair searchpairpos searchpos server2client serverlist setbufvar setcmdpos setline setloclist setmatches setpos setqflist setreg settabvar settabwinvar setwinvar sha256 shellescape shiftwidth simplify sin sinh sort soundfold spellbadword spellsuggest split sqrt str2float str2nr strchars strdisplaywidth strftime stridx string strlen strpart strridx strtrans strwidth submatch substitute synconcealed synID synIDattr synIDtrans synstack system tabpagebuflist tabpagenr tabpagewinnr tagfiles taglist tan tanh tempname tolower toupper tr trunc type undofile undotree values virtcol visualmode wildmenumode winbufnr wincol winheight winline winnr winrestcmd winrestview winsaveview winwidth writefile xor"},i:/[{:]/,c:[e.NM,e.ASM,{cN:"string",b:/"((\\")|[^"\n])*("|\n)/},{cN:"variable",b:/[bwtglsav]:[\w\d_]*/},{cN:"function",bK:"function function!",e:"$",r:0,c:[e.TM,{cN:"params",b:"\\(",e:"\\)"}]}]}});hljs.registerLanguage("processing",function(e){return{k:{keyword:"BufferedReader PVector PFont PImage PGraphics HashMap boolean byte char color double float int long String Array FloatDict FloatList IntDict IntList JSONArray JSONObject Object StringDict StringList Table TableRow XML false synchronized int abstract float private char boolean static null if const for true while long throw strictfp finally protected import native final return void enum else break transient new catch instanceof byte super volatile case assert short package default double public try this switch continue throws protected public private",constant:"P2D P3D HALF_PI PI QUARTER_PI TAU TWO_PI",variable:"displayHeight displayWidth mouseY mouseX mousePressed pmouseX pmouseY key keyCode pixels focused frameCount frameRate height width",title:"setup draw",built_in:"size createGraphics beginDraw createShape loadShape PShape arc ellipse line point quad rect triangle bezier bezierDetail bezierPoint bezierTangent curve curveDetail curvePoint curveTangent curveTightness shape shapeMode beginContour beginShape bezierVertex curveVertex endContour endShape quadraticVertex vertex ellipseMode noSmooth rectMode smooth strokeCap strokeJoin strokeWeight mouseClicked mouseDragged mouseMoved mousePressed mouseReleased mouseWheel keyPressed keyPressedkeyReleased keyTyped print println save saveFrame day hour millis minute month second year background clear colorMode fill noFill noStroke stroke alpha blue brightness color green hue lerpColor red saturation modelX modelY modelZ screenX screenY screenZ ambient emissive shininess specular add createImage beginCamera camera endCamera frustum ortho perspective printCamera printProjection cursor frameRate noCursor exit loop noLoop popStyle pushStyle redraw binary boolean byte char float hex int str unbinary unhex join match matchAll nf nfc nfp nfs split splitTokens trim append arrayCopy concat expand reverse shorten sort splice subset box sphere sphereDetail createInput createReader loadBytes loadJSONArray loadJSONObject loadStrings loadTable loadXML open parseXML saveTable selectFolder selectInput beginRaw beginRecord createOutput createWriter endRaw endRecord PrintWritersaveBytes saveJSONArray saveJSONObject saveStream saveStrings saveXML selectOutput popMatrix printMatrix pushMatrix resetMatrix rotate rotateX rotateY rotateZ scale shearX shearY translate ambientLight directionalLight lightFalloff lights lightSpecular noLights normal pointLight spotLight image imageMode loadImage noTint requestImage tint texture textureMode textureWrap blend copy filter get loadPixels set updatePixels blendMode loadShader PShaderresetShader shader createFont loadFont text textFont textAlign textLeading textMode textSize textWidth textAscent textDescent abs ceil constrain dist exp floor lerp log mag map max min norm pow round sq sqrt acos asin atan atan2 cos degrees radians sin tan noise noiseDetail noiseSeed random randomGaussian randomSeed"},c:[e.CLCM,e.CBCM,e.ASM,e.QSM,e.CNM]}});hljs.registerLanguage("mizar",function(e){return{k:"environ vocabularies notations constructors definitions registrations theorems schemes requirements begin end definition registration cluster existence pred func defpred deffunc theorem proof let take assume then thus hence ex for st holds consider reconsider such that and in provided of as from be being by means equals implies iff redefine define now not or attr is mode suppose per cases set thesis contradiction scheme reserve struct correctness compatibility coherence symmetry assymetry reflexivity irreflexivity connectedness uniqueness commutativity idempotence involutiveness projectivity",c:[e.C("::","$")]}});hljs.registerLanguage("vbnet",function(e){return{aliases:["vb"],cI:!0,k:{keyword:"addhandler addressof alias and andalso aggregate ansi as assembly auto binary by byref byval call case catch class compare const continue custom declare default delegate dim distinct do each equals else elseif end enum erase error event exit explicit finally for friend from function get global goto group handles if implements imports in inherits interface into is isfalse isnot istrue join key let lib like loop me mid mod module mustinherit mustoverride mybase myclass namespace narrowing new next not notinheritable notoverridable of off on operator option optional or order orelse overloads overridable overrides paramarray partial preserve private property protected public raiseevent readonly redim rem removehandler resume return select set shadows shared skip static step stop structure strict sub synclock take text then throw to try unicode until using when where while widening with withevents writeonly xor",built_in:"boolean byte cbool cbyte cchar cdate cdec cdbl char cint clng cobj csbyte cshort csng cstr ctype date decimal directcast double gettype getxmlnamespace iif integer long object sbyte short single string trycast typeof uinteger ulong ushort",literal:"true false nothing"},i:"//|{|}|endif|gosub|variant|wend",c:[e.inherit(e.QSM,{c:[{b:'""'}]}),e.C("'","$",{rB:!0,c:[{cN:"xmlDocTag",b:"'''|",c:[e.PWM]},{cN:"xmlDocTag",b:"",c:[e.PWM]}]}),e.CNM,{cN:"preprocessor",b:"#",e:"$",k:"if else elseif end region externalsource"}]}});hljs.registerLanguage("q",function(e){var s={keyword:"do while select delete by update from",constant:"0b 1b",built_in:"neg not null string reciprocal floor ceiling signum mod xbar xlog and or each scan over prior mmu lsq inv md5 ltime gtime count first var dev med cov cor all any rand sums prds mins maxs fills deltas ratios avgs differ prev next rank reverse iasc idesc asc desc msum mcount mavg mdev xrank mmin mmax xprev rotate distinct group where flip type key til get value attr cut set upsert raze union inter except cross sv vs sublist enlist read0 read1 hopen hclose hdel hsym hcount peach system ltrim rtrim trim lower upper ssr view tables views cols xcols keys xkey xcol xasc xdesc fkeys meta lj aj aj0 ij pj asof uj ww wj wj1 fby xgroup ungroup ej save load rsave rload show csv parse eval min max avg wavg wsum sin cos tan sum",typename:"`float `double int `timestamp `timespan `datetime `time `boolean `symbol `char `byte `short `long `real `month `date `minute `second `guid"};return{aliases:["k","kdb"],k:s,l:/\b(`?)[A-Za-z0-9_]+\b/,c:[e.CLCM,e.QSM,e.CNM]}});hljs.registerLanguage("livescript",function(e){var t={keyword:"in if for while finally new do return else break catch instanceof throw try this switch continue typeof delete debugger case default function var with then unless until loop of by when and or is isnt not it that otherwise from to til fallthrough super case default function var void const let enum export import native __hasProp __extends __slice __bind __indexOf",literal:"true false null undefined yes no on off it that void",built_in:"npm require console print module global window document"},s="[A-Za-z$_](?:-[0-9A-Za-z$_]|[0-9A-Za-z$_])*",i=e.inherit(e.TM,{b:s}),n={cN:"subst",b:/#\{/,e:/}/,k:t},r={cN:"subst",b:/#[A-Za-z$_]/,e:/(?:\-[0-9A-Za-z$_]|[0-9A-Za-z$_])*/,k:t},c=[e.BNM,{cN:"number",b:"(\\b0[xX][a-fA-F0-9_]+)|(\\b\\d(\\d|_\\d)*(\\.(\\d(\\d|_\\d)*)?)?(_*[eE]([-+]\\d(_\\d|\\d)*)?)?[_a-z]*)",r:0,starts:{e:"(\\s*/)?",r:0}},{cN:"string",v:[{b:/'''/,e:/'''/,c:[e.BE]},{b:/'/,e:/'/,c:[e.BE]},{b:/"""/,e:/"""/,c:[e.BE,n,r]},{b:/"/,e:/"/,c:[e.BE,n,r]},{b:/\\/,e:/(\s|$)/,eE:!0}]},{cN:"pi",v:[{b:"//",e:"//[gim]*",c:[n,e.HCM]},{b:/\/(?![ *])(\\\/|.)*?\/[gim]*(?=\W|$)/}]},{cN:"property",b:"@"+s},{b:"``",e:"``",eB:!0,eE:!0,sL:"javascript"}];n.c=c;var a={cN:"params",b:"\\(",rB:!0,c:[{b:/\(/,e:/\)/,k:t,c:["self"].concat(c)}]};return{aliases:["ls"],k:t,i:/\/\*/,c:c.concat([e.C("\\/\\*","\\*\\/"),e.HCM,{cN:"function",c:[i,a],rB:!0,v:[{b:"("+s+"\\s*(?:=|:=)\\s*)?(\\(.*\\))?\\s*\\B\\->\\*?",e:"\\->\\*?"},{b:"("+s+"\\s*(?:=|:=)\\s*)?!?(\\(.*\\))?\\s*\\B[-~]{1,2}>\\*?",e:"[-~]{1,2}>\\*?"},{b:"("+s+"\\s*(?:=|:=)\\s*)?(\\(.*\\))?\\s*\\B!?[-~]{1,2}>\\*?",e:"!?[-~]{1,2}>\\*?"}]},{cN:"class",bK:"class",e:"$",i:/[:="\[\]]/,c:[{bK:"extends",eW:!0,i:/[:="\[\]]/,c:[i]},i]},{cN:"attribute",b:s+":",e:":",rB:!0,rE:!0,r:0}])}});hljs.registerLanguage("haxe",function(e){var r="([*]|[a-zA-Z_$][a-zA-Z0-9_$]*)";return{aliases:["hx"],k:{keyword:"break callback case cast catch class continue default do dynamic else enum extends extern for function here if implements import in inline interface never new override package private public return static super switch this throw trace try typedef untyped using var while",literal:"true false null"},c:[e.ASM,e.QSM,e.CLCM,e.CBCM,e.CNM,{cN:"class",bK:"class interface",e:"{",eE:!0,c:[{bK:"extends implements"},e.TM]},{cN:"preprocessor",b:"#",e:"$",k:"if else elseif end error"},{cN:"function",bK:"function",e:"[{;]",eE:!0,i:"\\S",c:[e.TM,{cN:"params",b:"\\(",e:"\\)",c:[e.ASM,e.QSM,e.CLCM,e.CBCM]},{cN:"type",b:":",e:r,r:10}]}]}});hljs.registerLanguage("monkey",function(e){var n={cN:"number",r:0,v:[{b:"[$][a-fA-F0-9]+"},e.NM]};return{cI:!0,k:{keyword:"public private property continue exit extern new try catch eachin not abstract final select case default const local global field end if then else elseif endif while wend repeat until forever for to step next return module inline throw",built_in:"DebugLog DebugStop Error Print ACos ACosr ASin ASinr ATan ATan2 ATan2r ATanr Abs Abs Ceil Clamp Clamp Cos Cosr Exp Floor Log Max Max Min Min Pow Sgn Sgn Sin Sinr Sqrt Tan Tanr Seed PI HALFPI TWOPI",literal:"true false null and or shl shr mod"},c:[e.C("#rem","#end"),e.C("'","$",{r:0}),{cN:"function",bK:"function method",e:"[(=:]|$",i:/\n/,c:[e.UTM]},{cN:"class",bK:"class interface",e:"$",c:[{bK:"extends implements"},e.UTM]},{cN:"variable",b:"\\b(self|super)\\b"},{cN:"preprocessor",bK:"import",e:"$"},{cN:"preprocessor",b:"\\s*#",e:"$",k:"if else elseif endif end then"},{cN:"pi",b:"^\\s*strict\\b"},{bK:"alias",e:"=",c:[e.UTM]},e.QSM,n]}});hljs.registerLanguage("bash",function(e){var t={cN:"variable",v:[{b:/\$[\w\d#@][\w\d_]*/},{b:/\$\{(.*?)}/}]},s={cN:"string",b:/"/,e:/"/,c:[e.BE,t,{cN:"variable",b:/\$\(/,e:/\)/,c:[e.BE]}]},a={cN:"string",b:/'/,e:/'/};return{aliases:["sh","zsh"],l:/-?[a-z\.]+/,k:{keyword:"if then else elif fi for while in do done case esac function",literal:"true false",built_in:"break cd continue eval exec exit export getopts hash pwd readonly return shift test times trap umask unset alias bind builtin caller command declare echo enable help let local logout mapfile printf read readarray source type typeset ulimit unalias set shopt autoload bg bindkey bye cap chdir clone comparguments compcall compctl compdescribe compfiles compgroups compquote comptags comptry compvalues dirs disable disown echotc echoti emulate fc fg float functions getcap getln history integer jobs kill limit log noglob popd print pushd pushln rehash sched setcap setopt stat suspend ttyctl unfunction unhash unlimit unsetopt vared wait whence where which zcompile zformat zftp zle zmodload zparseopts zprof zpty zregexparse zsocket zstyle ztcp",operator:"-ne -eq -lt -gt -f -d -e -s -l -a"},c:[{cN:"shebang",b:/^#![^\n]+sh\s*$/,r:10},{cN:"function",b:/\w[\w\d_]*\s*\(\s*\)\s*\{/,rB:!0,c:[e.inherit(e.TM,{b:/\w[\w\d_]*/})],r:0},e.HCM,e.NM,s,a,t]}});hljs.registerLanguage("erlang",function(e){var r="[a-z'][a-zA-Z0-9_']*",c="("+r+":"+r+"|"+r+")",a={keyword:"after and andalso|10 band begin bnot bor bsl bzr bxor case catch cond div end fun if let not of orelse|10 query receive rem try when xor",literal:"false true"},n=e.C("%","$"),i={cN:"number",b:"\\b(\\d+#[a-fA-F0-9]+|\\d+(\\.\\d+)?([eE][-+]?\\d+)?)",r:0},b={b:"fun\\s+"+r+"/\\d+"},d={b:c+"\\(",e:"\\)",rB:!0,r:0,c:[{cN:"function_name",b:c,r:0},{b:"\\(",e:"\\)",eW:!0,rE:!0,r:0}]},o={cN:"tuple",b:"{",e:"}",r:0},t={cN:"variable",b:"\\b_([A-Z][A-Za-z0-9_]*)?",r:0},l={cN:"variable",b:"[A-Z][a-zA-Z0-9_]*",r:0},f={b:"#"+e.UIR,r:0,rB:!0,c:[{cN:"record_name",b:"#"+e.UIR,r:0},{b:"{",e:"}",r:0}]},s={bK:"fun receive if try case",e:"end",k:a};s.c=[n,b,e.inherit(e.ASM,{cN:""}),s,d,e.QSM,i,o,t,l,f];var u=[n,b,s,d,e.QSM,i,o,t,l,f];d.c[1].c=u,o.c=u,f.c[1].c=u;var v={cN:"params",b:"\\(",e:"\\)",c:u};return{aliases:["erl"],k:a,i:"(",rB:!0,i:"\\(|#|//|/\\*|\\\\|:|;",c:[v,e.inherit(e.TM,{b:r})],starts:{e:";|\\.",k:a,c:u}},n,{cN:"pp",b:"^-",e:"\\.",r:0,eE:!0,rB:!0,l:"-"+e.IR,k:"-module -record -undef -export -ifdef -ifndef -author -copyright -doc -vsn -import -include -include_lib -compile -define -else -endif -file -behaviour -behavior -spec",c:[v]},i,e.QSM,f,t,l,o,{b:/\.$/}]}});hljs.registerLanguage("kotlin",function(e){var a="val var get set class trait object public open private protected final enum if else do while for when break continue throw try catch finally import package is as in return fun override default companion reified inline volatile transient native";return{k:{typename:"Byte Short Char Int Long Boolean Float Double Void Unit Nothing",literal:"true false null",keyword:a},c:[e.CLCM,{cN:"javadoc",b:"/\\*\\*",e:"\\*//*",r:0,c:[{cN:"javadoctag",b:"(^|\\s)@[A-Za-z]+"}]},e.CBCM,{cN:"type",b://,rB:!0,eE:!1,r:0},{cN:"function",bK:"fun",e:"[(]|$",rB:!0,eE:!0,k:a,i:/fun\s+(<.*>)?[^\s\(]+(\s+[^\s\(]+)\s*=/,r:5,c:[{b:e.UIR+"\\s*\\(",rB:!0,r:0,c:[e.UTM]},{cN:"type",b://,k:"reified",r:0},{cN:"params",b:/\(/,e:/\)/,k:a,r:0,i:/\([^\(,\s:]+,/,c:[{cN:"typename",b:/:\s*/,e:/\s*[=\)]/,eB:!0,rE:!0,r:0}]},e.CLCM,e.CBCM]},{cN:"class",bK:"class trait",e:/[:\{(]|$/,eE:!0,i:"extends implements",c:[e.UTM,{cN:"type",b://,eB:!0,eE:!0,r:0},{cN:"typename",b:/[,:]\s*/,e:/[<\(,]|$/,eB:!0,rE:!0}]},{cN:"variable",bK:"var val",e:/\s*[=:$]/,eE:!0},e.QSM,{cN:"shebang",b:"^#!/usr/bin/env",e:"$",i:"\n"},e.CNM]}});hljs.registerLanguage("stylus",function(t){var e={cN:"variable",b:"\\$"+t.IR},o={cN:"hexcolor",b:"#([a-fA-F0-9]{6}|[a-fA-F0-9]{3})",r:10},i=["charset","css","debug","extend","font-face","for","import","include","media","mixin","page","warn","while"],r=["after","before","first-letter","first-line","active","first-child","focus","hover","lang","link","visited"],n=["a","abbr","address","article","aside","audio","b","blockquote","body","button","canvas","caption","cite","code","dd","del","details","dfn","div","dl","dt","em","fieldset","figcaption","figure","footer","form","h1","h2","h3","h4","h5","h6","header","hgroup","html","i","iframe","img","input","ins","kbd","label","legend","li","mark","menu","nav","object","ol","p","q","quote","samp","section","span","strong","summary","sup","table","tbody","td","textarea","tfoot","th","thead","time","tr","ul","var","video"],a="[\\.\\s\\n\\[\\:,]",l=["align-content","align-items","align-self","animation","animation-delay","animation-direction","animation-duration","animation-fill-mode","animation-iteration-count","animation-name","animation-play-state","animation-timing-function","auto","backface-visibility","background","background-attachment","background-clip","background-color","background-image","background-origin","background-position","background-repeat","background-size","border","border-bottom","border-bottom-color","border-bottom-left-radius","border-bottom-right-radius","border-bottom-style","border-bottom-width","border-collapse","border-color","border-image","border-image-outset","border-image-repeat","border-image-slice","border-image-source","border-image-width","border-left","border-left-color","border-left-style","border-left-width","border-radius","border-right","border-right-color","border-right-style","border-right-width","border-spacing","border-style","border-top","border-top-color","border-top-left-radius","border-top-right-radius","border-top-style","border-top-width","border-width","bottom","box-decoration-break","box-shadow","box-sizing","break-after","break-before","break-inside","caption-side","clear","clip","clip-path","color","column-count","column-fill","column-gap","column-rule","column-rule-color","column-rule-style","column-rule-width","column-span","column-width","columns","content","counter-increment","counter-reset","cursor","direction","display","empty-cells","filter","flex","flex-basis","flex-direction","flex-flow","flex-grow","flex-shrink","flex-wrap","float","font","font-family","font-feature-settings","font-kerning","font-language-override","font-size","font-size-adjust","font-stretch","font-style","font-variant","font-variant-ligatures","font-weight","height","hyphens","icon","image-orientation","image-rendering","image-resolution","ime-mode","inherit","initial","justify-content","left","letter-spacing","line-height","list-style","list-style-image","list-style-position","list-style-type","margin","margin-bottom","margin-left","margin-right","margin-top","marks","mask","max-height","max-width","min-height","min-width","nav-down","nav-index","nav-left","nav-right","nav-up","none","normal","object-fit","object-position","opacity","order","orphans","outline","outline-color","outline-offset","outline-style","outline-width","overflow","overflow-wrap","overflow-x","overflow-y","padding","padding-bottom","padding-left","padding-right","padding-top","page-break-after","page-break-before","page-break-inside","perspective","perspective-origin","pointer-events","position","quotes","resize","right","tab-size","table-layout","text-align","text-align-last","text-decoration","text-decoration-color","text-decoration-line","text-decoration-style","text-indent","text-overflow","text-rendering","text-shadow","text-transform","text-underline-position","top","transform","transform-origin","transform-style","transition","transition-delay","transition-duration","transition-property","transition-timing-function","unicode-bidi","vertical-align","visibility","white-space","widows","width","word-break","word-spacing","word-wrap","z-index"],d=["\\{","\\}","\\?","(\\bReturn\\b)","(\\bEnd\\b)","(\\bend\\b)",";","#\\s","\\*\\s","===\\s","\\|","%"];return{aliases:["styl"],cI:!1,i:"("+d.join("|")+")",k:"if else for in",c:[t.QSM,t.ASM,t.CLCM,t.CBCM,o,{b:"\\.[a-zA-Z][a-zA-Z0-9_-]*"+a,rB:!0,c:[{cN:"class",b:"\\.[a-zA-Z][a-zA-Z0-9_-]*"}]},{b:"\\#[a-zA-Z][a-zA-Z0-9_-]*"+a,rB:!0,c:[{cN:"id",b:"\\#[a-zA-Z][a-zA-Z0-9_-]*"}]},{b:"\\b("+n.join("|")+")"+a,rB:!0,c:[{cN:"tag",b:"\\b[a-zA-Z][a-zA-Z0-9_-]*"}]},{cN:"pseudo",b:"&?:?:\\b("+r.join("|")+")"+a},{cN:"at_rule",b:"@("+i.join("|")+")\\b"},e,t.CSSNM,t.NM,{cN:"function",b:"\\b[a-zA-Z][a-zA-Z0-9_-]*\\(.*\\)",i:"[\\n]",rB:!0,c:[{cN:"title",b:"\\b[a-zA-Z][a-zA-Z0-9_-]*"},{cN:"params",b:/\(/,e:/\)/,c:[o,e,t.ASM,t.CSSNM,t.NM,t.QSM]}]},{cN:"attribute",b:"\\b("+l.reverse().join("|")+")\\b"}]}});hljs.registerLanguage("css",function(e){var c="[a-zA-Z-][a-zA-Z0-9_-]*",a={cN:"function",b:c+"\\(",rB:!0,eE:!0,e:"\\("},r={cN:"rule",b:/[A-Z\_\.\-]+\s*:/,rB:!0,e:";",eW:!0,c:[{cN:"attribute",b:/\S/,e:":",eE:!0,starts:{cN:"value",eW:!0,eE:!0,c:[a,e.CSSNM,e.QSM,e.ASM,e.CBCM,{cN:"hexcolor",b:"#[0-9A-Fa-f]+"},{cN:"important",b:"!important"}]}}]};return{cI:!0,i:/[=\/|']/,c:[e.CBCM,r,{cN:"id",b:/\#[A-Za-z0-9_-]+/},{cN:"class",b:/\.[A-Za-z0-9_-]+/,r:0},{cN:"attr_selector",b:/\[/,e:/\]/,i:"$"},{cN:"pseudo",b:/:(:)?[a-zA-Z0-9\_\-\+\(\)"']+/},{cN:"at_rule",b:"@(font-face|page)",l:"[a-z-]+",k:"font-face page"},{cN:"at_rule",b:"@",e:"[{;]",c:[{cN:"keyword",b:/\S+/},{b:/\s/,eW:!0,eE:!0,r:0,c:[a,e.ASM,e.QSM,e.CSSNM]}]},{cN:"tag",b:c,r:0},{cN:"rules",b:"{",e:"}",i:/\S/,r:0,c:[e.CBCM,r]}]}});hljs.registerLanguage("puppet",function(e){var s="augeas computer cron exec file filebucket host interface k5login macauthorization mailalias maillist mcx mount nagios_command nagios_contact nagios_contactgroup nagios_host nagios_hostdependency nagios_hostescalation nagios_hostextinfo nagios_hostgroup nagios_service firewall nagios_servicedependency nagios_serviceescalation nagios_serviceextinfo nagios_servicegroup nagios_timeperiod notify package resources router schedule scheduled_task selboolean selmodule service ssh_authorized_key sshkey stage tidy user vlan yumrepo zfs zone zpool",r="alias audit before loglevel noop require subscribe tag owner ensure group mode name|0 changes context force incl lens load_path onlyif provider returns root show_diff type_check en_address ip_address realname command environment hour monute month monthday special target weekday creates cwd ogoutput refresh refreshonly tries try_sleep umask backup checksum content ctime force ignore links mtime purge recurse recurselimit replace selinux_ignore_defaults selrange selrole seltype seluser source souirce_permissions sourceselect validate_cmd validate_replacement allowdupe attribute_membership auth_membership forcelocal gid ia_load_module members system host_aliases ip allowed_trunk_vlans description device_url duplex encapsulation etherchannel native_vlan speed principals allow_root auth_class auth_type authenticate_user k_of_n mechanisms rule session_owner shared options device fstype enable hasrestart directory present absent link atboot blockdevice device dump pass remounts poller_tag use message withpath adminfile allow_virtual allowcdrom category configfiles flavor install_options instance package_settings platform responsefile status uninstall_options vendor unless_system_user unless_uid binary control flags hasstatus manifest pattern restart running start stop allowdupe auths expiry gid groups home iterations key_membership keys managehome membership password password_max_age password_min_age profile_membership profiles project purge_ssh_keys role_membership roles salt shell uid baseurl cost descr enabled enablegroups exclude failovermethod gpgcheck gpgkey http_caching include includepkgs keepalive metadata_expire metalink mirrorlist priority protect proxy proxy_password proxy_username repo_gpgcheck s3_enabled skip_if_unavailable sslcacert sslclientcert sslclientkey sslverify mounted",a={keyword:"and case class default define else elsif false if in import enherits node or true undef unless main settings $string "+s,literal:r,built_in:"architecture augeasversion blockdevices boardmanufacturer boardproductname boardserialnumber cfkey dhcp_servers domain ec2_ ec2_userdata facterversion filesystems ldom fqdn gid hardwareisa hardwaremodel hostname id|0 interfaces ipaddress ipaddress_ ipaddress6 ipaddress6_ iphostnumber is_virtual kernel kernelmajversion kernelrelease kernelversion kernelrelease kernelversion lsbdistcodename lsbdistdescription lsbdistid lsbdistrelease lsbmajdistrelease lsbminordistrelease lsbrelease macaddress macaddress_ macosx_buildversion macosx_productname macosx_productversion macosx_productverson_major macosx_productversion_minor manufacturer memoryfree memorysize netmask metmask_ network_ operatingsystem operatingsystemmajrelease operatingsystemrelease osfamily partitions path physicalprocessorcount processor processorcount productname ps puppetversion rubysitedir rubyversion selinux selinux_config_mode selinux_config_policy selinux_current_mode selinux_current_mode selinux_enforced selinux_policyversion serialnumber sp_ sshdsakey sshecdsakey sshrsakey swapencrypted swapfree swapsize timezone type uniqueid uptime uptime_days uptime_hours uptime_seconds uuid virtual vlans xendomains zfs_version zonenae zones zpool_version"},i=e.C("#","$"),o={cN:"string",c:[e.BE],v:[{b:/'/,e:/'/},{b:/"/,e:/"/}]},n=[o,i,{cN:"keyword",bK:"class",e:"$|;",i:/=/,c:[e.inherit(e.TM,{b:"(::)?[A-Za-z_]\\w*(::\\w+)*"}),i,o]},{cN:"keyword",b:"([a-zA-Z_(::)]+ *\\{)",c:[o,i],r:0},{cN:"keyword",b:"(\\}|\\{)",r:0},{cN:"function",b:"[a-zA-Z_]+\\s*=>"},{cN:"constant",b:"(::)?(\\b[A-Z][a-z_]*(::)?)+",r:0},{cN:"number",b:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",r:0}];return{aliases:["pp"],k:a,c:n}});hljs.registerLanguage("nimrod",function(t){return{aliases:["nim"],k:{keyword:"addr and as asm bind block break|0 case|0 cast const|0 continue|0 converter discard distinct|10 div do elif else|0 end|0 enum|0 except export finally for from generic if|0 import|0 in include|0 interface is isnot|10 iterator|10 let|0 macro method|10 mixin mod nil not notin|10 object|0 of or out proc|10 ptr raise ref|10 return shl shr static template|10 try|0 tuple type|0 using|0 var|0 when while|0 with without xor yield",literal:"shared guarded stdin stdout stderr result|10 true false"},c:[{cN:"decorator",b:/{\./,e:/\.}/,r:10},{cN:"string",b:/[a-zA-Z]\w*"/,e:/"/,c:[{b:/""/}]},{cN:"string",b:/([a-zA-Z]\w*)?"""/,e:/"""/},t.QSM,{cN:"type",b:/\b[A-Z]\w+\b/,r:0},{cN:"type",b:/\b(int|int8|int16|int32|int64|uint|uint8|uint16|uint32|uint64|float|float32|float64|bool|char|string|cstring|pointer|expr|stmt|void|auto|any|range|array|openarray|varargs|seq|set|clong|culong|cchar|cschar|cshort|cint|csize|clonglong|cfloat|cdouble|clongdouble|cuchar|cushort|cuint|culonglong|cstringarray|semistatic)\b/},{cN:"number",b:/\b(0[xX][0-9a-fA-F][_0-9a-fA-F]*)('?[iIuU](8|16|32|64))?/,r:0},{cN:"number",b:/\b(0o[0-7][_0-7]*)('?[iIuUfF](8|16|32|64))?/,r:0},{cN:"number",b:/\b(0(b|B)[01][_01]*)('?[iIuUfF](8|16|32|64))?/,r:0},{cN:"number",b:/\b(\d[_\d]*)('?[iIuUfF](8|16|32|64))?/,r:0},t.HCM]}});hljs.registerLanguage("smalltalk",function(a){var r="[a-z][a-zA-Z0-9_]*",s={cN:"char",b:"\\$.{1}"},c={cN:"symbol",b:"#"+a.UIR};return{aliases:["st"],k:"self super nil true false thisContext",c:[a.C('"','"'),a.ASM,{cN:"class",b:"\\b[A-Z][A-Za-z0-9_]*",r:0},{cN:"method",b:r+":",r:0},a.CNM,c,s,{cN:"localvars",b:"\\|[ ]*"+r+"([ ]+"+r+")*[ ]*\\|",rB:!0,e:/\|/,i:/\S/,c:[{b:"(\\|[ ]*)?"+r}]},{cN:"array",b:"\\#\\(",e:"\\)",c:[a.ASM,s,a.CNM,c]}]}});hljs.registerLanguage("x86asm",function(s){return{cI:!0,l:"\\.?"+s.IR,k:{keyword:"lock rep repe repz repne repnz xaquire xrelease bnd nobnd aaa aad aam aas adc add and arpl bb0_reset bb1_reset bound bsf bsr bswap bt btc btr bts call cbw cdq cdqe clc cld cli clts cmc cmp cmpsb cmpsd cmpsq cmpsw cmpxchg cmpxchg486 cmpxchg8b cmpxchg16b cpuid cpu_read cpu_write cqo cwd cwde daa das dec div dmint emms enter equ f2xm1 fabs fadd faddp fbld fbstp fchs fclex fcmovb fcmovbe fcmove fcmovnb fcmovnbe fcmovne fcmovnu fcmovu fcom fcomi fcomip fcomp fcompp fcos fdecstp fdisi fdiv fdivp fdivr fdivrp femms feni ffree ffreep fiadd ficom ficomp fidiv fidivr fild fimul fincstp finit fist fistp fisttp fisub fisubr fld fld1 fldcw fldenv fldl2e fldl2t fldlg2 fldln2 fldpi fldz fmul fmulp fnclex fndisi fneni fninit fnop fnsave fnstcw fnstenv fnstsw fpatan fprem fprem1 fptan frndint frstor fsave fscale fsetpm fsin fsincos fsqrt fst fstcw fstenv fstp fstsw fsub fsubp fsubr fsubrp ftst fucom fucomi fucomip fucomp fucompp fxam fxch fxtract fyl2x fyl2xp1 hlt ibts icebp idiv imul in inc incbin insb insd insw int int01 int1 int03 int3 into invd invpcid invlpg invlpga iret iretd iretq iretw jcxz jecxz jrcxz jmp jmpe lahf lar lds lea leave les lfence lfs lgdt lgs lidt lldt lmsw loadall loadall286 lodsb lodsd lodsq lodsw loop loope loopne loopnz loopz lsl lss ltr mfence monitor mov movd movq movsb movsd movsq movsw movsx movsxd movzx mul mwait neg nop not or out outsb outsd outsw packssdw packsswb packuswb paddb paddd paddsb paddsiw paddsw paddusb paddusw paddw pand pandn pause paveb pavgusb pcmpeqb pcmpeqd pcmpeqw pcmpgtb pcmpgtd pcmpgtw pdistib pf2id pfacc pfadd pfcmpeq pfcmpge pfcmpgt pfmax pfmin pfmul pfrcp pfrcpit1 pfrcpit2 pfrsqit1 pfrsqrt pfsub pfsubr pi2fd pmachriw pmaddwd pmagw pmulhriw pmulhrwa pmulhrwc pmulhw pmullw pmvgezb pmvlzb pmvnzb pmvzb pop popa popad popaw popf popfd popfq popfw por prefetch prefetchw pslld psllq psllw psrad psraw psrld psrlq psrlw psubb psubd psubsb psubsiw psubsw psubusb psubusw psubw punpckhbw punpckhdq punpckhwd punpcklbw punpckldq punpcklwd push pusha pushad pushaw pushf pushfd pushfq pushfw pxor rcl rcr rdshr rdmsr rdpmc rdtsc rdtscp ret retf retn rol ror rdm rsdc rsldt rsm rsts sahf sal salc sar sbb scasb scasd scasq scasw sfence sgdt shl shld shr shrd sidt sldt skinit smi smint smintold smsw stc std sti stosb stosd stosq stosw str sub svdc svldt svts swapgs syscall sysenter sysexit sysret test ud0 ud1 ud2b ud2 ud2a umov verr verw fwait wbinvd wrshr wrmsr xadd xbts xchg xlatb xlat xor cmove cmovz cmovne cmovnz cmova cmovnbe cmovae cmovnb cmovb cmovnae cmovbe cmovna cmovg cmovnle cmovge cmovnl cmovl cmovnge cmovle cmovng cmovc cmovnc cmovo cmovno cmovs cmovns cmovp cmovpe cmovnp cmovpo je jz jne jnz ja jnbe jae jnb jb jnae jbe jna jg jnle jge jnl jl jnge jle jng jc jnc jo jno js jns jpo jnp jpe jp sete setz setne setnz seta setnbe setae setnb setnc setb setnae setcset setbe setna setg setnle setge setnl setl setnge setle setng sets setns seto setno setpe setp setpo setnp addps addss andnps andps cmpeqps cmpeqss cmpleps cmpless cmpltps cmpltss cmpneqps cmpneqss cmpnleps cmpnless cmpnltps cmpnltss cmpordps cmpordss cmpunordps cmpunordss cmpps cmpss comiss cvtpi2ps cvtps2pi cvtsi2ss cvtss2si cvttps2pi cvttss2si divps divss ldmxcsr maxps maxss minps minss movaps movhps movlhps movlps movhlps movmskps movntps movss movups mulps mulss orps rcpps rcpss rsqrtps rsqrtss shufps sqrtps sqrtss stmxcsr subps subss ucomiss unpckhps unpcklps xorps fxrstor fxrstor64 fxsave fxsave64 xgetbv xsetbv xsave xsave64 xsaveopt xsaveopt64 xrstor xrstor64 prefetchnta prefetcht0 prefetcht1 prefetcht2 maskmovq movntq pavgb pavgw pextrw pinsrw pmaxsw pmaxub pminsw pminub pmovmskb pmulhuw psadbw pshufw pf2iw pfnacc pfpnacc pi2fw pswapd maskmovdqu clflush movntdq movnti movntpd movdqa movdqu movdq2q movq2dq paddq pmuludq pshufd pshufhw pshuflw pslldq psrldq psubq punpckhqdq punpcklqdq addpd addsd andnpd andpd cmpeqpd cmpeqsd cmplepd cmplesd cmpltpd cmpltsd cmpneqpd cmpneqsd cmpnlepd cmpnlesd cmpnltpd cmpnltsd cmpordpd cmpordsd cmpunordpd cmpunordsd cmppd comisd cvtdq2pd cvtdq2ps cvtpd2dq cvtpd2pi cvtpd2ps cvtpi2pd cvtps2dq cvtps2pd cvtsd2si cvtsd2ss cvtsi2sd cvtss2sd cvttpd2pi cvttpd2dq cvttps2dq cvttsd2si divpd divsd maxpd maxsd minpd minsd movapd movhpd movlpd movmskpd movupd mulpd mulsd orpd shufpd sqrtpd sqrtsd subpd subsd ucomisd unpckhpd unpcklpd xorpd addsubpd addsubps haddpd haddps hsubpd hsubps lddqu movddup movshdup movsldup clgi stgi vmcall vmclear vmfunc vmlaunch vmload vmmcall vmptrld vmptrst vmread vmresume vmrun vmsave vmwrite vmxoff vmxon invept invvpid pabsb pabsw pabsd palignr phaddw phaddd phaddsw phsubw phsubd phsubsw pmaddubsw pmulhrsw pshufb psignb psignw psignd extrq insertq movntsd movntss lzcnt blendpd blendps blendvpd blendvps dppd dpps extractps insertps movntdqa mpsadbw packusdw pblendvb pblendw pcmpeqq pextrb pextrd pextrq phminposuw pinsrb pinsrd pinsrq pmaxsb pmaxsd pmaxud pmaxuw pminsb pminsd pminud pminuw pmovsxbw pmovsxbd pmovsxbq pmovsxwd pmovsxwq pmovsxdq pmovzxbw pmovzxbd pmovzxbq pmovzxwd pmovzxwq pmovzxdq pmuldq pmulld ptest roundpd roundps roundsd roundss crc32 pcmpestri pcmpestrm pcmpistri pcmpistrm pcmpgtq popcnt getsec pfrcpv pfrsqrtv movbe aesenc aesenclast aesdec aesdeclast aesimc aeskeygenassist vaesenc vaesenclast vaesdec vaesdeclast vaesimc vaeskeygenassist vaddpd vaddps vaddsd vaddss vaddsubpd vaddsubps vandpd vandps vandnpd vandnps vblendpd vblendps vblendvpd vblendvps vbroadcastss vbroadcastsd vbroadcastf128 vcmpeq_ospd vcmpeqpd vcmplt_ospd vcmpltpd vcmple_ospd vcmplepd vcmpunord_qpd vcmpunordpd vcmpneq_uqpd vcmpneqpd vcmpnlt_uspd vcmpnltpd vcmpnle_uspd vcmpnlepd vcmpord_qpd vcmpordpd vcmpeq_uqpd vcmpnge_uspd vcmpngepd vcmpngt_uspd vcmpngtpd vcmpfalse_oqpd vcmpfalsepd vcmpneq_oqpd vcmpge_ospd vcmpgepd vcmpgt_ospd vcmpgtpd vcmptrue_uqpd vcmptruepd vcmplt_oqpd vcmple_oqpd vcmpunord_spd vcmpneq_uspd vcmpnlt_uqpd vcmpnle_uqpd vcmpord_spd vcmpeq_uspd vcmpnge_uqpd vcmpngt_uqpd vcmpfalse_ospd vcmpneq_ospd vcmpge_oqpd vcmpgt_oqpd vcmptrue_uspd vcmppd vcmpeq_osps vcmpeqps vcmplt_osps vcmpltps vcmple_osps vcmpleps vcmpunord_qps vcmpunordps vcmpneq_uqps vcmpneqps vcmpnlt_usps vcmpnltps vcmpnle_usps vcmpnleps vcmpord_qps vcmpordps vcmpeq_uqps vcmpnge_usps vcmpngeps vcmpngt_usps vcmpngtps vcmpfalse_oqps vcmpfalseps vcmpneq_oqps vcmpge_osps vcmpgeps vcmpgt_osps vcmpgtps vcmptrue_uqps vcmptrueps vcmplt_oqps vcmple_oqps vcmpunord_sps vcmpneq_usps vcmpnlt_uqps vcmpnle_uqps vcmpord_sps vcmpeq_usps vcmpnge_uqps vcmpngt_uqps vcmpfalse_osps vcmpneq_osps vcmpge_oqps vcmpgt_oqps vcmptrue_usps vcmpps vcmpeq_ossd vcmpeqsd vcmplt_ossd vcmpltsd vcmple_ossd vcmplesd vcmpunord_qsd vcmpunordsd vcmpneq_uqsd vcmpneqsd vcmpnlt_ussd vcmpnltsd vcmpnle_ussd vcmpnlesd vcmpord_qsd vcmpordsd vcmpeq_uqsd vcmpnge_ussd vcmpngesd vcmpngt_ussd vcmpngtsd vcmpfalse_oqsd vcmpfalsesd vcmpneq_oqsd vcmpge_ossd vcmpgesd vcmpgt_ossd vcmpgtsd vcmptrue_uqsd vcmptruesd vcmplt_oqsd vcmple_oqsd vcmpunord_ssd vcmpneq_ussd vcmpnlt_uqsd vcmpnle_uqsd vcmpord_ssd vcmpeq_ussd vcmpnge_uqsd vcmpngt_uqsd vcmpfalse_ossd vcmpneq_ossd vcmpge_oqsd vcmpgt_oqsd vcmptrue_ussd vcmpsd vcmpeq_osss vcmpeqss vcmplt_osss vcmpltss vcmple_osss vcmpless vcmpunord_qss vcmpunordss vcmpneq_uqss vcmpneqss vcmpnlt_usss vcmpnltss vcmpnle_usss vcmpnless vcmpord_qss vcmpordss vcmpeq_uqss vcmpnge_usss vcmpngess vcmpngt_usss vcmpngtss vcmpfalse_oqss vcmpfalsess vcmpneq_oqss vcmpge_osss vcmpgess vcmpgt_osss vcmpgtss vcmptrue_uqss vcmptruess vcmplt_oqss vcmple_oqss vcmpunord_sss vcmpneq_usss vcmpnlt_uqss vcmpnle_uqss vcmpord_sss vcmpeq_usss vcmpnge_uqss vcmpngt_uqss vcmpfalse_osss vcmpneq_osss vcmpge_oqss vcmpgt_oqss vcmptrue_usss vcmpss vcomisd vcomiss vcvtdq2pd vcvtdq2ps vcvtpd2dq vcvtpd2ps vcvtps2dq vcvtps2pd vcvtsd2si vcvtsd2ss vcvtsi2sd vcvtsi2ss vcvtss2sd vcvtss2si vcvttpd2dq vcvttps2dq vcvttsd2si vcvttss2si vdivpd vdivps vdivsd vdivss vdppd vdpps vextractf128 vextractps vhaddpd vhaddps vhsubpd vhsubps vinsertf128 vinsertps vlddqu vldqqu vldmxcsr vmaskmovdqu vmaskmovps vmaskmovpd vmaxpd vmaxps vmaxsd vmaxss vminpd vminps vminsd vminss vmovapd vmovaps vmovd vmovq vmovddup vmovdqa vmovqqa vmovdqu vmovqqu vmovhlps vmovhpd vmovhps vmovlhps vmovlpd vmovlps vmovmskpd vmovmskps vmovntdq vmovntqq vmovntdqa vmovntpd vmovntps vmovsd vmovshdup vmovsldup vmovss vmovupd vmovups vmpsadbw vmulpd vmulps vmulsd vmulss vorpd vorps vpabsb vpabsw vpabsd vpacksswb vpackssdw vpackuswb vpackusdw vpaddb vpaddw vpaddd vpaddq vpaddsb vpaddsw vpaddusb vpaddusw vpalignr vpand vpandn vpavgb vpavgw vpblendvb vpblendw vpcmpestri vpcmpestrm vpcmpistri vpcmpistrm vpcmpeqb vpcmpeqw vpcmpeqd vpcmpeqq vpcmpgtb vpcmpgtw vpcmpgtd vpcmpgtq vpermilpd vpermilps vperm2f128 vpextrb vpextrw vpextrd vpextrq vphaddw vphaddd vphaddsw vphminposuw vphsubw vphsubd vphsubsw vpinsrb vpinsrw vpinsrd vpinsrq vpmaddwd vpmaddubsw vpmaxsb vpmaxsw vpmaxsd vpmaxub vpmaxuw vpmaxud vpminsb vpminsw vpminsd vpminub vpminuw vpminud vpmovmskb vpmovsxbw vpmovsxbd vpmovsxbq vpmovsxwd vpmovsxwq vpmovsxdq vpmovzxbw vpmovzxbd vpmovzxbq vpmovzxwd vpmovzxwq vpmovzxdq vpmulhuw vpmulhrsw vpmulhw vpmullw vpmulld vpmuludq vpmuldq vpor vpsadbw vpshufb vpshufd vpshufhw vpshuflw vpsignb vpsignw vpsignd vpslldq vpsrldq vpsllw vpslld vpsllq vpsraw vpsrad vpsrlw vpsrld vpsrlq vptest vpsubb vpsubw vpsubd vpsubq vpsubsb vpsubsw vpsubusb vpsubusw vpunpckhbw vpunpckhwd vpunpckhdq vpunpckhqdq vpunpcklbw vpunpcklwd vpunpckldq vpunpcklqdq vpxor vrcpps vrcpss vrsqrtps vrsqrtss vroundpd vroundps vroundsd vroundss vshufpd vshufps vsqrtpd vsqrtps vsqrtsd vsqrtss vstmxcsr vsubpd vsubps vsubsd vsubss vtestps vtestpd vucomisd vucomiss vunpckhpd vunpckhps vunpcklpd vunpcklps vxorpd vxorps vzeroall vzeroupper pclmullqlqdq pclmulhqlqdq pclmullqhqdq pclmulhqhqdq pclmulqdq vpclmullqlqdq vpclmulhqlqdq vpclmullqhqdq vpclmulhqhqdq vpclmulqdq vfmadd132ps vfmadd132pd vfmadd312ps vfmadd312pd vfmadd213ps vfmadd213pd vfmadd123ps vfmadd123pd vfmadd231ps vfmadd231pd vfmadd321ps vfmadd321pd vfmaddsub132ps vfmaddsub132pd vfmaddsub312ps vfmaddsub312pd vfmaddsub213ps vfmaddsub213pd vfmaddsub123ps vfmaddsub123pd vfmaddsub231ps vfmaddsub231pd vfmaddsub321ps vfmaddsub321pd vfmsub132ps vfmsub132pd vfmsub312ps vfmsub312pd vfmsub213ps vfmsub213pd vfmsub123ps vfmsub123pd vfmsub231ps vfmsub231pd vfmsub321ps vfmsub321pd vfmsubadd132ps vfmsubadd132pd vfmsubadd312ps vfmsubadd312pd vfmsubadd213ps vfmsubadd213pd vfmsubadd123ps vfmsubadd123pd vfmsubadd231ps vfmsubadd231pd vfmsubadd321ps vfmsubadd321pd vfnmadd132ps vfnmadd132pd vfnmadd312ps vfnmadd312pd vfnmadd213ps vfnmadd213pd vfnmadd123ps vfnmadd123pd vfnmadd231ps vfnmadd231pd vfnmadd321ps vfnmadd321pd vfnmsub132ps vfnmsub132pd vfnmsub312ps vfnmsub312pd vfnmsub213ps vfnmsub213pd vfnmsub123ps vfnmsub123pd vfnmsub231ps vfnmsub231pd vfnmsub321ps vfnmsub321pd vfmadd132ss vfmadd132sd vfmadd312ss vfmadd312sd vfmadd213ss vfmadd213sd vfmadd123ss vfmadd123sd vfmadd231ss vfmadd231sd vfmadd321ss vfmadd321sd vfmsub132ss vfmsub132sd vfmsub312ss vfmsub312sd vfmsub213ss vfmsub213sd vfmsub123ss vfmsub123sd vfmsub231ss vfmsub231sd vfmsub321ss vfmsub321sd vfnmadd132ss vfnmadd132sd vfnmadd312ss vfnmadd312sd vfnmadd213ss vfnmadd213sd vfnmadd123ss vfnmadd123sd vfnmadd231ss vfnmadd231sd vfnmadd321ss vfnmadd321sd vfnmsub132ss vfnmsub132sd vfnmsub312ss vfnmsub312sd vfnmsub213ss vfnmsub213sd vfnmsub123ss vfnmsub123sd vfnmsub231ss vfnmsub231sd vfnmsub321ss vfnmsub321sd rdfsbase rdgsbase rdrand wrfsbase wrgsbase vcvtph2ps vcvtps2ph adcx adox rdseed clac stac xstore xcryptecb xcryptcbc xcryptctr xcryptcfb xcryptofb montmul xsha1 xsha256 llwpcb slwpcb lwpval lwpins vfmaddpd vfmaddps vfmaddsd vfmaddss vfmaddsubpd vfmaddsubps vfmsubaddpd vfmsubaddps vfmsubpd vfmsubps vfmsubsd vfmsubss vfnmaddpd vfnmaddps vfnmaddsd vfnmaddss vfnmsubpd vfnmsubps vfnmsubsd vfnmsubss vfrczpd vfrczps vfrczsd vfrczss vpcmov vpcomb vpcomd vpcomq vpcomub vpcomud vpcomuq vpcomuw vpcomw vphaddbd vphaddbq vphaddbw vphadddq vphaddubd vphaddubq vphaddubw vphaddudq vphadduwd vphadduwq vphaddwd vphaddwq vphsubbw vphsubdq vphsubwd vpmacsdd vpmacsdqh vpmacsdql vpmacssdd vpmacssdqh vpmacssdql vpmacsswd vpmacssww vpmacswd vpmacsww vpmadcsswd vpmadcswd vpperm vprotb vprotd vprotq vprotw vpshab vpshad vpshaq vpshaw vpshlb vpshld vpshlq vpshlw vbroadcasti128 vpblendd vpbroadcastb vpbroadcastw vpbroadcastd vpbroadcastq vpermd vpermpd vpermps vpermq vperm2i128 vextracti128 vinserti128 vpmaskmovd vpmaskmovq vpsllvd vpsllvq vpsravd vpsrlvd vpsrlvq vgatherdpd vgatherqpd vgatherdps vgatherqps vpgatherdd vpgatherqd vpgatherdq vpgatherqq xabort xbegin xend xtest andn bextr blci blcic blsi blsic blcfill blsfill blcmsk blsmsk blsr blcs bzhi mulx pdep pext rorx sarx shlx shrx tzcnt tzmsk t1mskc valignd valignq vblendmpd vblendmps vbroadcastf32x4 vbroadcastf64x4 vbroadcasti32x4 vbroadcasti64x4 vcompresspd vcompressps vcvtpd2udq vcvtps2udq vcvtsd2usi vcvtss2usi vcvttpd2udq vcvttps2udq vcvttsd2usi vcvttss2usi vcvtudq2pd vcvtudq2ps vcvtusi2sd vcvtusi2ss vexpandpd vexpandps vextractf32x4 vextractf64x4 vextracti32x4 vextracti64x4 vfixupimmpd vfixupimmps vfixupimmsd vfixupimmss vgetexppd vgetexpps vgetexpsd vgetexpss vgetmantpd vgetmantps vgetmantsd vgetmantss vinsertf32x4 vinsertf64x4 vinserti32x4 vinserti64x4 vmovdqa32 vmovdqa64 vmovdqu32 vmovdqu64 vpabsq vpandd vpandnd vpandnq vpandq vpblendmd vpblendmq vpcmpltd vpcmpled vpcmpneqd vpcmpnltd vpcmpnled vpcmpd vpcmpltq vpcmpleq vpcmpneqq vpcmpnltq vpcmpnleq vpcmpq vpcmpequd vpcmpltud vpcmpleud vpcmpnequd vpcmpnltud vpcmpnleud vpcmpud vpcmpequq vpcmpltuq vpcmpleuq vpcmpnequq vpcmpnltuq vpcmpnleuq vpcmpuq vpcompressd vpcompressq vpermi2d vpermi2pd vpermi2ps vpermi2q vpermt2d vpermt2pd vpermt2ps vpermt2q vpexpandd vpexpandq vpmaxsq vpmaxuq vpminsq vpminuq vpmovdb vpmovdw vpmovqb vpmovqd vpmovqw vpmovsdb vpmovsdw vpmovsqb vpmovsqd vpmovsqw vpmovusdb vpmovusdw vpmovusqb vpmovusqd vpmovusqw vpord vporq vprold vprolq vprolvd vprolvq vprord vprorq vprorvd vprorvq vpscatterdd vpscatterdq vpscatterqd vpscatterqq vpsraq vpsravq vpternlogd vpternlogq vptestmd vptestmq vptestnmd vptestnmq vpxord vpxorq vrcp14pd vrcp14ps vrcp14sd vrcp14ss vrndscalepd vrndscaleps vrndscalesd vrndscaless vrsqrt14pd vrsqrt14ps vrsqrt14sd vrsqrt14ss vscalefpd vscalefps vscalefsd vscalefss vscatterdpd vscatterdps vscatterqpd vscatterqps vshuff32x4 vshuff64x2 vshufi32x4 vshufi64x2 kandnw kandw kmovw knotw kortestw korw kshiftlw kshiftrw kunpckbw kxnorw kxorw vpbroadcastmb2q vpbroadcastmw2d vpconflictd vpconflictq vplzcntd vplzcntq vexp2pd vexp2ps vrcp28pd vrcp28ps vrcp28sd vrcp28ss vrsqrt28pd vrsqrt28ps vrsqrt28sd vrsqrt28ss vgatherpf0dpd vgatherpf0dps vgatherpf0qpd vgatherpf0qps vgatherpf1dpd vgatherpf1dps vgatherpf1qpd vgatherpf1qps vscatterpf0dpd vscatterpf0dps vscatterpf0qpd vscatterpf0qps vscatterpf1dpd vscatterpf1dps vscatterpf1qpd vscatterpf1qps prefetchwt1 bndmk bndcl bndcu bndcn bndmov bndldx bndstx sha1rnds4 sha1nexte sha1msg1 sha1msg2 sha256rnds2 sha256msg1 sha256msg2 hint_nop0 hint_nop1 hint_nop2 hint_nop3 hint_nop4 hint_nop5 hint_nop6 hint_nop7 hint_nop8 hint_nop9 hint_nop10 hint_nop11 hint_nop12 hint_nop13 hint_nop14 hint_nop15 hint_nop16 hint_nop17 hint_nop18 hint_nop19 hint_nop20 hint_nop21 hint_nop22 hint_nop23 hint_nop24 hint_nop25 hint_nop26 hint_nop27 hint_nop28 hint_nop29 hint_nop30 hint_nop31 hint_nop32 hint_nop33 hint_nop34 hint_nop35 hint_nop36 hint_nop37 hint_nop38 hint_nop39 hint_nop40 hint_nop41 hint_nop42 hint_nop43 hint_nop44 hint_nop45 hint_nop46 hint_nop47 hint_nop48 hint_nop49 hint_nop50 hint_nop51 hint_nop52 hint_nop53 hint_nop54 hint_nop55 hint_nop56 hint_nop57 hint_nop58 hint_nop59 hint_nop60 hint_nop61 hint_nop62 hint_nop63",literal:"ip eip rip al ah bl bh cl ch dl dh sil dil bpl spl r8b r9b r10b r11b r12b r13b r14b r15b ax bx cx dx si di bp sp r8w r9w r10w r11w r12w r13w r14w r15w eax ebx ecx edx esi edi ebp esp eip r8d r9d r10d r11d r12d r13d r14d r15d rax rbx rcx rdx rsi rdi rbp rsp r8 r9 r10 r11 r12 r13 r14 r15 cs ds es fs gs ss st st0 st1 st2 st3 st4 st5 st6 st7 mm0 mm1 mm2 mm3 mm4 mm5 mm6 mm7 xmm0 xmm1 xmm2 xmm3 xmm4 xmm5 xmm6 xmm7 xmm8 xmm9 xmm10 xmm11 xmm12 xmm13 xmm14 xmm15 xmm16 xmm17 xmm18 xmm19 xmm20 xmm21 xmm22 xmm23 xmm24 xmm25 xmm26 xmm27 xmm28 xmm29 xmm30 xmm31 ymm0 ymm1 ymm2 ymm3 ymm4 ymm5 ymm6 ymm7 ymm8 ymm9 ymm10 ymm11 ymm12 ymm13 ymm14 ymm15 ymm16 ymm17 ymm18 ymm19 ymm20 ymm21 ymm22 ymm23 ymm24 ymm25 ymm26 ymm27 ymm28 ymm29 ymm30 ymm31 zmm0 zmm1 zmm2 zmm3 zmm4 zmm5 zmm6 zmm7 zmm8 zmm9 zmm10 zmm11 zmm12 zmm13 zmm14 zmm15 zmm16 zmm17 zmm18 zmm19 zmm20 zmm21 zmm22 zmm23 zmm24 zmm25 zmm26 zmm27 zmm28 zmm29 zmm30 zmm31 k0 k1 k2 k3 k4 k5 k6 k7 bnd0 bnd1 bnd2 bnd3 cr0 cr1 cr2 cr3 cr4 cr8 dr0 dr1 dr2 dr3 dr8 tr3 tr4 tr5 tr6 tr7 r0 r1 r2 r3 r4 r5 r6 r7 r0b r1b r2b r3b r4b r5b r6b r7b r0w r1w r2w r3w r4w r5w r6w r7w r0d r1d r2d r3d r4d r5d r6d r7d r0h r1h r2h r3h r0l r1l r2l r3l r4l r5l r6l r7l r8l r9l r10l r11l r12l r13l r14l r15l",pseudo:"db dw dd dq dt ddq do dy dz resb resw resd resq rest resdq reso resy resz incbin equ times",preprocessor:"%define %xdefine %+ %undef %defstr %deftok %assign %strcat %strlen %substr %rotate %elif %else %endif %ifmacro %ifctx %ifidn %ifidni %ifid %ifnum %ifstr %iftoken %ifempty %ifenv %error %warning %fatal %rep %endrep %include %push %pop %repl %pathsearch %depend %use %arg %stacksize %local %line %comment %endcomment .nolist byte word dword qword nosplit rel abs seg wrt strict near far a32 ptr __FILE__ __LINE__ __SECT__ __BITS__ __OUTPUT_FORMAT__ __DATE__ __TIME__ __DATE_NUM__ __TIME_NUM__ __UTC_DATE__ __UTC_TIME__ __UTC_DATE_NUM__ __UTC_TIME_NUM__ __PASS__ struc endstruc istruc at iend align alignb sectalign daz nodaz up down zero default option assume public ",built_in:"bits use16 use32 use64 default section segment absolute extern global common cpu float __utf16__ __utf16le__ __utf16be__ __utf32__ __utf32le__ __utf32be__ __float8__ __float16__ __float32__ __float64__ __float80m__ __float80e__ __float128l__ __float128h__ __Infinity__ __QNaN__ __SNaN__ Inf NaN QNaN SNaN float8 float16 float32 float64 float80m float80e float128l float128h __FLOAT_DAZ__ __FLOAT_ROUND__ __FLOAT__"},c:[s.C(";","$",{r:0}),{cN:"number",b:"\\b(?:([0-9][0-9_]*)?\\.[0-9_]*(?:[eE][+-]?[0-9_]+)?|(0[Xx])?[0-9][0-9_]*\\.?[0-9_]*(?:[pP](?:[+-]?[0-9_]+)?)?)\\b",r:0},{cN:"number",b:"\\$[0-9][0-9A-Fa-f]*",r:0},{cN:"number",b:"\\b(?:[0-9A-Fa-f][0-9A-Fa-f_]*[HhXx]|[0-9][0-9_]*[DdTt]?|[0-7][0-7_]*[QqOo]|[0-1][0-1_]*[BbYy])\\b"},{cN:"number",b:"\\b(?:0[HhXx][0-9A-Fa-f_]+|0[DdTt][0-9_]+|0[QqOo][0-7_]+|0[BbYy][0-1_]+)\\b"},s.QSM,{cN:"string",b:"'",e:"[^\\\\]'",r:0},{cN:"string",b:"`",e:"[^\\\\]`",r:0},{cN:"string",b:"\\.[A-Za-z0-9]+",r:0},{cN:"label",b:"^\\s*[A-Za-z._?][A-Za-z0-9_$#@~.?]*(:|\\s+label)",r:0},{cN:"label",b:"^\\s*%%[A-Za-z0-9_$#@~.?]*:",r:0},{cN:"argument",b:"%[0-9]+",r:0},{cN:"built_in",b:"%!S+",r:0}]}});hljs.registerLanguage("roboconf",function(e){var n="[a-zA-Z-_][^\n{\r\n]+\\{";return{aliases:["graph","instances"],cI:!0,k:"import",c:[{cN:"facet",b:"^facet "+n,e:"}",k:"facet installer exports children extends",c:[e.HCM]},{cN:"instance-of",b:"^instance of "+n,e:"}",k:"name count channels instance-data instance-state instance of",c:[{cN:"keyword",b:"[a-zA-Z-_]+( | )*:"},e.HCM]},{cN:"component",b:"^"+n,e:"}",l:"\\(?[a-zA-Z]+\\)?",k:"installer exports children extends imports facets alias (optional)",c:[{cN:"string",b:"\\.[a-zA-Z-_]+",e:"\\s|,|;",eE:!0},e.HCM]},e.HCM]}});hljs.registerLanguage("ruby",function(e){var c="[a-zA-Z_]\\w*[!?=]?|[-+~]\\@|<<|>>|=~|===?|<=>|[<>]=?|\\*\\*|[-/+%^&*~`|]|\\[\\]=?",r="and false then defined module in return redo if BEGIN retry end for true self when next until do begin unless END rescue nil else break undef not super class case require yield alias while ensure elsif or include attr_reader attr_writer attr_accessor",b={cN:"yardoctag",b:"@[A-Za-z]+"},a={cN:"value",b:"#<",e:">"},n=[e.C("#","$",{c:[b]}),e.C("^\\=begin","^\\=end",{c:[b],r:10}),e.C("^__END__","\\n$")],s={cN:"subst",b:"#\\{",e:"}",k:r},t={cN:"string",c:[e.BE,s],v:[{b:/'/,e:/'/},{b:/"/,e:/"/},{b:/`/,e:/`/},{b:"%[qQwWx]?\\(",e:"\\)"},{b:"%[qQwWx]?\\[",e:"\\]"},{b:"%[qQwWx]?{",e:"}"},{b:"%[qQwWx]?<",e:">"},{b:"%[qQwWx]?/",e:"/"},{b:"%[qQwWx]?%",e:"%"},{b:"%[qQwWx]?-",e:"-"},{b:"%[qQwWx]?\\|",e:"\\|"},{b:/\B\?(\\\d{1,3}|\\x[A-Fa-f0-9]{1,2}|\\u[A-Fa-f0-9]{4}|\\?\S)\b/}]},i={cN:"params",b:"\\(",e:"\\)",k:r},d=[t,a,{cN:"class",bK:"class module",e:"$|;",i:/=/,c:[e.inherit(e.TM,{b:"[A-Za-z_]\\w*(::\\w+)*(\\?|\\!)?"}),{cN:"inheritance",b:"<\\s*",c:[{cN:"parent",b:"("+e.IR+"::)?"+e.IR}]}].concat(n)},{cN:"function",bK:"def",e:" |$|;",r:0,c:[e.inherit(e.TM,{b:c}),i].concat(n)},{cN:"constant",b:"(::)?(\\b[A-Z]\\w*(::)?)+",r:0},{cN:"symbol",b:e.UIR+"(\\!|\\?)?:",r:0},{cN:"symbol",b:":",c:[t,{b:c}],r:0},{cN:"number",b:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",r:0},{cN:"variable",b:"(\\$\\W)|((\\$|\\@\\@?)(\\w+))"},{b:"("+e.RSR+")\\s*",c:[a,{cN:"regexp",c:[e.BE,s],i:/\n/,v:[{b:"/",e:"/[a-z]*"},{b:"%r{",e:"}[a-z]*"},{b:"%r\\(",e:"\\)[a-z]*"},{b:"%r!",e:"![a-z]*"},{b:"%r\\[",e:"\\][a-z]*"}]}].concat(n),r:0}].concat(n);s.c=d,i.c=d;var o="[>?]>",l="[\\w#]+\\(\\w+\\):\\d+:\\d+>",u="(\\w+-)?\\d+\\.\\d+\\.\\d(p\\d+)?[^>]+>",N=[{b:/^\s*=>/,cN:"status",starts:{e:"$",c:d}},{cN:"prompt",b:"^("+o+"|"+l+"|"+u+")",starts:{e:"$",c:d}}];return{aliases:["rb","gemspec","podspec","thor","irb"],k:r,c:n.concat(N).concat(d)}});hljs.registerLanguage("typescript",function(e){return{aliases:["ts"],k:{keyword:"in if for while finally var new function|0 do return void else break catch instanceof with throw case default try this switch continue typeof delete let yield const class public private get set super interface extendsstatic constructor implements enum export import declare type protected",literal:"true false null undefined NaN Infinity",built_in:"eval isFinite isNaN parseFloat parseInt decodeURI decodeURIComponent encodeURI encodeURIComponent escape unescape Object Function Boolean Error EvalError InternalError RangeError ReferenceError StopIteration SyntaxError TypeError URIError Number Math Date String RegExp Array Float32Array Float64Array Int16Array Int32Array Int8Array Uint16Array Uint32Array Uint8Array Uint8ClampedArray ArrayBuffer DataView JSON Intl arguments require module console window document any number boolean string void"},c:[{cN:"pi",b:/^\s*('|")use strict('|")/,r:0},e.ASM,e.QSM,e.CLCM,e.CBCM,e.CNM,{b:"("+e.RSR+"|\\b(case|return|throw)\\b)\\s*",k:"return throw case",c:[e.CLCM,e.CBCM,e.RM,{b:/;/,r:0,sL:"xml"}],r:0},{cN:"function",bK:"function",e:/\{/,eE:!0,c:[e.inherit(e.TM,{b:/[A-Za-z$_][0-9A-Za-z$_]*/}),{cN:"params",b:/\(/,e:/\)/,c:[e.CLCM,e.CBCM],i:/["'\(]/}],i:/\[|%/,r:0},{cN:"constructor",bK:"constructor",e:/\{/,eE:!0,r:10},{cN:"module",bK:"module",e:/\{/,eE:!0},{cN:"interface",bK:"interface",e:/\{/,eE:!0},{b:/\$[(.]/},{b:"\\."+e.IR,r:0}]}});hljs.registerLanguage("handlebars",function(e){var a="each in with if else unless bindattr action collection debugger log outlet template unbound view yield";return{aliases:["hbs","html.hbs","html.handlebars"],cI:!0,sL:"xml",subLanguageMode:"continuous",c:[{cN:"expression",b:"{{",e:"}}",c:[{cN:"begin-block",b:"#[a-zA-Z- .]+",k:a},{cN:"string",b:'"',e:'"'},{cN:"end-block",b:"\\/[a-zA-Z- .]+",k:a},{cN:"variable",b:"[a-zA-Z-.]+",k:a}]}]}});hljs.registerLanguage("mercury",function(e){var i={keyword:"module use_module import_module include_module end_module initialise mutable initialize finalize finalise interface implementation pred mode func type inst solver any_pred any_func is semidet det nondet multi erroneous failure cc_nondet cc_multi typeclass instance where pragma promise external trace atomic or_else require_complete_switch require_det require_semidet require_multi require_nondet require_cc_multi require_cc_nondet require_erroneous require_failure",pragma:"inline no_inline type_spec source_file fact_table obsolete memo loop_check minimal_model terminates does_not_terminate check_termination promise_equivalent_clauses",preprocessor:"foreign_proc foreign_decl foreign_code foreign_type foreign_import_module foreign_export_enum foreign_export foreign_enum may_call_mercury will_not_call_mercury thread_safe not_thread_safe maybe_thread_safe promise_pure promise_semipure tabled_for_io local untrailed trailed attach_to_io_state can_pass_as_mercury_type stable will_not_throw_exception may_modify_trail will_not_modify_trail may_duplicate may_not_duplicate affects_liveness does_not_affect_liveness doesnt_affect_liveness no_sharing unknown_sharing sharing",built_in:"some all not if then else true fail false try catch catch_any semidet_true semidet_false semidet_fail impure_true impure semipure"},r={cN:"label",b:"XXX",e:"$",eW:!0,r:0},t=e.inherit(e.CLCM,{b:"%"}),_=e.inherit(e.CBCM,{r:0});t.c.push(r),_.c.push(r);var n={cN:"number",b:"0'.\\|0[box][0-9a-fA-F]*"},a=e.inherit(e.ASM,{r:0}),o=e.inherit(e.QSM,{r:0}),l={cN:"constant",b:"\\\\[abfnrtv]\\|\\\\x[0-9a-fA-F]*\\\\\\|%[-+# *.0-9]*[dioxXucsfeEgGp]",r:0};o.c.push(l);var s={cN:"built_in",v:[{b:"<=>"},{b:"<=",r:0},{b:"=>",r:0},{b:"/\\\\"},{b:"\\\\/"}]},c={cN:"built_in",v:[{b:":-\\|-->"},{b:"=",r:0}]};return{aliases:["m","moo"],k:i,c:[s,c,t,_,n,e.NM,a,o,{b:/:-/}]}});hljs.registerLanguage("fix",function(u){return{c:[{b:/[^\u2401\u0001]+/,e:/[\u2401\u0001]/,eE:!0,rB:!0,rE:!1,c:[{b:/([^\u2401\u0001=]+)/,e:/=([^\u2401\u0001=]+)/,rE:!0,rB:!1,cN:"attribute"},{b:/=/,e:/([\u2401\u0001])/,eE:!0,eB:!0,cN:"string"}]}],cI:!0}});hljs.registerLanguage("clojure",function(e){var t={built_in:"def cond apply if-not if-let if not not= = < > <= >= == + / * - rem quot neg? pos? delay? symbol? keyword? true? false? integer? empty? coll? list? set? ifn? fn? associative? sequential? sorted? counted? reversible? number? decimal? class? distinct? isa? float? rational? reduced? ratio? odd? even? char? seq? vector? string? map? nil? contains? zero? instance? not-every? not-any? libspec? -> ->> .. . inc compare do dotimes mapcat take remove take-while drop letfn drop-last take-last drop-while while intern condp case reduced cycle split-at split-with repeat replicate iterate range merge zipmap declare line-seq sort comparator sort-by dorun doall nthnext nthrest partition eval doseq await await-for let agent atom send send-off release-pending-sends add-watch mapv filterv remove-watch agent-error restart-agent set-error-handler error-handler set-error-mode! error-mode shutdown-agents quote var fn loop recur throw try monitor-enter monitor-exit defmacro defn defn- macroexpand macroexpand-1 for dosync and or when when-not when-let comp juxt partial sequence memoize constantly complement identity assert peek pop doto proxy defstruct first rest cons defprotocol cast coll deftype defrecord last butlast sigs reify second ffirst fnext nfirst nnext defmulti defmethod meta with-meta ns in-ns create-ns import refer keys select-keys vals key val rseq name namespace promise into transient persistent! conj! assoc! dissoc! pop! disj! use class type num float double short byte boolean bigint biginteger bigdec print-method print-dup throw-if printf format load compile get-in update-in pr pr-on newline flush read slurp read-line subvec with-open memfn time re-find re-groups rand-int rand mod locking assert-valid-fdecl alias resolve ref deref refset swap! reset! set-validator! compare-and-set! alter-meta! reset-meta! commute get-validator alter ref-set ref-history-count ref-min-history ref-max-history ensure sync io! new next conj set! to-array future future-call into-array aset gen-class reduce map filter find empty hash-map hash-set sorted-map sorted-map-by sorted-set sorted-set-by vec vector seq flatten reverse assoc dissoc list disj get union difference intersection extend extend-type extend-protocol int nth delay count concat chunk chunk-buffer chunk-append chunk-first chunk-rest max min dec unchecked-inc-int unchecked-inc unchecked-dec-inc unchecked-dec unchecked-negate unchecked-add-int unchecked-add unchecked-subtract-int unchecked-subtract chunk-next chunk-cons chunked-seq? prn vary-meta lazy-seq spread list* str find-keyword keyword symbol gensym force rationalize"},r="a-zA-Z_\\-!.?+*=<>&#'",n="["+r+"]["+r+"0-9/;:]*",a="[-+]?\\d+(\\.\\d+)?",o={b:n,r:0},s={cN:"number",b:a,r:0},i=e.inherit(e.QSM,{i:null}),c=e.C(";","$",{r:0}),d={cN:"literal",b:/\b(true|false|nil)\b/},l={cN:"collection",b:"[\\[\\{]",e:"[\\]\\}]"},m={cN:"comment",b:"\\^"+n},p=e.C("\\^\\{","\\}"),u={cN:"attribute",b:"[:]"+n},f={cN:"list",b:"\\(",e:"\\)"},h={eW:!0,r:0},y={k:t,l:n,cN:"keyword",b:n,starts:h},b=[f,i,m,p,c,u,l,s,d,o];return f.c=[e.C("comment",""),y,h],h.c=b,l.c=b,{aliases:["clj"],i:/\S/,c:[f,i,m,p,c,u,l,s,d]}});hljs.registerLanguage("perl",function(e){var t="getpwent getservent quotemeta msgrcv scalar kill dbmclose undef lc ma syswrite tr send umask sysopen shmwrite vec qx utime local oct semctl localtime readpipe do return format read sprintf dbmopen pop getpgrp not getpwnam rewinddir qqfileno qw endprotoent wait sethostent bless s|0 opendir continue each sleep endgrent shutdown dump chomp connect getsockname die socketpair close flock exists index shmgetsub for endpwent redo lstat msgctl setpgrp abs exit select print ref gethostbyaddr unshift fcntl syscall goto getnetbyaddr join gmtime symlink semget splice x|0 getpeername recv log setsockopt cos last reverse gethostbyname getgrnam study formline endhostent times chop length gethostent getnetent pack getprotoent getservbyname rand mkdir pos chmod y|0 substr endnetent printf next open msgsnd readdir use unlink getsockopt getpriority rindex wantarray hex system getservbyport endservent int chr untie rmdir prototype tell listen fork shmread ucfirst setprotoent else sysseek link getgrgid shmctl waitpid unpack getnetbyname reset chdir grep split require caller lcfirst until warn while values shift telldir getpwuid my getprotobynumber delete and sort uc defined srand accept package seekdir getprotobyname semop our rename seek if q|0 chroot sysread setpwent no crypt getc chown sqrt write setnetent setpriority foreach tie sin msgget map stat getlogin unless elsif truncate exec keys glob tied closedirioctl socket readlink eval xor readline binmode setservent eof ord bind alarm pipe atan2 getgrent exp time push setgrent gt lt or ne m|0 break given say state when",r={cN:"subst",b:"[$@]\\{",e:"\\}",k:t},s={b:"->{",e:"}"},n={cN:"variable",v:[{b:/\$\d/},{b:/[\$%@](\^\w\b|#\w+(::\w+)*|{\w+}|\w+(::\w*)*)/},{b:/[\$%@][^\s\w{]/,r:0}]},i=e.C("^(__END__|__DATA__)","\\n$",{r:5}),o=[e.BE,r,n],a=[n,e.HCM,i,e.C("^\\=\\w","\\=cut",{eW:!0}),s,{cN:"string",c:o,v:[{b:"q[qwxr]?\\s*\\(",e:"\\)",r:5},{b:"q[qwxr]?\\s*\\[",e:"\\]",r:5},{b:"q[qwxr]?\\s*\\{",e:"\\}",r:5},{b:"q[qwxr]?\\s*\\|",e:"\\|",r:5},{b:"q[qwxr]?\\s*\\<",e:"\\>",r:5},{b:"qw\\s+q",e:"q",r:5},{b:"'",e:"'",c:[e.BE]},{b:'"',e:'"'},{b:"`",e:"`",c:[e.BE]},{b:"{\\w+}",c:[],r:0},{b:"-?\\w+\\s*\\=\\>",c:[],r:0}]},{cN:"number",b:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",r:0},{b:"(\\/\\/|"+e.RSR+"|\\b(split|return|print|reverse|grep)\\b)\\s*",k:"split return print reverse grep",r:0,c:[e.HCM,i,{cN:"regexp",b:"(s|tr|y)/(\\\\.|[^/])*/(\\\\.|[^/])*/[a-z]*",r:10},{cN:"regexp",b:"(m|qr)?/",e:"/[a-z]*",c:[e.BE],r:0}]},{cN:"sub",bK:"sub",e:"(\\s*\\(.*?\\))?[;{]",r:5},{cN:"operator",b:"-\\w\\b",r:0}];return r.c=a,s.c=a,{aliases:["pl"],k:t,c:a}});hljs.registerLanguage("twig",function(e){var t={cN:"params",b:"\\(",e:"\\)"},a="attribute block constant cycle date dump include max min parent random range source template_from_string",r={cN:"function",bK:a,r:0,c:[t]},c={cN:"filter",b:/\|[A-Za-z_]+:?/,k:"abs batch capitalize convert_encoding date date_modify default escape first format join json_encode keys last length lower merge nl2br number_format raw replace reverse round slice sort split striptags title trim upper url_encode",c:[r]},n="autoescape block do embed extends filter flush for if import include macro sandbox set spaceless use verbatim";return n=n+" "+n.split(" ").map(function(e){return"end"+e}).join(" "),{aliases:["craftcms"],cI:!0,sL:"xml",subLanguageMode:"continuous",c:[e.C(/\{#/,/#}/),{cN:"template_tag",b:/\{%/,e:/%}/,k:n,c:[c,r]},{cN:"variable",b:/\{\{/,e:/}}/,c:[c,r]}]}});hljs.registerLanguage("livecodeserver",function(e){var r={cN:"variable",b:"\\b[gtps][A-Z]+[A-Za-z0-9_\\-]*\\b|\\$_[A-Z]+",r:0},t=[e.CBCM,e.HCM,e.C("--","$"),e.C("[^:]//","$")],a=e.inherit(e.TM,{v:[{b:"\\b_*rig[A-Z]+[A-Za-z0-9_\\-]*"},{b:"\\b_[a-z0-9\\-]+"}]}),o=e.inherit(e.TM,{b:"\\b([A-Za-z0-9_\\-]+)\\b"});return{cI:!1,k:{keyword:"$_COOKIE $_FILES $_GET $_GET_BINARY $_GET_RAW $_POST $_POST_BINARY $_POST_RAW $_SESSION $_SERVER codepoint codepoints segment segments codeunit codeunits sentence sentences trueWord trueWords paragraph after byte bytes english the until http forever descending using line real8 with seventh for stdout finally element word words fourth before black ninth sixth characters chars stderr uInt1 uInt1s uInt2 uInt2s stdin string lines relative rel any fifth items from middle mid at else of catch then third it file milliseconds seconds second secs sec int1 int1s int4 int4s internet int2 int2s normal text item last long detailed effective uInt4 uInt4s repeat end repeat URL in try into switch to words https token binfile each tenth as ticks tick system real4 by dateItems without char character ascending eighth whole dateTime numeric short first ftp integer abbreviated abbr abbrev private case while if",constant:"SIX TEN FORMFEED NINE ZERO NONE SPACE FOUR FALSE COLON CRLF PI COMMA ENDOFFILE EOF EIGHT FIVE QUOTE EMPTY ONE TRUE RETURN CR LINEFEED RIGHT BACKSLASH NULL SEVEN TAB THREE TWO six ten formfeed nine zero none space four false colon crlf pi comma endoffile eof eight five quote empty one true return cr linefeed right backslash null seven tab three two RIVERSION RISTATE FILE_READ_MODE FILE_WRITE_MODE FILE_WRITE_MODE DIR_WRITE_MODE FILE_READ_UMASK FILE_WRITE_UMASK DIR_READ_UMASK DIR_WRITE_UMASK",operator:"div mod wrap and or bitAnd bitNot bitOr bitXor among not in a an within contains ends with begins the keys of keys",built_in:"put abs acos aliasReference annuity arrayDecode arrayEncode asin atan atan2 average avg avgDev base64Decode base64Encode baseConvert binaryDecode binaryEncode byteOffset byteToNum cachedURL cachedURLs charToNum cipherNames codepointOffset codepointProperty codepointToNum codeunitOffset commandNames compound compress constantNames cos date dateFormat decompress directories diskSpace DNSServers exp exp1 exp2 exp10 extents files flushEvents folders format functionNames geometricMean global globals hasMemory harmonicMean hostAddress hostAddressToName hostName hostNameToAddress isNumber ISOToMac itemOffset keys len length libURLErrorData libUrlFormData libURLftpCommand libURLLastHTTPHeaders libURLLastRHHeaders libUrlMultipartFormAddPart libUrlMultipartFormData libURLVersion lineOffset ln ln1 localNames log log2 log10 longFilePath lower macToISO matchChunk matchText matrixMultiply max md5Digest median merge millisec millisecs millisecond milliseconds min monthNames nativeCharToNum normalizeText num number numToByte numToChar numToCodepoint numToNativeChar offset open openfiles openProcesses openProcessIDs openSockets paragraphOffset paramCount param params peerAddress pendingMessages platform popStdDev populationStandardDeviation populationVariance popVariance processID random randomBytes replaceText result revCreateXMLTree revCreateXMLTreeFromFile revCurrentRecord revCurrentRecordIsFirst revCurrentRecordIsLast revDatabaseColumnCount revDatabaseColumnIsNull revDatabaseColumnLengths revDatabaseColumnNames revDatabaseColumnNamed revDatabaseColumnNumbered revDatabaseColumnTypes revDatabaseConnectResult revDatabaseCursors revDatabaseID revDatabaseTableNames revDatabaseType revDataFromQuery revdb_closeCursor revdb_columnbynumber revdb_columncount revdb_columnisnull revdb_columnlengths revdb_columnnames revdb_columntypes revdb_commit revdb_connect revdb_connections revdb_connectionerr revdb_currentrecord revdb_cursorconnection revdb_cursorerr revdb_cursors revdb_dbtype revdb_disconnect revdb_execute revdb_iseof revdb_isbof revdb_movefirst revdb_movelast revdb_movenext revdb_moveprev revdb_query revdb_querylist revdb_recordcount revdb_rollback revdb_tablenames revGetDatabaseDriverPath revNumberOfRecords revOpenDatabase revOpenDatabases revQueryDatabase revQueryDatabaseBlob revQueryResult revQueryIsAtStart revQueryIsAtEnd revUnixFromMacPath revXMLAttribute revXMLAttributes revXMLAttributeValues revXMLChildContents revXMLChildNames revXMLCreateTreeFromFileWithNamespaces revXMLCreateTreeWithNamespaces revXMLDataFromXPathQuery revXMLEvaluateXPath revXMLFirstChild revXMLMatchingNode revXMLNextSibling revXMLNodeContents revXMLNumberOfChildren revXMLParent revXMLPreviousSibling revXMLRootNode revXMLRPC_CreateRequest revXMLRPC_Documents revXMLRPC_Error revXMLRPC_GetHost revXMLRPC_GetMethod revXMLRPC_GetParam revXMLText revXMLRPC_Execute revXMLRPC_GetParamCount revXMLRPC_GetParamNode revXMLRPC_GetParamType revXMLRPC_GetPath revXMLRPC_GetPort revXMLRPC_GetProtocol revXMLRPC_GetRequest revXMLRPC_GetResponse revXMLRPC_GetSocket revXMLTree revXMLTrees revXMLValidateDTD revZipDescribeItem revZipEnumerateItems revZipOpenArchives round sampVariance sec secs seconds sentenceOffset sha1Digest shell shortFilePath sin specialFolderPath sqrt standardDeviation statRound stdDev sum sysError systemVersion tan tempName textDecode textEncode tick ticks time to tokenOffset toLower toUpper transpose truewordOffset trunc uniDecode uniEncode upper URLDecode URLEncode URLStatus uuid value variableNames variance version waitDepth weekdayNames wordOffset xsltApplyStylesheet xsltApplyStylesheetFromFile xsltLoadStylesheet xsltLoadStylesheetFromFile add breakpoint cancel clear local variable file word line folder directory URL close socket process combine constant convert create new alias folder directory decrypt delete variable word line folder directory URL dispatch divide do encrypt filter get include intersect kill libURLDownloadToFile libURLFollowHttpRedirects libURLftpUpload libURLftpUploadFile libURLresetAll libUrlSetAuthCallback libURLSetCustomHTTPHeaders libUrlSetExpect100 libURLSetFTPListCommand libURLSetFTPMode libURLSetFTPStopTime libURLSetStatusCallback load multiply socket prepare process post seek rel relative read from process rename replace require resetAll resolve revAddXMLNode revAppendXML revCloseCursor revCloseDatabase revCommitDatabase revCopyFile revCopyFolder revCopyXMLNode revDeleteFolder revDeleteXMLNode revDeleteAllXMLTrees revDeleteXMLTree revExecuteSQL revGoURL revInsertXMLNode revMoveFolder revMoveToFirstRecord revMoveToLastRecord revMoveToNextRecord revMoveToPreviousRecord revMoveToRecord revMoveXMLNode revPutIntoXMLNode revRollBackDatabase revSetDatabaseDriverPath revSetXMLAttribute revXMLRPC_AddParam revXMLRPC_DeleteAllDocuments revXMLAddDTD revXMLRPC_Free revXMLRPC_FreeAll revXMLRPC_DeleteDocument revXMLRPC_DeleteParam revXMLRPC_SetHost revXMLRPC_SetMethod revXMLRPC_SetPort revXMLRPC_SetProtocol revXMLRPC_SetSocket revZipAddItemWithData revZipAddItemWithFile revZipAddUncompressedItemWithData revZipAddUncompressedItemWithFile revZipCancel revZipCloseArchive revZipDeleteItem revZipExtractItemToFile revZipExtractItemToVariable revZipSetProgressCallback revZipRenameItem revZipReplaceItemWithData revZipReplaceItemWithFile revZipOpenArchive send set sort split start stop subtract union unload wait write"},c:[r,{cN:"keyword",b:"\\bend\\sif\\b"},{cN:"function",bK:"function",e:"$",c:[r,o,e.ASM,e.QSM,e.BNM,e.CNM,a]},{cN:"function",bK:"end",e:"$",c:[o,a]},{cN:"command",bK:"command on",e:"$",c:[r,o,e.ASM,e.QSM,e.BNM,e.CNM,a]},{cN:"command",bK:"end",e:"$",c:[o,a]},{cN:"preprocessor",b:"<\\?rev|<\\?lc|<\\?livecode",r:10},{cN:"preprocessor",b:"<\\?"},{cN:"preprocessor",b:"\\?>"},e.ASM,e.QSM,e.BNM,e.CNM,a].concat(t),i:";$|^\\[|^="}});hljs.registerLanguage("step21",function(e){var r="[A-Z_][A-Z0-9_.]*",i="END-ISO-10303-21;",l={literal:"",built_in:"",keyword:"HEADER ENDSEC DATA"},s={cN:"preprocessor",b:"ISO-10303-21;",r:10},t=[e.CLCM,e.CBCM,e.C("/\\*\\*!","\\*/"),e.CNM,e.inherit(e.ASM,{i:null}),e.inherit(e.QSM,{i:null}),{cN:"string",b:"'",e:"'"},{cN:"label",v:[{b:"#",e:"\\d+",i:"\\W"}]}];return{aliases:["p21","step","stp"],cI:!0,l:r,k:l,c:[{cN:"preprocessor",b:i,r:10},s].concat(t)}});hljs.registerLanguage("cpp",function(t){var i={keyword:"false int float while private char catch export virtual operator sizeof dynamic_cast|10 typedef const_cast|10 const struct for static_cast|10 union namespace unsigned long volatile static protected bool template mutable if public friend do goto auto void enum else break extern using true class asm case typeid short reinterpret_cast|10 default double register explicit signed typename try this switch continue wchar_t inline delete alignof char16_t char32_t constexpr decltype noexcept nullptr static_assert thread_local restrict _Bool complex _Complex _Imaginary intmax_t uintmax_t int8_t uint8_t int16_t uint16_t int32_t uint32_t int64_t uint64_t int_least8_t uint_least8_t int_least16_t uint_least16_t int_least32_t uint_least32_t int_least64_t uint_least64_t int_fast8_t uint_fast8_t int_fast16_t uint_fast16_t int_fast32_t uint_fast32_t int_fast64_t uint_fast64_t intptr_t uintptr_t atomic_bool atomic_char atomic_schar atomic_uchar atomic_short atomic_ushort atomic_int atomic_uint atomic_long atomic_ulong atomic_llong atomic_ullong atomic_wchar_t atomic_char16_t atomic_char32_t atomic_intmax_t atomic_uintmax_t atomic_intptr_t atomic_uintptr_t atomic_size_t atomic_ptrdiff_t atomic_int_least8_t atomic_int_least16_t atomic_int_least32_t atomic_int_least64_t atomic_uint_least8_t atomic_uint_least16_t atomic_uint_least32_t atomic_uint_least64_t atomic_int_fast8_t atomic_int_fast16_t atomic_int_fast32_t atomic_int_fast64_t atomic_uint_fast8_t atomic_uint_fast16_t atomic_uint_fast32_t atomic_uint_fast64_t",built_in:"std string cin cout cerr clog stringstream istringstream ostringstream auto_ptr deque list queue stack vector map set bitset multiset multimap unordered_set unordered_map unordered_multiset unordered_multimap array shared_ptr abort abs acos asin atan2 atan calloc ceil cosh cos exit exp fabs floor fmod fprintf fputs free frexp fscanf isalnum isalpha iscntrl isdigit isgraph islower isprint ispunct isspace isupper isxdigit tolower toupper labs ldexp log10 log malloc memchr memcmp memcpy memset modf pow printf putchar puts scanf sinh sin snprintf sprintf sqrt sscanf strcat strchr strcmp strcpy strcspn strlen strncat strncmp strncpy strpbrk strrchr strspn strstr tanh tan vfprintf vprintf vsprintf"};return{aliases:["c","cc","h","c++","h++","hpp"],k:i,i:""]',k:"include",i:"\\n"},t.CLCM]},{b:"\\b(deque|list|queue|stack|vector|map|set|bitset|multiset|multimap|unordered_map|unordered_set|unordered_multiset|unordered_multimap|array)\\s*<",e:">",k:i,c:["self"]},{b:t.IR+"::",k:i},{bK:"new throw return else",r:0},{cN:"function",b:"("+t.IR+"\\s+)+"+t.IR+"\\s*\\(",rB:!0,e:/[{;=]/,eE:!0,k:i,c:[{b:t.IR+"\\s*\\(",rB:!0,c:[t.TM],r:0},{cN:"params",b:/\(/,e:/\)/,k:i,r:0,c:[t.CBCM]},t.CLCM,t.CBCM]}]}});hljs.registerLanguage("vala",function(e){return{k:{keyword:"char uchar unichar int uint long ulong short ushort int8 int16 int32 int64 uint8 uint16 uint32 uint64 float double bool struct enum string void weak unowned owned async signal static abstract interface override while do for foreach else switch case break default return try catch public private protected internal using new this get set const stdout stdin stderr var",built_in:"DBus GLib CCode Gee Object",literal:"false true null"},c:[{cN:"class",bK:"class interface delegate namespace",e:"{",eE:!0,i:"[^,:\\n\\s\\.]",c:[e.UTM]},e.CLCM,e.CBCM,{cN:"string",b:'"""',e:'"""',r:5},e.ASM,e.QSM,e.CNM,{cN:"preprocessor",b:"^#",e:"$",r:2},{cN:"constant",b:" [A-Z_]+ ",r:0}]}});hljs.registerLanguage("http",function(t){return{aliases:["https"],i:"\\S",c:[{cN:"status",b:"^HTTP/[0-9\\.]+",e:"$",c:[{cN:"number",b:"\\b\\d{3}\\b"}]},{cN:"request",b:"^[A-Z]+ (.*?) HTTP/[0-9\\.]+$",rB:!0,e:"$",c:[{cN:"string",b:" ",e:" ",eB:!0,eE:!0}]},{cN:"attribute",b:"^\\w",e:": ",eE:!0,i:"\\n|\\s|=",starts:{cN:"string",e:"$"}},{b:"\\n\\n",starts:{sL:"",eW:!0}}]}});hljs.registerLanguage("avrasm",function(r){return{cI:!0,l:"\\.?"+r.IR,k:{keyword:"adc add adiw and andi asr bclr bld brbc brbs brcc brcs break breq brge brhc brhs brid brie brlo brlt brmi brne brpl brsh brtc brts brvc brvs bset bst call cbi cbr clc clh cli cln clr cls clt clv clz com cp cpc cpi cpse dec eicall eijmp elpm eor fmul fmuls fmulsu icall ijmp in inc jmp ld ldd ldi lds lpm lsl lsr mov movw mul muls mulsu neg nop or ori out pop push rcall ret reti rjmp rol ror sbc sbr sbrc sbrs sec seh sbi sbci sbic sbis sbiw sei sen ser ses set sev sez sleep spm st std sts sub subi swap tst wdr",built_in:"r0 r1 r2 r3 r4 r5 r6 r7 r8 r9 r10 r11 r12 r13 r14 r15 r16 r17 r18 r19 r20 r21 r22 r23 r24 r25 r26 r27 r28 r29 r30 r31 x|0 xh xl y|0 yh yl z|0 zh zl ucsr1c udr1 ucsr1a ucsr1b ubrr1l ubrr1h ucsr0c ubrr0h tccr3c tccr3a tccr3b tcnt3h tcnt3l ocr3ah ocr3al ocr3bh ocr3bl ocr3ch ocr3cl icr3h icr3l etimsk etifr tccr1c ocr1ch ocr1cl twcr twdr twar twsr twbr osccal xmcra xmcrb eicra spmcsr spmcr portg ddrg ping portf ddrf sreg sph spl xdiv rampz eicrb eimsk gimsk gicr eifr gifr timsk tifr mcucr mcucsr tccr0 tcnt0 ocr0 assr tccr1a tccr1b tcnt1h tcnt1l ocr1ah ocr1al ocr1bh ocr1bl icr1h icr1l tccr2 tcnt2 ocr2 ocdr wdtcr sfior eearh eearl eedr eecr porta ddra pina portb ddrb pinb portc ddrc pinc portd ddrd pind spdr spsr spcr udr0 ucsr0a ucsr0b ubrr0l acsr admux adcsr adch adcl porte ddre pine pinf",preprocessor:".byte .cseg .db .def .device .dseg .dw .endmacro .equ .eseg .exit .include .list .listmac .macro .nolist .org .set"},c:[r.CBCM,r.C(";","$",{r:0}),r.CNM,r.BNM,{cN:"number",b:"\\b(\\$[a-zA-Z0-9]+|0o[0-7]+)"},r.QSM,{cN:"string",b:"'",e:"[^\\\\]'",i:"[^\\\\][^']"},{cN:"label",b:"^[A-Za-z0-9_.$]+:"},{cN:"preprocessor",b:"#",e:"$"},{cN:"localvars",b:"@[0-9]+"}]}});hljs.registerLanguage("aspectj",function(e){var t="false synchronized int abstract float private char boolean static null if const for true while long throw strictfp finally protected import native final return void enum else extends implements break transient new catch instanceof byte super volatile case assert short package default double public try this switch continue throws privileged aspectOf adviceexecution proceed cflowbelow cflow initialization preinitialization staticinitialization withincode target within execution getWithinTypeName handler thisJoinPoint thisJoinPointStaticPart thisEnclosingJoinPointStaticPart declare parents warning error soft precedence thisAspectInstance",i="get set args call";return{k:t,i:/<\//,c:[{cN:"javadoc",b:"/\\*\\*",e:"\\*/",r:0,c:[{cN:"javadoctag",b:"(^|\\s)@[A-Za-z]+"}]},e.CLCM,e.CBCM,e.ASM,e.QSM,{cN:"aspect",bK:"aspect",e:/[{;=]/,eE:!0,i:/[:;"\[\]]/,c:[{bK:"extends implements pertypewithin perthis pertarget percflowbelow percflow issingleton"},e.UTM,{b:/\([^\)]*/,e:/[)]+/,k:t+" "+i,eE:!1}]},{cN:"class",bK:"class interface",e:/[{;=]/,eE:!0,r:0,k:"class interface",i:/[:"\[\]]/,c:[{bK:"extends implements"},e.UTM]},{bK:"pointcut after before around throwing returning",e:/[)]/,eE:!1,i:/["\[\]]/,c:[{b:e.UIR+"\\s*\\(",rB:!0,c:[e.UTM]}]},{b:/[:]/,rB:!0,e:/[{;]/,r:0,eE:!1,k:t,i:/["\[\]]/,c:[{b:e.UIR+"\\s*\\(",k:t+" "+i},e.QSM]},{bK:"new throw",r:0},{cN:"function",b:/\w+ +\w+(\.)?\w+\s*\([^\)]*\)\s*((throws)[\w\s,]+)?[\{;]/,rB:!0,e:/[{;=]/,k:t,eE:!0,c:[{b:e.UIR+"\\s*\\(",rB:!0,r:0,c:[e.UTM]},{cN:"params",b:/\(/,e:/\)/,r:0,k:t,c:[e.ASM,e.QSM,e.CNM,e.CBCM]},e.CLCM,e.CBCM]},e.CNM,{cN:"annotation",b:"@[A-Za-z]+"}]}});hljs.registerLanguage("rib",function(e){return{k:"ArchiveRecord AreaLightSource Atmosphere Attribute AttributeBegin AttributeEnd Basis Begin Blobby Bound Clipping ClippingPlane Color ColorSamples ConcatTransform Cone CoordinateSystem CoordSysTransform CropWindow Curves Cylinder DepthOfField Detail DetailRange Disk Displacement Display End ErrorHandler Exposure Exterior Format FrameAspectRatio FrameBegin FrameEnd GeneralPolygon GeometricApproximation Geometry Hider Hyperboloid Identity Illuminate Imager Interior LightSource MakeCubeFaceEnvironment MakeLatLongEnvironment MakeShadow MakeTexture Matte MotionBegin MotionEnd NuPatch ObjectBegin ObjectEnd ObjectInstance Opacity Option Orientation Paraboloid Patch PatchMesh Perspective PixelFilter PixelSamples PixelVariance Points PointsGeneralPolygons PointsPolygons Polygon Procedural Projection Quantize ReadArchive RelativeDetail ReverseOrientation Rotate Scale ScreenWindow ShadingInterpolation ShadingRate Shutter Sides Skew SolidBegin SolidEnd Sphere SubdivisionMesh Surface TextureCoordinates Torus Transform TransformBegin TransformEnd TransformPoints Translate TrimCurve WorldBegin WorldEnd",i:">>|\.\.\.) /},b={cN:"string",c:[e.BE],v:[{b:/(u|b)?r?'''/,e:/'''/,c:[r],r:10},{b:/(u|b)?r?"""/,e:/"""/,c:[r],r:10},{b:/(u|r|ur)'/,e:/'/,r:10},{b:/(u|r|ur)"/,e:/"/,r:10},{b:/(b|br)'/,e:/'/},{b:/(b|br)"/,e:/"/},e.ASM,e.QSM]},l={cN:"number",r:0,v:[{b:e.BNR+"[lLjJ]?"},{b:"\\b(0o[0-7]+)[lLjJ]?"},{b:e.CNR+"[lLjJ]?"}]},c={cN:"params",b:/\(/,e:/\)/,c:["self",r,l,b]};return{aliases:["py","gyp"],k:{keyword:"and elif is global as in if from raise for except finally print import pass return exec else break not with class assert yield try while continue del or def lambda nonlocal|10 None True False",built_in:"Ellipsis NotImplemented"},i:/(<\/|->|\?)/,c:[r,l,b,e.HCM,{v:[{cN:"function",bK:"def",r:10},{cN:"class",bK:"class"}],e:/:/,i:/[${=;\n,]/,c:[e.UTM,c]},{cN:"decorator",b:/@/,e:/$/},{b:/\b(print|exec)\(/}]}});hljs.registerLanguage("axapta",function(e){return{k:"false int abstract private char boolean static null if for true while long throw finally protected final return void enum else break new catch byte super case short default double public try this switch continue reverse firstfast firstonly forupdate nofetch sum avg minof maxof count order group by asc desc index hint like dispaly edit client server ttsbegin ttscommit str real date container anytype common div mod",c:[e.CLCM,e.CBCM,e.ASM,e.QSM,e.CNM,{cN:"preprocessor",b:"#",e:"$"},{cN:"class",bK:"class interface",e:"{",eE:!0,i:":",c:[{bK:"extends implements"},e.UTM]}]}});hljs.registerLanguage("nix",function(e){var t={keyword:"rec with let in inherit assert if else then",constant:"true false or and null",built_in:"import abort baseNameOf dirOf isNull builtins map removeAttrs throw toString derivation"},i={cN:"subst",b:/\$\{/,e:/}/,k:t},r={cN:"variable",b:/[a-zA-Z0-9-_]+(\s*=)/},n={cN:"string",b:"''",e:"''",c:[i]},s={cN:"string",b:'"',e:'"',c:[i]},a=[e.NM,e.HCM,e.CBCM,n,s,r];return i.c=a,{aliases:["nixos"],k:t,c:a}});hljs.registerLanguage("diff",function(e){return{aliases:["patch"],c:[{cN:"chunk",r:10,v:[{b:/^@@ +\-\d+,\d+ +\+\d+,\d+ +@@$/},{b:/^\*\*\* +\d+,\d+ +\*\*\*\*$/},{b:/^\-\-\- +\d+,\d+ +\-\-\-\-$/}]},{cN:"header",v:[{b:/Index: /,e:/$/},{b:/=====/,e:/=====$/},{b:/^\-\-\-/,e:/$/},{b:/^\*{3} /,e:/$/},{b:/^\+\+\+/,e:/$/},{b:/\*{5}/,e:/\*{5}$/}]},{cN:"addition",b:"^\\+",e:"$"},{cN:"deletion",b:"^\\-",e:"$"},{cN:"change",b:"^\\!",e:"$"}]}});hljs.registerLanguage("parser3",function(r){var e=r.C("{","}",{c:["self"]});return{sL:"xml",r:0,c:[r.C("^#","$"),r.C("\\^rem{","}",{r:10,c:[e]}),{cN:"preprocessor",b:"^@(?:BASE|USE|CLASS|OPTIONS)$",r:10},{cN:"title",b:"@[\\w\\-]+\\[[\\w^;\\-]*\\](?:\\[[\\w^;\\-]*\\])?(?:.*)$"},{cN:"variable",b:"\\$\\{?[\\w\\-\\.\\:]+\\}?"},{cN:"keyword",b:"\\^[\\w\\-\\.\\:]+"},{cN:"number",b:"\\^#[0-9a-fA-F]+"},r.CNM]}});hljs.registerLanguage("django",function(e){var t={cN:"filter",b:/\|[A-Za-z]+:?/,k:"truncatewords removetags linebreaksbr yesno get_digit timesince random striptags filesizeformat escape linebreaks length_is ljust rjust cut urlize fix_ampersands title floatformat capfirst pprint divisibleby add make_list unordered_list urlencode timeuntil urlizetrunc wordcount stringformat linenumbers slice date dictsort dictsortreversed default_if_none pluralize lower join center default truncatewords_html upper length phone2numeric wordwrap time addslashes slugify first escapejs force_escape iriencode last safe safeseq truncatechars localize unlocalize localtime utc timezone",c:[{cN:"argument",b:/"/,e:/"/},{cN:"argument",b:/'/,e:/'/}]};return{aliases:["jinja"],cI:!0,sL:"xml",subLanguageMode:"continuous",c:[e.C(/\{%\s*comment\s*%}/,/\{%\s*endcomment\s*%}/),e.C(/\{#/,/#}/),{cN:"template_tag",b:/\{%/,e:/%}/,k:"comment endcomment load templatetag ifchanged endifchanged if endif firstof for endfor in ifnotequal endifnotequal widthratio extends include spaceless endspaceless regroup by as ifequal endifequal ssi now with cycle url filter endfilter debug block endblock else autoescape endautoescape csrf_token empty elif endwith static trans blocktrans endblocktrans get_static_prefix get_media_prefix plural get_current_language language get_available_languages get_current_language_bidi get_language_info get_language_info_list localize endlocalize localtime endlocaltime timezone endtimezone get_current_timezone verbatim",c:[t]},{cN:"variable",b:/\{\{/,e:/}}/,c:[t]}]}});hljs.registerLanguage("rust",function(e){var t=e.inherit(e.CBCM);return t.c.push("self"),{aliases:["rs"],k:{keyword:"alignof as be box break const continue crate do else enum extern false fn for if impl in let loop match mod mut offsetof once priv proc pub pure ref return self sizeof static struct super trait true type typeof unsafe unsized use virtual while yield int i8 i16 i32 i64 uint u8 u32 u64 float f32 f64 str char bool",built_in:"assert! assert_eq! bitflags! bytes! cfg! col! concat! concat_idents! debug_assert! debug_assert_eq! env! panic! file! format! format_args! include_bin! include_str! line! local_data_key! module_path! option_env! print! println! select! stringify! try! unimplemented! unreachable! vec! write! writeln!"},l:e.IR+"!?",i:""}]}});hljs.registerLanguage("vhdl",function(e){var t="\\d(_|\\d)*",r="[eE][-+]?"+t,n=t+"(\\."+t+")?("+r+")?",o="\\w+",i=t+"#"+o+"(\\."+o+")?#("+r+")?",a="\\b("+i+"|"+n+")";return{cI:!0,k:{keyword:"abs access after alias all and architecture array assert attribute begin block body buffer bus case component configuration constant context cover disconnect downto default else elsif end entity exit fairness file for force function generate generic group guarded if impure in inertial inout is label library linkage literal loop map mod nand new next nor not null of on open or others out package port postponed procedure process property protected pure range record register reject release rem report restrict restrict_guarantee return rol ror select sequence severity shared signal sla sll sra srl strong subtype then to transport type unaffected units until use variable vmode vprop vunit wait when while with xnor xor",typename:"boolean bit character severity_level integer time delay_length natural positive string bit_vector file_open_kind file_open_status std_ulogic std_ulogic_vector std_logic std_logic_vector unsigned signed boolean_vector integer_vector real_vector time_vector"},i:"{",c:[e.CBCM,e.C("--","$"),e.QSM,{cN:"number",b:a,r:0},{cN:"literal",b:"'(U|X|0|1|Z|W|L|H|-)'",c:[e.BE]},{cN:"attribute",b:"'[A-Za-z](_?[A-Za-z0-9])*",c:[e.BE]}]}});hljs.registerLanguage("ocaml",function(e){return{aliases:["ml"],k:{keyword:"and as assert asr begin class constraint do done downto else end exception external for fun function functor if in include inherit! inherit initializer land lazy let lor lsl lsr lxor match method!|10 method mod module mutable new object of open! open or private rec sig struct then to try type val! val virtual when while with parser value",built_in:"array bool bytes char exn|5 float int int32 int64 list lazy_t|5 nativeint|5 string unit in_channel out_channel ref",literal:"true false"},i:/\/\/|>>/,l:"[a-z_]\\w*!?",c:[{cN:"literal",b:"\\[(\\|\\|)?\\]|\\(\\)"},e.C("\\(\\*","\\*\\)",{c:["self"]}),{cN:"symbol",b:"'[A-Za-z_](?!')[\\w']*"},{cN:"tag",b:"`[A-Z][\\w']*"},{cN:"type",b:"\\b[A-Z][\\w']*",r:0},{b:"[a-z_]\\w*'[\\w']*"},e.inherit(e.ASM,{cN:"char",r:0}),e.inherit(e.QSM,{i:null}),{cN:"number",b:"\\b(0[xX][a-fA-F0-9_]+[Lln]?|0[oO][0-7_]+[Lln]?|0[bB][01_]+[Lln]?|[0-9][0-9_]*([Lln]|(\\.[0-9_]*)?([eE][-+]?[0-9_]+)?)?)",r:0},{b:/[-=]>/}]}});hljs.registerLanguage("cmake",function(e){return{aliases:["cmake.in"],cI:!0,k:{keyword:"add_custom_command add_custom_target add_definitions add_dependencies add_executable add_library add_subdirectory add_test aux_source_directory break build_command cmake_minimum_required cmake_policy configure_file create_test_sourcelist define_property else elseif enable_language enable_testing endforeach endfunction endif endmacro endwhile execute_process export find_file find_library find_package find_path find_program fltk_wrap_ui foreach function get_cmake_property get_directory_property get_filename_component get_property get_source_file_property get_target_property get_test_property if include include_directories include_external_msproject include_regular_expression install link_directories load_cache load_command macro mark_as_advanced message option output_required_files project qt_wrap_cpp qt_wrap_ui remove_definitions return separate_arguments set set_directory_properties set_property set_source_files_properties set_target_properties set_tests_properties site_name source_group string target_link_libraries try_compile try_run unset variable_watch while build_name exec_program export_library_dependencies install_files install_programs install_targets link_libraries make_directory remove subdir_depends subdirs use_mangled_mesa utility_source variable_requires write_file qt5_use_modules qt5_use_package qt5_wrap_cpp on off true false and or",operator:"equal less greater strless strgreater strequal matches"},c:[{cN:"envvar",b:"\\${",e:"}"},e.HCM,e.QSM,e.NM]}});hljs.registerLanguage("1c",function(c){var e="[a-zA-Zа-яА-Я][a-zA-Z0-9_а-яА-Я]*",r="возврат дата для если и или иначе иначеесли исключение конецесли конецпопытки конецпроцедуры конецфункции конеццикла константа не перейти перем перечисление по пока попытка прервать продолжить процедура строка тогда фс функция цикл число экспорт",t="ansitooem oemtoansi ввестивидсубконто ввестидату ввестизначение ввестиперечисление ввестипериод ввестиплансчетов ввестистроку ввестичисло вопрос восстановитьзначение врег выбранныйплансчетов вызватьисключение датагод датамесяц датачисло добавитьмесяц завершитьработусистемы заголовоксистемы записьжурналарегистрации запуститьприложение зафиксироватьтранзакцию значениевстроку значениевстрокувнутр значениевфайл значениеизстроки значениеизстрокивнутр значениеизфайла имякомпьютера имяпользователя каталогвременныхфайлов каталогиб каталогпользователя каталогпрограммы кодсимв командасистемы конгода конецпериодаби конецрассчитанногопериодаби конецстандартногоинтервала конквартала конмесяца коннедели лев лог лог10 макс максимальноеколичествосубконто мин монопольныйрежим названиеинтерфейса названиенабораправ назначитьвид назначитьсчет найти найтипомеченныенаудаление найтиссылки началопериодаби началостандартногоинтервала начатьтранзакцию начгода начквартала начмесяца начнедели номерднягода номерднянедели номернеделигода нрег обработкаожидания окр описаниеошибки основнойжурналрасчетов основнойплансчетов основнойязык открытьформу открытьформумодально отменитьтранзакцию очиститьокносообщений периодстр полноеимяпользователя получитьвремята получитьдатута получитьдокументта получитьзначенияотбора получитьпозициюта получитьпустоезначение получитьта прав праводоступа предупреждение префиксавтонумерации пустаястрока пустоезначение рабочаядаттьпустоезначение рабочаядата разделительстраниц разделительстрок разм разобратьпозициюдокумента рассчитатьрегистрына рассчитатьрегистрыпо сигнал симв символтабуляции создатьобъект сокрл сокрлп сокрп сообщить состояние сохранитьзначение сред статусвозврата стрдлина стрзаменить стрколичествострок стрполучитьстроку стрчисловхождений сформироватьпозициюдокумента счетпокоду текущаядата текущеевремя типзначения типзначениястр удалитьобъекты установитьтана установитьтапо фиксшаблон формат цел шаблон",i={cN:"dquote",b:'""'},n={cN:"string",b:'"',e:'"|$',c:[i]},a={cN:"string",b:"\\|",e:'"|$',c:[i]};return{cI:!0,l:e,k:{keyword:r,built_in:t},c:[c.CLCM,c.NM,n,a,{cN:"function",b:"(процедура|функция)",e:"$",l:e,k:"процедура функция",c:[c.inherit(c.TM,{b:e}),{cN:"tail",eW:!0,c:[{cN:"params",b:"\\(",e:"\\)",l:e,k:"знач",c:[n,a]},{cN:"export",b:"экспорт",eW:!0,l:e,k:"экспорт",c:[c.CLCM]}]},c.CLCM]},{cN:"preprocessor",b:"#",e:"$"},{cN:"date",b:"'\\d{2}\\.\\d{2}\\.(\\d{2}|\\d{4})'"}]}});hljs.registerLanguage("tcl",function(e){return{aliases:["tk"],k:"after append apply array auto_execok auto_import auto_load auto_mkindex auto_mkindex_old auto_qualify auto_reset bgerror binary break catch cd chan clock close concat continue dde dict encoding eof error eval exec exit expr fblocked fconfigure fcopy file fileevent filename flush for foreach format gets glob global history http if incr info interp join lappend|10 lassign|10 lindex|10 linsert|10 list llength|10 load lrange|10 lrepeat|10 lreplace|10 lreverse|10 lsearch|10 lset|10 lsort|10 mathfunc mathop memory msgcat namespace open package parray pid pkg::create pkg_mkIndex platform platform::shell proc puts pwd read refchan regexp registry regsub|10 rename return safe scan seek set socket source split string subst switch tcl_endOfWord tcl_findLibrary tcl_startOfNextWord tcl_startOfPreviousWord tcl_wordBreakAfter tcl_wordBreakBefore tcltest tclvars tell time tm trace unknown unload unset update uplevel upvar variable vwait while",c:[e.C(";[ \\t]*#","$"),e.C("^[ \\t]*#","$"),{bK:"proc",e:"[\\{]",eE:!0,c:[{cN:"symbol",b:"[ \\t\\n\\r]+(::)?[a-zA-Z_]((::)?[a-zA-Z0-9_])*",e:"[ \\t\\n\\r]",eW:!0,eE:!0}]},{cN:"variable",eE:!0,v:[{b:"\\$(\\{)?(::)?[a-zA-Z_]((::)?[a-zA-Z0-9_])*\\(([a-zA-Z0-9_])*\\)",e:"[^a-zA-Z0-9_\\}\\$]"},{b:"\\$(\\{)?(::)?[a-zA-Z_]((::)?[a-zA-Z0-9_])*",e:"(\\))?[^a-zA-Z0-9_\\}\\$]"}]},{cN:"string",c:[e.BE],v:[e.inherit(e.ASM,{i:null}),e.inherit(e.QSM,{i:null})]},{cN:"number",v:[e.BNM,e.CNM]}]}});hljs.registerLanguage("groovy",function(e){return{k:{typename:"byte short char int long boolean float double void",literal:"true false null",keyword:"def as in assert trait super this abstract static volatile transient public private protected synchronized final class interface enum if else for while switch case break default continue throw throws try catch finally implements extends new import package return instanceof"},c:[e.CLCM,{cN:"javadoc",b:"/\\*\\*",e:"\\*//*",r:0,c:[{cN:"javadoctag",b:"(^|\\s)@[A-Za-z]+"}]},e.CBCM,{cN:"string",b:'"""',e:'"""'},{cN:"string",b:"'''",e:"'''"},{cN:"string",b:"\\$/",e:"/\\$",r:10},e.ASM,{cN:"regexp",b:/~?\/[^\/\n]+\//,c:[e.BE]},e.QSM,{cN:"shebang",b:"^#!/usr/bin/env",e:"$",i:"\n"},e.BNM,{cN:"class",bK:"class interface trait enum",e:"{",i:":",c:[{bK:"extends implements"},e.UTM]},e.CNM,{cN:"annotation",b:"@[A-Za-z]+"},{cN:"string",b:/[^\?]{0}[A-Za-z0-9_$]+ *:/},{b:/\?/,e:/\:/},{cN:"label",b:"^\\s*[A-Za-z0-9_$]+:",r:0}]}});hljs.registerLanguage("erlang-repl",function(r){return{k:{special_functions:"spawn spawn_link self",reserved:"after and andalso|10 band begin bnot bor bsl bsr bxor case catch cond div end fun if let not of or orelse|10 query receive rem try when xor"},c:[{cN:"prompt",b:"^[0-9]+> ",r:10},r.C("%","$"),{cN:"number",b:"\\b(\\d+#[a-fA-F0-9]+|\\d+(\\.\\d+)?([eE][-+]?\\d+)?)",r:0},r.ASM,r.QSM,{cN:"constant",b:"\\?(::)?([A-Z]\\w*(::)?)+"},{cN:"arrow",b:"->"},{cN:"ok",b:"ok"},{cN:"exclamation_mark",b:"!"},{cN:"function_or_atom",b:"(\\b[a-z'][a-zA-Z0-9_']*:[a-z'][a-zA-Z0-9_']*)|(\\b[a-z'][a-zA-Z0-9_']*)",r:0},{cN:"variable",b:"[A-Z][a-zA-Z0-9_']*",r:0}]}});hljs.registerLanguage("nginx",function(e){var r={cN:"variable",v:[{b:/\$\d+/},{b:/\$\{/,e:/}/},{b:"[\\$\\@]"+e.UIR}]},b={eW:!0,l:"[a-z/_]+",k:{built_in:"on off yes no true false none blocked debug info notice warn error crit select break last permanent redirect kqueue rtsig epoll poll /dev/poll"},r:0,i:"=>",c:[e.HCM,{cN:"string",c:[e.BE,r],v:[{b:/"/,e:/"/},{b:/'/,e:/'/}]},{cN:"url",b:"([a-z]+):/",e:"\\s",eW:!0,eE:!0,c:[r]},{cN:"regexp",c:[e.BE,r],v:[{b:"\\s\\^",e:"\\s|{|;",rE:!0},{b:"~\\*?\\s+",e:"\\s|{|;",rE:!0},{b:"\\*(\\.[a-z\\-]+)+"},{b:"([a-z\\-]+\\.)+\\*"}]},{cN:"number",b:"\\b\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}(:\\d{1,5})?\\b"},{cN:"number",b:"\\b\\d+[kKmMgGdshdwy]*\\b",r:0},r]};return{aliases:["nginxconf"],c:[e.HCM,{b:e.UIR+"\\s",e:";|{",rB:!0,c:[{cN:"title",b:e.UIR,starts:b}],r:0}],i:"[^\\s\\}]"}});hljs.registerLanguage("mathematica",function(e){return{aliases:["mma"],l:"(\\$|\\b)"+e.IR+"\\b",k:"AbelianGroup Abort AbortKernels AbortProtect Above Abs Absolute AbsoluteCorrelation AbsoluteCorrelationFunction AbsoluteCurrentValue AbsoluteDashing AbsoluteFileName AbsoluteOptions AbsolutePointSize AbsoluteThickness AbsoluteTime AbsoluteTiming AccountingForm Accumulate Accuracy AccuracyGoal ActionDelay ActionMenu ActionMenuBox ActionMenuBoxOptions Active ActiveItem ActiveStyle AcyclicGraphQ AddOnHelpPath AddTo AdjacencyGraph AdjacencyList AdjacencyMatrix AdjustmentBox AdjustmentBoxOptions AdjustTimeSeriesForecast AffineTransform After AiryAi AiryAiPrime AiryAiZero AiryBi AiryBiPrime AiryBiZero AlgebraicIntegerQ AlgebraicNumber AlgebraicNumberDenominator AlgebraicNumberNorm AlgebraicNumberPolynomial AlgebraicNumberTrace AlgebraicRules AlgebraicRulesData Algebraics AlgebraicUnitQ Alignment AlignmentMarker AlignmentPoint All AllowedDimensions AllowGroupClose AllowInlineCells AllowKernelInitialization AllowReverseGroupClose AllowScriptLevelChange AlphaChannel AlternatingGroup AlternativeHypothesis Alternatives AmbientLight Analytic AnchoredSearch And AndersonDarlingTest AngerJ AngleBracket AngularGauge Animate AnimationCycleOffset AnimationCycleRepetitions AnimationDirection AnimationDisplayTime AnimationRate AnimationRepetitions AnimationRunning Animator AnimatorBox AnimatorBoxOptions AnimatorElements Annotation Annuity AnnuityDue Antialiasing Antisymmetric Apart ApartSquareFree Appearance AppearanceElements AppellF1 Append AppendTo Apply ArcCos ArcCosh ArcCot ArcCoth ArcCsc ArcCsch ArcSec ArcSech ArcSin ArcSinDistribution ArcSinh ArcTan ArcTanh Arg ArgMax ArgMin ArgumentCountQ ARIMAProcess ArithmeticGeometricMean ARMAProcess ARProcess Array ArrayComponents ArrayDepth ArrayFlatten ArrayPad ArrayPlot ArrayQ ArrayReshape ArrayRules Arrays Arrow Arrow3DBox ArrowBox Arrowheads AspectRatio AspectRatioFixed Assert Assuming Assumptions AstronomicalData Asynchronous AsynchronousTaskObject AsynchronousTasks AtomQ Attributes AugmentedSymmetricPolynomial AutoAction AutoDelete AutoEvaluateEvents AutoGeneratedPackage AutoIndent AutoIndentSpacings AutoItalicWords AutoloadPath AutoMatch Automatic AutomaticImageSize AutoMultiplicationSymbol AutoNumberFormatting AutoOpenNotebooks AutoOpenPalettes AutorunSequencing AutoScaling AutoScroll AutoSpacing AutoStyleOptions AutoStyleWords Axes AxesEdge AxesLabel AxesOrigin AxesStyle Axis BabyMonsterGroupB Back Background BackgroundTasksSettings Backslash Backsubstitution Backward Band BandpassFilter BandstopFilter BarabasiAlbertGraphDistribution BarChart BarChart3D BarLegend BarlowProschanImportance BarnesG BarOrigin BarSpacing BartlettHannWindow BartlettWindow BaseForm Baseline BaselinePosition BaseStyle BatesDistribution BattleLemarieWavelet Because BeckmannDistribution Beep Before Begin BeginDialogPacket BeginFrontEndInteractionPacket BeginPackage BellB BellY Below BenfordDistribution BeniniDistribution BenktanderGibratDistribution BenktanderWeibullDistribution BernoulliB BernoulliDistribution BernoulliGraphDistribution BernoulliProcess BernsteinBasis BesselFilterModel BesselI BesselJ BesselJZero BesselK BesselY BesselYZero Beta BetaBinomialDistribution BetaDistribution BetaNegativeBinomialDistribution BetaPrimeDistribution BetaRegularized BetweennessCentrality BezierCurve BezierCurve3DBox BezierCurve3DBoxOptions BezierCurveBox BezierCurveBoxOptions BezierFunction BilateralFilter Binarize BinaryFormat BinaryImageQ BinaryRead BinaryReadList BinaryWrite BinCounts BinLists Binomial BinomialDistribution BinomialProcess BinormalDistribution BiorthogonalSplineWavelet BipartiteGraphQ BirnbaumImportance BirnbaumSaundersDistribution BitAnd BitClear BitGet BitLength BitNot BitOr BitSet BitShiftLeft BitShiftRight BitXor Black BlackmanHarrisWindow BlackmanNuttallWindow BlackmanWindow Blank BlankForm BlankNullSequence BlankSequence Blend Block BlockRandom BlomqvistBeta BlomqvistBetaTest Blue Blur BodePlot BohmanWindow Bold Bookmarks Boole BooleanConsecutiveFunction BooleanConvert BooleanCountingFunction BooleanFunction BooleanGraph BooleanMaxterms BooleanMinimize BooleanMinterms Booleans BooleanTable BooleanVariables BorderDimensions BorelTannerDistribution Bottom BottomHatTransform BoundaryStyle Bounds Box BoxBaselineShift BoxData BoxDimensions Boxed Boxes BoxForm BoxFormFormatTypes BoxFrame BoxID BoxMargins BoxMatrix BoxRatios BoxRotation BoxRotationPoint BoxStyle BoxWhiskerChart Bra BracketingBar BraKet BrayCurtisDistance BreadthFirstScan Break Brown BrownForsytheTest BrownianBridgeProcess BrowserCategory BSplineBasis BSplineCurve BSplineCurve3DBox BSplineCurveBox BSplineCurveBoxOptions BSplineFunction BSplineSurface BSplineSurface3DBox BubbleChart BubbleChart3D BubbleScale BubbleSizes BulletGauge BusinessDayQ ButterflyGraph ButterworthFilterModel Button ButtonBar ButtonBox ButtonBoxOptions ButtonCell ButtonContents ButtonData ButtonEvaluator ButtonExpandable ButtonFrame ButtonFunction ButtonMargins ButtonMinHeight ButtonNote ButtonNotebook ButtonSource ButtonStyle ButtonStyleMenuListing Byte ByteCount ByteOrdering C CachedValue CacheGraphics CalendarData CalendarType CallPacket CanberraDistance Cancel CancelButton CandlestickChart Cap CapForm CapitalDifferentialD CardinalBSplineBasis CarmichaelLambda Cases Cashflow Casoratian Catalan CatalanNumber Catch CauchyDistribution CauchyWindow CayleyGraph CDF CDFDeploy CDFInformation CDFWavelet Ceiling Cell CellAutoOverwrite CellBaseline CellBoundingBox CellBracketOptions CellChangeTimes CellContents CellContext CellDingbat CellDynamicExpression CellEditDuplicate CellElementsBoundingBox CellElementSpacings CellEpilog CellEvaluationDuplicate CellEvaluationFunction CellEventActions CellFrame CellFrameColor CellFrameLabelMargins CellFrameLabels CellFrameMargins CellGroup CellGroupData CellGrouping CellGroupingRules CellHorizontalScrolling CellID CellLabel CellLabelAutoDelete CellLabelMargins CellLabelPositioning CellMargins CellObject CellOpen CellPrint CellProlog Cells CellSize CellStyle CellTags CellularAutomaton CensoredDistribution Censoring Center CenterDot CentralMoment CentralMomentGeneratingFunction CForm ChampernowneNumber ChanVeseBinarize Character CharacterEncoding CharacterEncodingsPath CharacteristicFunction CharacteristicPolynomial CharacterRange Characters ChartBaseStyle ChartElementData ChartElementDataFunction ChartElementFunction ChartElements ChartLabels ChartLayout ChartLegends ChartStyle Chebyshev1FilterModel Chebyshev2FilterModel ChebyshevDistance ChebyshevT ChebyshevU Check CheckAbort CheckAll Checkbox CheckboxBar CheckboxBox CheckboxBoxOptions ChemicalData ChessboardDistance ChiDistribution ChineseRemainder ChiSquareDistribution ChoiceButtons ChoiceDialog CholeskyDecomposition Chop Circle CircleBox CircleDot CircleMinus CirclePlus CircleTimes CirculantGraph CityData Clear ClearAll ClearAttributes ClearSystemCache ClebschGordan ClickPane Clip ClipboardNotebook ClipFill ClippingStyle ClipPlanes ClipRange Clock ClockGauge ClockwiseContourIntegral Close Closed CloseKernels ClosenessCentrality Closing ClosingAutoSave ClosingEvent ClusteringComponents CMYKColor Coarse Coefficient CoefficientArrays CoefficientDomain CoefficientList CoefficientRules CoifletWavelet Collect Colon ColonForm ColorCombine ColorConvert ColorData ColorDataFunction ColorFunction ColorFunctionScaling Colorize ColorNegate ColorOutput ColorProfileData ColorQuantize ColorReplace ColorRules ColorSelectorSettings ColorSeparate ColorSetter ColorSetterBox ColorSetterBoxOptions ColorSlider ColorSpace Column ColumnAlignments ColumnBackgrounds ColumnForm ColumnLines ColumnsEqual ColumnSpacings ColumnWidths CommonDefaultFormatTypes Commonest CommonestFilter CommonUnits CommunityBoundaryStyle CommunityGraphPlot CommunityLabels CommunityRegionStyle CompatibleUnitQ CompilationOptions CompilationTarget Compile Compiled CompiledFunction Complement CompleteGraph CompleteGraphQ CompleteKaryTree CompletionsListPacket Complex Complexes ComplexExpand ComplexInfinity ComplexityFunction ComponentMeasurements ComponentwiseContextMenu Compose ComposeList ComposeSeries Composition CompoundExpression CompoundPoissonDistribution CompoundPoissonProcess CompoundRenewalProcess Compress CompressedData Condition ConditionalExpression Conditioned Cone ConeBox ConfidenceLevel ConfidenceRange ConfidenceTransform ConfigurationPath Congruent Conjugate ConjugateTranspose Conjunction Connect ConnectedComponents ConnectedGraphQ ConnesWindow ConoverTest ConsoleMessage ConsoleMessagePacket ConsolePrint Constant ConstantArray Constants ConstrainedMax ConstrainedMin ContentPadding ContentsBoundingBox ContentSelectable ContentSize Context ContextMenu Contexts ContextToFilename ContextToFileName Continuation Continue ContinuedFraction ContinuedFractionK ContinuousAction ContinuousMarkovProcess ContinuousTimeModelQ ContinuousWaveletData ContinuousWaveletTransform ContourDetect ContourGraphics ContourIntegral ContourLabels ContourLines ContourPlot ContourPlot3D Contours ContourShading ContourSmoothing ContourStyle ContraharmonicMean Control ControlActive ControlAlignment ControllabilityGramian ControllabilityMatrix ControllableDecomposition ControllableModelQ ControllerDuration ControllerInformation ControllerInformationData ControllerLinking ControllerManipulate ControllerMethod ControllerPath ControllerState ControlPlacement ControlsRendering ControlType Convergents ConversionOptions ConversionRules ConvertToBitmapPacket ConvertToPostScript ConvertToPostScriptPacket Convolve ConwayGroupCo1 ConwayGroupCo2 ConwayGroupCo3 CoordinateChartData CoordinatesToolOptions CoordinateTransform CoordinateTransformData CoprimeQ Coproduct CopulaDistribution Copyable CopyDirectory CopyFile CopyTag CopyToClipboard CornerFilter CornerNeighbors Correlation CorrelationDistance CorrelationFunction CorrelationTest Cos Cosh CoshIntegral CosineDistance CosineWindow CosIntegral Cot Coth Count CounterAssignments CounterBox CounterBoxOptions CounterClockwiseContourIntegral CounterEvaluator CounterFunction CounterIncrements CounterStyle CounterStyleMenuListing CountRoots CountryData Covariance CovarianceEstimatorFunction CovarianceFunction CoxianDistribution CoxIngersollRossProcess CoxModel CoxModelFit CramerVonMisesTest CreateArchive CreateDialog CreateDirectory CreateDocument CreateIntermediateDirectories CreatePalette CreatePalettePacket CreateScheduledTask CreateTemporary CreateWindow CriticalityFailureImportance CriticalitySuccessImportance CriticalSection Cross CrossingDetect CrossMatrix Csc Csch CubeRoot Cubics Cuboid CuboidBox Cumulant CumulantGeneratingFunction Cup CupCap Curl CurlyDoubleQuote CurlyQuote CurrentImage CurrentlySpeakingPacket CurrentValue CurvatureFlowFilter CurveClosed Cyan CycleGraph CycleIndexPolynomial Cycles CyclicGroup Cyclotomic Cylinder CylinderBox CylindricalDecomposition D DagumDistribution DamerauLevenshteinDistance DampingFactor Darker Dashed Dashing DataCompression DataDistribution DataRange DataReversed Date DateDelimiters DateDifference DateFunction DateList DateListLogPlot DateListPlot DatePattern DatePlus DateRange DateString DateTicksFormat DaubechiesWavelet DavisDistribution DawsonF DayCount DayCountConvention DayMatchQ DayName DayPlus DayRange DayRound DeBruijnGraph Debug DebugTag Decimal DeclareKnownSymbols DeclarePackage Decompose Decrement DedekindEta Default DefaultAxesStyle DefaultBaseStyle DefaultBoxStyle DefaultButton DefaultColor DefaultControlPlacement DefaultDuplicateCellStyle DefaultDuration DefaultElement DefaultFaceGridsStyle DefaultFieldHintStyle DefaultFont DefaultFontProperties DefaultFormatType DefaultFormatTypeForStyle DefaultFrameStyle DefaultFrameTicksStyle DefaultGridLinesStyle DefaultInlineFormatType DefaultInputFormatType DefaultLabelStyle DefaultMenuStyle DefaultNaturalLanguage DefaultNewCellStyle DefaultNewInlineCellStyle DefaultNotebook DefaultOptions DefaultOutputFormatType DefaultStyle DefaultStyleDefinitions DefaultTextFormatType DefaultTextInlineFormatType DefaultTicksStyle DefaultTooltipStyle DefaultValues Defer DefineExternal DefineInputStreamMethod DefineOutputStreamMethod Definition Degree DegreeCentrality DegreeGraphDistribution DegreeLexicographic DegreeReverseLexicographic Deinitialization Del Deletable Delete DeleteBorderComponents DeleteCases DeleteContents DeleteDirectory DeleteDuplicates DeleteFile DeleteSmallComponents DeleteWithContents DeletionWarning Delimiter DelimiterFlashTime DelimiterMatching Delimiters Denominator DensityGraphics DensityHistogram DensityPlot DependentVariables Deploy Deployed Depth DepthFirstScan Derivative DerivativeFilter DescriptorStateSpace DesignMatrix Det DGaussianWavelet DiacriticalPositioning Diagonal DiagonalMatrix Dialog DialogIndent DialogInput DialogLevel DialogNotebook DialogProlog DialogReturn DialogSymbols Diamond DiamondMatrix DiceDissimilarity DictionaryLookup DifferenceDelta DifferenceOrder DifferenceRoot DifferenceRootReduce Differences DifferentialD DifferentialRoot DifferentialRootReduce DifferentiatorFilter DigitBlock DigitBlockMinimum DigitCharacter DigitCount DigitQ DihedralGroup Dilation Dimensions DiracComb DiracDelta DirectedEdge DirectedEdges DirectedGraph DirectedGraphQ DirectedInfinity Direction Directive Directory DirectoryName DirectoryQ DirectoryStack DirichletCharacter DirichletConvolve DirichletDistribution DirichletL DirichletTransform DirichletWindow DisableConsolePrintPacket DiscreteChirpZTransform DiscreteConvolve DiscreteDelta DiscreteHadamardTransform DiscreteIndicator DiscreteLQEstimatorGains DiscreteLQRegulatorGains DiscreteLyapunovSolve DiscreteMarkovProcess DiscretePlot DiscretePlot3D DiscreteRatio DiscreteRiccatiSolve DiscreteShift DiscreteTimeModelQ DiscreteUniformDistribution DiscreteVariables DiscreteWaveletData DiscreteWaveletPacketTransform DiscreteWaveletTransform Discriminant Disjunction Disk DiskBox DiskMatrix Dispatch DispersionEstimatorFunction Display DisplayAllSteps DisplayEndPacket DisplayFlushImagePacket DisplayForm DisplayFunction DisplayPacket DisplayRules DisplaySetSizePacket DisplayString DisplayTemporary DisplayWith DisplayWithRef DisplayWithVariable DistanceFunction DistanceTransform Distribute Distributed DistributedContexts DistributeDefinitions DistributionChart DistributionDomain DistributionFitTest DistributionParameterAssumptions DistributionParameterQ Dithering Div Divergence Divide DivideBy Dividers Divisible Divisors DivisorSigma DivisorSum DMSList DMSString Do DockedCells DocumentNotebook DominantColors DOSTextFormat Dot DotDashed DotEqual Dotted DoubleBracketingBar DoubleContourIntegral DoubleDownArrow DoubleLeftArrow DoubleLeftRightArrow DoubleLeftTee DoubleLongLeftArrow DoubleLongLeftRightArrow DoubleLongRightArrow DoubleRightArrow DoubleRightTee DoubleUpArrow DoubleUpDownArrow DoubleVerticalBar DoublyInfinite Down DownArrow DownArrowBar DownArrowUpArrow DownLeftRightVector DownLeftTeeVector DownLeftVector DownLeftVectorBar DownRightTeeVector DownRightVector DownRightVectorBar Downsample DownTee DownTeeArrow DownValues DragAndDrop DrawEdges DrawFrontFaces DrawHighlighted Drop DSolve Dt DualLinearProgramming DualSystemsModel DumpGet DumpSave DuplicateFreeQ Dynamic DynamicBox DynamicBoxOptions DynamicEvaluationTimeout DynamicLocation DynamicModule DynamicModuleBox DynamicModuleBoxOptions DynamicModuleParent DynamicModuleValues DynamicName DynamicNamespace DynamicReference DynamicSetting DynamicUpdating DynamicWrapper DynamicWrapperBox DynamicWrapperBoxOptions E EccentricityCentrality EdgeAdd EdgeBetweennessCentrality EdgeCapacity EdgeCapForm EdgeColor EdgeConnectivity EdgeCost EdgeCount EdgeCoverQ EdgeDashing EdgeDelete EdgeDetect EdgeForm EdgeIndex EdgeJoinForm EdgeLabeling EdgeLabels EdgeLabelStyle EdgeList EdgeOpacity EdgeQ EdgeRenderingFunction EdgeRules EdgeShapeFunction EdgeStyle EdgeThickness EdgeWeight Editable EditButtonSettings EditCellTagsSettings EditDistance EffectiveInterest Eigensystem Eigenvalues EigenvectorCentrality Eigenvectors Element ElementData Eliminate EliminationOrder EllipticE EllipticExp EllipticExpPrime EllipticF EllipticFilterModel EllipticK EllipticLog EllipticNomeQ EllipticPi EllipticReducedHalfPeriods EllipticTheta EllipticThetaPrime EmitSound EmphasizeSyntaxErrors EmpiricalDistribution Empty EmptyGraphQ EnableConsolePrintPacket Enabled Encode End EndAdd EndDialogPacket EndFrontEndInteractionPacket EndOfFile EndOfLine EndOfString EndPackage EngineeringForm Enter EnterExpressionPacket EnterTextPacket Entropy EntropyFilter Environment Epilog Equal EqualColumns EqualRows EqualTilde EquatedTo Equilibrium EquirippleFilterKernel Equivalent Erf Erfc Erfi ErlangB ErlangC ErlangDistribution Erosion ErrorBox ErrorBoxOptions ErrorNorm ErrorPacket ErrorsDialogSettings EstimatedDistribution EstimatedProcess EstimatorGains EstimatorRegulator EuclideanDistance EulerE EulerGamma EulerianGraphQ EulerPhi Evaluatable Evaluate Evaluated EvaluatePacket EvaluationCell EvaluationCompletionAction EvaluationElements EvaluationMode EvaluationMonitor EvaluationNotebook EvaluationObject EvaluationOrder Evaluator EvaluatorNames EvenQ EventData EventEvaluator EventHandler EventHandlerTag EventLabels ExactBlackmanWindow ExactNumberQ ExactRootIsolation ExampleData Except ExcludedForms ExcludePods Exclusions ExclusionsStyle Exists Exit ExitDialog Exp Expand ExpandAll ExpandDenominator ExpandFileName ExpandNumerator Expectation ExpectationE ExpectedValue ExpGammaDistribution ExpIntegralE ExpIntegralEi Exponent ExponentFunction ExponentialDistribution ExponentialFamily ExponentialGeneratingFunction ExponentialMovingAverage ExponentialPowerDistribution ExponentPosition ExponentStep Export ExportAutoReplacements ExportPacket ExportString Expression ExpressionCell ExpressionPacket ExpToTrig ExtendedGCD Extension ExtentElementFunction ExtentMarkers ExtentSize ExternalCall ExternalDataCharacterEncoding Extract ExtractArchive ExtremeValueDistribution FaceForm FaceGrids FaceGridsStyle Factor FactorComplete Factorial Factorial2 FactorialMoment FactorialMomentGeneratingFunction FactorialPower FactorInteger FactorList FactorSquareFree FactorSquareFreeList FactorTerms FactorTermsList Fail FailureDistribution False FARIMAProcess FEDisableConsolePrintPacket FeedbackSector FeedbackSectorStyle FeedbackType FEEnableConsolePrintPacket Fibonacci FieldHint FieldHintStyle FieldMasked FieldSize File FileBaseName FileByteCount FileDate FileExistsQ FileExtension FileFormat FileHash FileInformation FileName FileNameDepth FileNameDialogSettings FileNameDrop FileNameJoin FileNames FileNameSetter FileNameSplit FileNameTake FilePrint FileType FilledCurve FilledCurveBox Filling FillingStyle FillingTransform FilterRules FinancialBond FinancialData FinancialDerivative FinancialIndicator Find FindArgMax FindArgMin FindClique FindClusters FindCurvePath FindDistributionParameters FindDivisions FindEdgeCover FindEdgeCut FindEulerianCycle FindFaces FindFile FindFit FindGeneratingFunction FindGeoLocation FindGeometricTransform FindGraphCommunities FindGraphIsomorphism FindGraphPartition FindHamiltonianCycle FindIndependentEdgeSet FindIndependentVertexSet FindInstance FindIntegerNullVector FindKClan FindKClique FindKClub FindKPlex FindLibrary FindLinearRecurrence FindList FindMaximum FindMaximumFlow FindMaxValue FindMinimum FindMinimumCostFlow FindMinimumCut FindMinValue FindPermutation FindPostmanTour FindProcessParameters FindRoot FindSequenceFunction FindSettings FindShortestPath FindShortestTour FindThreshold FindVertexCover FindVertexCut Fine FinishDynamic FiniteAbelianGroupCount FiniteGroupCount FiniteGroupData First FirstPassageTimeDistribution FischerGroupFi22 FischerGroupFi23 FischerGroupFi24Prime FisherHypergeometricDistribution FisherRatioTest FisherZDistribution Fit FitAll FittedModel FixedPoint FixedPointList FlashSelection Flat Flatten FlattenAt FlatTopWindow FlipView Floor FlushPrintOutputPacket Fold FoldList Font FontColor FontFamily FontForm FontName FontOpacity FontPostScriptName FontProperties FontReencoding FontSize FontSlant FontSubstitutions FontTracking FontVariations FontWeight For ForAll Format FormatRules FormatType FormatTypeAutoConvert FormatValues FormBox FormBoxOptions FortranForm Forward ForwardBackward Fourier FourierCoefficient FourierCosCoefficient FourierCosSeries FourierCosTransform FourierDCT FourierDCTFilter FourierDCTMatrix FourierDST FourierDSTMatrix FourierMatrix FourierParameters FourierSequenceTransform FourierSeries FourierSinCoefficient FourierSinSeries FourierSinTransform FourierTransform FourierTrigSeries FractionalBrownianMotionProcess FractionalPart FractionBox FractionBoxOptions FractionLine Frame FrameBox FrameBoxOptions Framed FrameInset FrameLabel Frameless FrameMargins FrameStyle FrameTicks FrameTicksStyle FRatioDistribution FrechetDistribution FreeQ FrequencySamplingFilterKernel FresnelC FresnelS Friday FrobeniusNumber FrobeniusSolve FromCharacterCode FromCoefficientRules FromContinuedFraction FromDate FromDigits FromDMS Front FrontEndDynamicExpression FrontEndEventActions FrontEndExecute FrontEndObject FrontEndResource FrontEndResourceString FrontEndStackSize FrontEndToken FrontEndTokenExecute FrontEndValueCache FrontEndVersion FrontFaceColor FrontFaceOpacity Full FullAxes FullDefinition FullForm FullGraphics FullOptions FullSimplify Function FunctionExpand FunctionInterpolation FunctionSpace FussellVeselyImportance GaborFilter GaborMatrix GaborWavelet GainMargins GainPhaseMargins Gamma GammaDistribution GammaRegularized GapPenalty Gather GatherBy GaugeFaceElementFunction GaugeFaceStyle GaugeFrameElementFunction GaugeFrameSize GaugeFrameStyle GaugeLabels GaugeMarkers GaugeStyle GaussianFilter GaussianIntegers GaussianMatrix GaussianWindow GCD GegenbauerC General GeneralizedLinearModelFit GenerateConditions GeneratedCell GeneratedParameters GeneratingFunction Generic GenericCylindricalDecomposition GenomeData GenomeLookup GeodesicClosing GeodesicDilation GeodesicErosion GeodesicOpening GeoDestination GeodesyData GeoDirection GeoDistance GeoGridPosition GeometricBrownianMotionProcess GeometricDistribution GeometricMean GeometricMeanFilter GeometricTransformation GeometricTransformation3DBox GeometricTransformation3DBoxOptions GeometricTransformationBox GeometricTransformationBoxOptions GeoPosition GeoPositionENU GeoPositionXYZ GeoProjectionData GestureHandler GestureHandlerTag Get GetBoundingBoxSizePacket GetContext GetEnvironment GetFileName GetFrontEndOptionsDataPacket GetLinebreakInformationPacket GetMenusPacket GetPageBreakInformationPacket Glaisher GlobalClusteringCoefficient GlobalPreferences GlobalSession Glow GoldenRatio GompertzMakehamDistribution GoodmanKruskalGamma GoodmanKruskalGammaTest Goto Grad Gradient GradientFilter GradientOrientationFilter Graph GraphAssortativity GraphCenter GraphComplement GraphData GraphDensity GraphDiameter GraphDifference GraphDisjointUnion GraphDistance GraphDistanceMatrix GraphElementData GraphEmbedding GraphHighlight GraphHighlightStyle GraphHub Graphics Graphics3D Graphics3DBox Graphics3DBoxOptions GraphicsArray GraphicsBaseline GraphicsBox GraphicsBoxOptions GraphicsColor GraphicsColumn GraphicsComplex GraphicsComplex3DBox GraphicsComplex3DBoxOptions GraphicsComplexBox GraphicsComplexBoxOptions GraphicsContents GraphicsData GraphicsGrid GraphicsGridBox GraphicsGroup GraphicsGroup3DBox GraphicsGroup3DBoxOptions GraphicsGroupBox GraphicsGroupBoxOptions GraphicsGrouping GraphicsHighlightColor GraphicsRow GraphicsSpacing GraphicsStyle GraphIntersection GraphLayout GraphLinkEfficiency GraphPeriphery GraphPlot GraphPlot3D GraphPower GraphPropertyDistribution GraphQ GraphRadius GraphReciprocity GraphRoot GraphStyle GraphUnion Gray GrayLevel GreatCircleDistance Greater GreaterEqual GreaterEqualLess GreaterFullEqual GreaterGreater GreaterLess GreaterSlantEqual GreaterTilde Green Grid GridBaseline GridBox GridBoxAlignment GridBoxBackground GridBoxDividers GridBoxFrame GridBoxItemSize GridBoxItemStyle GridBoxOptions GridBoxSpacings GridCreationSettings GridDefaultElement GridElementStyleOptions GridFrame GridFrameMargins GridGraph GridLines GridLinesStyle GroebnerBasis GroupActionBase GroupCentralizer GroupElementFromWord GroupElementPosition GroupElementQ GroupElements GroupElementToWord GroupGenerators GroupMultiplicationTable GroupOrbits GroupOrder GroupPageBreakWithin GroupSetwiseStabilizer GroupStabilizer GroupStabilizerChain Gudermannian GumbelDistribution HaarWavelet HadamardMatrix HalfNormalDistribution HamiltonianGraphQ HammingDistance HammingWindow HankelH1 HankelH2 HankelMatrix HannPoissonWindow HannWindow HaradaNortonGroupHN HararyGraph HarmonicMean HarmonicMeanFilter HarmonicNumber Hash HashTable Haversine HazardFunction Head HeadCompose Heads HeavisideLambda HeavisidePi HeavisideTheta HeldGroupHe HeldPart HelpBrowserLookup HelpBrowserNotebook HelpBrowserSettings HermiteDecomposition HermiteH HermitianMatrixQ HessenbergDecomposition Hessian HexadecimalCharacter Hexahedron HexahedronBox HexahedronBoxOptions HiddenSurface HighlightGraph HighlightImage HighpassFilter HigmanSimsGroupHS HilbertFilter HilbertMatrix Histogram Histogram3D HistogramDistribution HistogramList HistogramTransform HistogramTransformInterpolation HitMissTransform HITSCentrality HodgeDual HoeffdingD HoeffdingDTest Hold HoldAll HoldAllComplete HoldComplete HoldFirst HoldForm HoldPattern HoldRest HolidayCalendar HomeDirectory HomePage Horizontal HorizontalForm HorizontalGauge HorizontalScrollPosition HornerForm HotellingTSquareDistribution HoytDistribution HTMLSave Hue HumpDownHump HumpEqual HurwitzLerchPhi HurwitzZeta HyperbolicDistribution HypercubeGraph HyperexponentialDistribution Hyperfactorial Hypergeometric0F1 Hypergeometric0F1Regularized Hypergeometric1F1 Hypergeometric1F1Regularized Hypergeometric2F1 Hypergeometric2F1Regularized HypergeometricDistribution HypergeometricPFQ HypergeometricPFQRegularized HypergeometricU Hyperlink HyperlinkCreationSettings Hyphenation HyphenationOptions HypoexponentialDistribution HypothesisTestData I Identity IdentityMatrix If IgnoreCase Im Image Image3D Image3DSlices ImageAccumulate ImageAdd ImageAdjust ImageAlign ImageApply ImageAspectRatio ImageAssemble ImageCache ImageCacheValid ImageCapture ImageChannels ImageClip ImageColorSpace ImageCompose ImageConvolve ImageCooccurrence ImageCorners ImageCorrelate ImageCorrespondingPoints ImageCrop ImageData ImageDataPacket ImageDeconvolve ImageDemosaic ImageDifference ImageDimensions ImageDistance ImageEffect ImageFeatureTrack ImageFileApply ImageFileFilter ImageFileScan ImageFilter ImageForestingComponents ImageForwardTransformation ImageHistogram ImageKeypoints ImageLevels ImageLines ImageMargins ImageMarkers ImageMeasurements ImageMultiply ImageOffset ImagePad ImagePadding ImagePartition ImagePeriodogram ImagePerspectiveTransformation ImageQ ImageRangeCache ImageReflect ImageRegion ImageResize ImageResolution ImageRotate ImageRotated ImageScaled ImageScan ImageSize ImageSizeAction ImageSizeCache ImageSizeMultipliers ImageSizeRaw ImageSubtract ImageTake ImageTransformation ImageTrim ImageType ImageValue ImageValuePositions Implies Import ImportAutoReplacements ImportString ImprovementImportance In IncidenceGraph IncidenceList IncidenceMatrix IncludeConstantBasis IncludeFileExtension IncludePods IncludeSingularTerm Increment Indent IndentingNewlineSpacings IndentMaxFraction IndependenceTest IndependentEdgeSetQ IndependentUnit IndependentVertexSetQ Indeterminate IndexCreationOptions Indexed IndexGraph IndexTag Inequality InexactNumberQ InexactNumbers Infinity Infix Information Inherited InheritScope Initialization InitializationCell InitializationCellEvaluation InitializationCellWarning InlineCounterAssignments InlineCounterIncrements InlineRules Inner Inpaint Input InputAliases InputAssumptions InputAutoReplacements InputField InputFieldBox InputFieldBoxOptions InputForm InputGrouping InputNamePacket InputNotebook InputPacket InputSettings InputStream InputString InputStringPacket InputToBoxFormPacket Insert InsertionPointObject InsertResults Inset Inset3DBox Inset3DBoxOptions InsetBox InsetBoxOptions Install InstallService InString Integer IntegerDigits IntegerExponent IntegerLength IntegerPart IntegerPartitions IntegerQ Integers IntegerString Integral Integrate Interactive InteractiveTradingChart Interlaced Interleaving InternallyBalancedDecomposition InterpolatingFunction InterpolatingPolynomial Interpolation InterpolationOrder InterpolationPoints InterpolationPrecision Interpretation InterpretationBox InterpretationBoxOptions InterpretationFunction InterpretTemplate InterquartileRange Interrupt InterruptSettings Intersection Interval IntervalIntersection IntervalMemberQ IntervalUnion Inverse InverseBetaRegularized InverseCDF InverseChiSquareDistribution InverseContinuousWaveletTransform InverseDistanceTransform InverseEllipticNomeQ InverseErf InverseErfc InverseFourier InverseFourierCosTransform InverseFourierSequenceTransform InverseFourierSinTransform InverseFourierTransform InverseFunction InverseFunctions InverseGammaDistribution InverseGammaRegularized InverseGaussianDistribution InverseGudermannian InverseHaversine InverseJacobiCD InverseJacobiCN InverseJacobiCS InverseJacobiDC InverseJacobiDN InverseJacobiDS InverseJacobiNC InverseJacobiND InverseJacobiNS InverseJacobiSC InverseJacobiSD InverseJacobiSN InverseLaplaceTransform InversePermutation InverseRadon InverseSeries InverseSurvivalFunction InverseWaveletTransform InverseWeierstrassP InverseZTransform Invisible InvisibleApplication InvisibleTimes IrreduciblePolynomialQ IsolatingInterval IsomorphicGraphQ IsotopeData Italic Item ItemBox ItemBoxOptions ItemSize ItemStyle ItoProcess JaccardDissimilarity JacobiAmplitude Jacobian JacobiCD JacobiCN JacobiCS JacobiDC JacobiDN JacobiDS JacobiNC JacobiND JacobiNS JacobiP JacobiSC JacobiSD JacobiSN JacobiSymbol JacobiZeta JankoGroupJ1 JankoGroupJ2 JankoGroupJ3 JankoGroupJ4 JarqueBeraALMTest JohnsonDistribution Join Joined JoinedCurve JoinedCurveBox JoinForm JordanDecomposition JordanModelDecomposition K KagiChart KaiserBesselWindow KaiserWindow KalmanEstimator KalmanFilter KarhunenLoeveDecomposition KaryTree KatzCentrality KCoreComponents KDistribution KelvinBei KelvinBer KelvinKei KelvinKer KendallTau KendallTauTest KernelExecute KernelMixtureDistribution KernelObject Kernels Ket Khinchin KirchhoffGraph KirchhoffMatrix KleinInvariantJ KnightTourGraph KnotData KnownUnitQ KolmogorovSmirnovTest KroneckerDelta KroneckerModelDecomposition KroneckerProduct KroneckerSymbol KuiperTest KumaraswamyDistribution Kurtosis KuwaharaFilter Label Labeled LabeledSlider LabelingFunction LabelStyle LaguerreL LambdaComponents LambertW LanczosWindow LandauDistribution Language LanguageCategory LaplaceDistribution LaplaceTransform Laplacian LaplacianFilter LaplacianGaussianFilter Large Larger Last Latitude LatitudeLongitude LatticeData LatticeReduce Launch LaunchKernels LayeredGraphPlot LayerSizeFunction LayoutInformation LCM LeafCount LeapYearQ LeastSquares LeastSquaresFilterKernel Left LeftArrow LeftArrowBar LeftArrowRightArrow LeftDownTeeVector LeftDownVector LeftDownVectorBar LeftRightArrow LeftRightVector LeftTee LeftTeeArrow LeftTeeVector LeftTriangle LeftTriangleBar LeftTriangleEqual LeftUpDownVector LeftUpTeeVector LeftUpVector LeftUpVectorBar LeftVector LeftVectorBar LegendAppearance Legended LegendFunction LegendLabel LegendLayout LegendMargins LegendMarkers LegendMarkerSize LegendreP LegendreQ LegendreType Length LengthWhile LerchPhi Less LessEqual LessEqualGreater LessFullEqual LessGreater LessLess LessSlantEqual LessTilde LetterCharacter LetterQ Level LeveneTest LeviCivitaTensor LevyDistribution Lexicographic LibraryFunction LibraryFunctionError LibraryFunctionInformation LibraryFunctionLoad LibraryFunctionUnload LibraryLoad LibraryUnload LicenseID LiftingFilterData LiftingWaveletTransform LightBlue LightBrown LightCyan Lighter LightGray LightGreen Lighting LightingAngle LightMagenta LightOrange LightPink LightPurple LightRed LightSources LightYellow Likelihood Limit LimitsPositioning LimitsPositioningTokens LindleyDistribution Line Line3DBox LinearFilter LinearFractionalTransform LinearModelFit LinearOffsetFunction LinearProgramming LinearRecurrence LinearSolve LinearSolveFunction LineBox LineBreak LinebreakAdjustments LineBreakChart LineBreakWithin LineColor LineForm LineGraph LineIndent LineIndentMaxFraction LineIntegralConvolutionPlot LineIntegralConvolutionScale LineLegend LineOpacity LineSpacing LineWrapParts LinkActivate LinkClose LinkConnect LinkConnectedQ LinkCreate LinkError LinkFlush LinkFunction LinkHost LinkInterrupt LinkLaunch LinkMode LinkObject LinkOpen LinkOptions LinkPatterns LinkProtocol LinkRead LinkReadHeld LinkReadyQ Links LinkWrite LinkWriteHeld LiouvilleLambda List Listable ListAnimate ListContourPlot ListContourPlot3D ListConvolve ListCorrelate ListCurvePathPlot ListDeconvolve ListDensityPlot Listen ListFourierSequenceTransform ListInterpolation ListLineIntegralConvolutionPlot ListLinePlot ListLogLinearPlot ListLogLogPlot ListLogPlot ListPicker ListPickerBox ListPickerBoxBackground ListPickerBoxOptions ListPlay ListPlot ListPlot3D ListPointPlot3D ListPolarPlot ListQ ListStreamDensityPlot ListStreamPlot ListSurfacePlot3D ListVectorDensityPlot ListVectorPlot ListVectorPlot3D ListZTransform Literal LiteralSearch LocalClusteringCoefficient LocalizeVariables LocationEquivalenceTest LocationTest Locator LocatorAutoCreate LocatorBox LocatorBoxOptions LocatorCentering LocatorPane LocatorPaneBox LocatorPaneBoxOptions LocatorRegion Locked Log Log10 Log2 LogBarnesG LogGamma LogGammaDistribution LogicalExpand LogIntegral LogisticDistribution LogitModelFit LogLikelihood LogLinearPlot LogLogisticDistribution LogLogPlot LogMultinormalDistribution LogNormalDistribution LogPlot LogRankTest LogSeriesDistribution LongEqual Longest LongestAscendingSequence LongestCommonSequence LongestCommonSequencePositions LongestCommonSubsequence LongestCommonSubsequencePositions LongestMatch LongForm Longitude LongLeftArrow LongLeftRightArrow LongRightArrow Loopback LoopFreeGraphQ LowerCaseQ LowerLeftArrow LowerRightArrow LowerTriangularize LowpassFilter LQEstimatorGains LQGRegulator LQOutputRegulatorGains LQRegulatorGains LUBackSubstitution LucasL LuccioSamiComponents LUDecomposition LyapunovSolve LyonsGroupLy MachineID MachineName MachineNumberQ MachinePrecision MacintoshSystemPageSetup Magenta Magnification Magnify MainSolve MaintainDynamicCaches Majority MakeBoxes MakeExpression MakeRules MangoldtLambda ManhattanDistance Manipulate Manipulator MannWhitneyTest MantissaExponent Manual Map MapAll MapAt MapIndexed MAProcess MapThread MarcumQ MardiaCombinedTest MardiaKurtosisTest MardiaSkewnessTest MarginalDistribution MarkovProcessProperties Masking MatchingDissimilarity MatchLocalNameQ MatchLocalNames MatchQ Material MathematicaNotation MathieuC MathieuCharacteristicA MathieuCharacteristicB MathieuCharacteristicExponent MathieuCPrime MathieuGroupM11 MathieuGroupM12 MathieuGroupM22 MathieuGroupM23 MathieuGroupM24 MathieuS MathieuSPrime MathMLForm MathMLText Matrices MatrixExp MatrixForm MatrixFunction MatrixLog MatrixPlot MatrixPower MatrixQ MatrixRank Max MaxBend MaxDetect MaxExtraBandwidths MaxExtraConditions MaxFeatures MaxFilter Maximize MaxIterations MaxMemoryUsed MaxMixtureKernels MaxPlotPoints MaxPoints MaxRecursion MaxStableDistribution MaxStepFraction MaxSteps MaxStepSize MaxValue MaxwellDistribution McLaughlinGroupMcL Mean MeanClusteringCoefficient MeanDegreeConnectivity MeanDeviation MeanFilter MeanGraphDistance MeanNeighborDegree MeanShift MeanShiftFilter Median MedianDeviation MedianFilter Medium MeijerG MeixnerDistribution MemberQ MemoryConstrained MemoryInUse Menu MenuAppearance MenuCommandKey MenuEvaluator MenuItem MenuPacket MenuSortingValue MenuStyle MenuView MergeDifferences Mesh MeshFunctions MeshRange MeshShading MeshStyle Message MessageDialog MessageList MessageName MessageOptions MessagePacket Messages MessagesNotebook MetaCharacters MetaInformation Method MethodOptions MexicanHatWavelet MeyerWavelet Min MinDetect MinFilter MinimalPolynomial MinimalStateSpaceModel Minimize Minors MinRecursion MinSize MinStableDistribution Minus MinusPlus MinValue Missing MissingDataMethod MittagLefflerE MixedRadix MixedRadixQuantity MixtureDistribution Mod Modal Mode Modular ModularLambda Module Modulus MoebiusMu Moment Momentary MomentConvert MomentEvaluate MomentGeneratingFunction Monday Monitor MonomialList MonomialOrder MonsterGroupM MorletWavelet MorphologicalBinarize MorphologicalBranchPoints MorphologicalComponents MorphologicalEulerNumber MorphologicalGraph MorphologicalPerimeter MorphologicalTransform Most MouseAnnotation MouseAppearance MouseAppearanceTag MouseButtons Mouseover MousePointerNote MousePosition MovingAverage MovingMedian MoyalDistribution MultiedgeStyle MultilaunchWarning MultiLetterItalics MultiLetterStyle MultilineFunction Multinomial MultinomialDistribution MultinormalDistribution MultiplicativeOrder Multiplicity Multiselection MultivariateHypergeometricDistribution MultivariatePoissonDistribution MultivariateTDistribution N NakagamiDistribution NameQ Names NamespaceBox Nand NArgMax NArgMin NBernoulliB NCache NDSolve NDSolveValue Nearest NearestFunction NeedCurrentFrontEndPackagePacket NeedCurrentFrontEndSymbolsPacket NeedlemanWunschSimilarity Needs Negative NegativeBinomialDistribution NegativeMultinomialDistribution NeighborhoodGraph Nest NestedGreaterGreater NestedLessLess NestedScriptRules NestList NestWhile NestWhileList NevilleThetaC NevilleThetaD NevilleThetaN NevilleThetaS NewPrimitiveStyle NExpectation Next NextPrime NHoldAll NHoldFirst NHoldRest NicholsGridLines NicholsPlot NIntegrate NMaximize NMaxValue NMinimize NMinValue NominalVariables NonAssociative NoncentralBetaDistribution NoncentralChiSquareDistribution NoncentralFRatioDistribution NoncentralStudentTDistribution NonCommutativeMultiply NonConstants None NonlinearModelFit NonlocalMeansFilter NonNegative NonPositive Nor NorlundB Norm Normal NormalDistribution NormalGrouping Normalize NormalizedSquaredEuclideanDistance NormalsFunction NormFunction Not NotCongruent NotCupCap NotDoubleVerticalBar Notebook NotebookApply NotebookAutoSave NotebookClose NotebookConvertSettings NotebookCreate NotebookCreateReturnObject NotebookDefault NotebookDelete NotebookDirectory NotebookDynamicExpression NotebookEvaluate NotebookEventActions NotebookFileName NotebookFind NotebookFindReturnObject NotebookGet NotebookGetLayoutInformationPacket NotebookGetMisspellingsPacket NotebookInformation NotebookInterfaceObject NotebookLocate NotebookObject NotebookOpen NotebookOpenReturnObject NotebookPath NotebookPrint NotebookPut NotebookPutReturnObject NotebookRead NotebookResetGeneratedCells Notebooks NotebookSave NotebookSaveAs NotebookSelection NotebookSetupLayoutInformationPacket NotebooksMenu NotebookWrite NotElement NotEqualTilde NotExists NotGreater NotGreaterEqual NotGreaterFullEqual NotGreaterGreater NotGreaterLess NotGreaterSlantEqual NotGreaterTilde NotHumpDownHump NotHumpEqual NotLeftTriangle NotLeftTriangleBar NotLeftTriangleEqual NotLess NotLessEqual NotLessFullEqual NotLessGreater NotLessLess NotLessSlantEqual NotLessTilde NotNestedGreaterGreater NotNestedLessLess NotPrecedes NotPrecedesEqual NotPrecedesSlantEqual NotPrecedesTilde NotReverseElement NotRightTriangle NotRightTriangleBar NotRightTriangleEqual NotSquareSubset NotSquareSubsetEqual NotSquareSuperset NotSquareSupersetEqual NotSubset NotSubsetEqual NotSucceeds NotSucceedsEqual NotSucceedsSlantEqual NotSucceedsTilde NotSuperset NotSupersetEqual NotTilde NotTildeEqual NotTildeFullEqual NotTildeTilde NotVerticalBar NProbability NProduct NProductFactors NRoots NSolve NSum NSumTerms Null NullRecords NullSpace NullWords Number NumberFieldClassNumber NumberFieldDiscriminant NumberFieldFundamentalUnits NumberFieldIntegralBasis NumberFieldNormRepresentatives NumberFieldRegulator NumberFieldRootsOfUnity NumberFieldSignature NumberForm NumberFormat NumberMarks NumberMultiplier NumberPadding NumberPoint NumberQ NumberSeparator NumberSigns NumberString Numerator NumericFunction NumericQ NuttallWindow NValues NyquistGridLines NyquistPlot O ObservabilityGramian ObservabilityMatrix ObservableDecomposition ObservableModelQ OddQ Off Offset OLEData On ONanGroupON OneIdentity Opacity Open OpenAppend Opener OpenerBox OpenerBoxOptions OpenerView OpenFunctionInspectorPacket Opening OpenRead OpenSpecialOptions OpenTemporary OpenWrite Operate OperatingSystem OptimumFlowData Optional OptionInspectorSettings OptionQ Options OptionsPacket OptionsPattern OptionValue OptionValueBox OptionValueBoxOptions Or Orange Order OrderDistribution OrderedQ Ordering Orderless OrnsteinUhlenbeckProcess Orthogonalize Out Outer OutputAutoOverwrite OutputControllabilityMatrix OutputControllableModelQ OutputForm OutputFormData OutputGrouping OutputMathEditExpression OutputNamePacket OutputResponse OutputSizeLimit OutputStream Over OverBar OverDot Overflow OverHat Overlaps Overlay OverlayBox OverlayBoxOptions Overscript OverscriptBox OverscriptBoxOptions OverTilde OverVector OwenT OwnValues PackingMethod PaddedForm Padding PadeApproximant PadLeft PadRight PageBreakAbove PageBreakBelow PageBreakWithin PageFooterLines PageFooters PageHeaderLines PageHeaders PageHeight PageRankCentrality PageWidth PairedBarChart PairedHistogram PairedSmoothHistogram PairedTTest PairedZTest PaletteNotebook PalettePath Pane PaneBox PaneBoxOptions Panel PanelBox PanelBoxOptions Paneled PaneSelector PaneSelectorBox PaneSelectorBoxOptions PaperWidth ParabolicCylinderD ParagraphIndent ParagraphSpacing ParallelArray ParallelCombine ParallelDo ParallelEvaluate Parallelization Parallelize ParallelMap ParallelNeeds ParallelProduct ParallelSubmit ParallelSum ParallelTable ParallelTry Parameter ParameterEstimator ParameterMixtureDistribution ParameterVariables ParametricFunction ParametricNDSolve ParametricNDSolveValue ParametricPlot ParametricPlot3D ParentConnect ParentDirectory ParentForm Parenthesize ParentList ParetoDistribution Part PartialCorrelationFunction PartialD ParticleData Partition PartitionsP PartitionsQ ParzenWindow PascalDistribution PassEventsDown PassEventsUp Paste PasteBoxFormInlineCells PasteButton Path PathGraph PathGraphQ Pattern PatternSequence PatternTest PauliMatrix PaulWavelet Pause PausedTime PDF PearsonChiSquareTest PearsonCorrelationTest PearsonDistribution PerformanceGoal PeriodicInterpolation Periodogram PeriodogramArray PermutationCycles PermutationCyclesQ PermutationGroup PermutationLength PermutationList PermutationListQ PermutationMax PermutationMin PermutationOrder PermutationPower PermutationProduct PermutationReplace Permutations PermutationSupport Permute PeronaMalikFilter Perpendicular PERTDistribution PetersenGraph PhaseMargins Pi Pick PIDData PIDDerivativeFilter PIDFeedforward PIDTune Piecewise PiecewiseExpand PieChart PieChart3D PillaiTrace PillaiTraceTest Pink Pivoting PixelConstrained PixelValue PixelValuePositions Placed Placeholder PlaceholderReplace Plain PlanarGraphQ Play PlayRange Plot Plot3D Plot3Matrix PlotDivision PlotJoined PlotLabel PlotLayout PlotLegends PlotMarkers PlotPoints PlotRange PlotRangeClipping PlotRangePadding PlotRegion PlotStyle Plus PlusMinus Pochhammer PodStates PodWidth Point Point3DBox PointBox PointFigureChart PointForm PointLegend PointSize PoissonConsulDistribution PoissonDistribution PoissonProcess PoissonWindow PolarAxes PolarAxesOrigin PolarGridLines PolarPlot PolarTicks PoleZeroMarkers PolyaAeppliDistribution PolyGamma Polygon Polygon3DBox Polygon3DBoxOptions PolygonBox PolygonBoxOptions PolygonHoleScale PolygonIntersections PolygonScale PolyhedronData PolyLog PolynomialExtendedGCD PolynomialForm PolynomialGCD PolynomialLCM PolynomialMod PolynomialQ PolynomialQuotient PolynomialQuotientRemainder PolynomialReduce PolynomialRemainder Polynomials PopupMenu PopupMenuBox PopupMenuBoxOptions PopupView PopupWindow Position Positive PositiveDefiniteMatrixQ PossibleZeroQ Postfix PostScript Power PowerDistribution PowerExpand PowerMod PowerModList PowerSpectralDensity PowersRepresentations PowerSymmetricPolynomial Precedence PrecedenceForm Precedes PrecedesEqual PrecedesSlantEqual PrecedesTilde Precision PrecisionGoal PreDecrement PredictionRoot PreemptProtect PreferencesPath Prefix PreIncrement Prepend PrependTo PreserveImageOptions Previous PriceGraphDistribution PrimaryPlaceholder Prime PrimeNu PrimeOmega PrimePi PrimePowerQ PrimeQ Primes PrimeZetaP PrimitiveRoot PrincipalComponents PrincipalValue Print PrintAction PrintForm PrintingCopies PrintingOptions PrintingPageRange PrintingStartingPageNumber PrintingStyleEnvironment PrintPrecision PrintTemporary Prism PrismBox PrismBoxOptions PrivateCellOptions PrivateEvaluationOptions PrivateFontOptions PrivateFrontEndOptions PrivateNotebookOptions PrivatePaths Probability ProbabilityDistribution ProbabilityPlot ProbabilityPr ProbabilityScalePlot ProbitModelFit ProcessEstimator ProcessParameterAssumptions ProcessParameterQ ProcessStateDomain ProcessTimeDomain Product ProductDistribution ProductLog ProgressIndicator ProgressIndicatorBox ProgressIndicatorBoxOptions Projection Prolog PromptForm Properties Property PropertyList PropertyValue Proportion Proportional Protect Protected ProteinData Pruning PseudoInverse Purple Put PutAppend Pyramid PyramidBox PyramidBoxOptions QBinomial QFactorial QGamma QHypergeometricPFQ QPochhammer QPolyGamma QRDecomposition QuadraticIrrationalQ Quantile QuantilePlot Quantity QuantityForm QuantityMagnitude QuantityQ QuantityUnit Quartics QuartileDeviation Quartiles QuartileSkewness QueueingNetworkProcess QueueingProcess QueueProperties Quiet Quit Quotient QuotientRemainder RadialityCentrality RadicalBox RadicalBoxOptions RadioButton RadioButtonBar RadioButtonBox RadioButtonBoxOptions Radon RamanujanTau RamanujanTauL RamanujanTauTheta RamanujanTauZ Random RandomChoice RandomComplex RandomFunction RandomGraph RandomImage RandomInteger RandomPermutation RandomPrime RandomReal RandomSample RandomSeed RandomVariate RandomWalkProcess Range RangeFilter RangeSpecification RankedMax RankedMin Raster Raster3D Raster3DBox Raster3DBoxOptions RasterArray RasterBox RasterBoxOptions Rasterize RasterSize Rational RationalFunctions Rationalize Rationals Ratios Raw RawArray RawBoxes RawData RawMedium RayleighDistribution Re Read ReadList ReadProtected Real RealBlockDiagonalForm RealDigits RealExponent Reals Reap Record RecordLists RecordSeparators Rectangle RectangleBox RectangleBoxOptions RectangleChart RectangleChart3D RecurrenceFilter RecurrenceTable RecurringDigitsForm Red Reduce RefBox ReferenceLineStyle ReferenceMarkers ReferenceMarkerStyle Refine ReflectionMatrix ReflectionTransform Refresh RefreshRate RegionBinarize RegionFunction RegionPlot RegionPlot3D RegularExpression Regularization Reinstall Release ReleaseHold ReliabilityDistribution ReliefImage ReliefPlot Remove RemoveAlphaChannel RemoveAsynchronousTask Removed RemoveInputStreamMethod RemoveOutputStreamMethod RemoveProperty RemoveScheduledTask RenameDirectory RenameFile RenderAll RenderingOptions RenewalProcess RenkoChart Repeated RepeatedNull RepeatedString Replace ReplaceAll ReplaceHeldPart ReplaceImageValue ReplaceList ReplacePart ReplacePixelValue ReplaceRepeated Resampling Rescale RescalingTransform ResetDirectory ResetMenusPacket ResetScheduledTask Residue Resolve Rest Resultant ResumePacket Return ReturnExpressionPacket ReturnInputFormPacket ReturnPacket ReturnTextPacket Reverse ReverseBiorthogonalSplineWavelet ReverseElement ReverseEquilibrium ReverseGraph ReverseUpEquilibrium RevolutionAxis RevolutionPlot3D RGBColor RiccatiSolve RiceDistribution RidgeFilter RiemannR RiemannSiegelTheta RiemannSiegelZ Riffle Right RightArrow RightArrowBar RightArrowLeftArrow RightCosetRepresentative RightDownTeeVector RightDownVector RightDownVectorBar RightTee RightTeeArrow RightTeeVector RightTriangle RightTriangleBar RightTriangleEqual RightUpDownVector RightUpTeeVector RightUpVector RightUpVectorBar RightVector RightVectorBar RiskAchievementImportance RiskReductionImportance RogersTanimotoDissimilarity Root RootApproximant RootIntervals RootLocusPlot RootMeanSquare RootOfUnityQ RootReduce Roots RootSum Rotate RotateLabel RotateLeft RotateRight RotationAction RotationBox RotationBoxOptions RotationMatrix RotationTransform Round RoundImplies RoundingRadius Row RowAlignments RowBackgrounds RowBox RowHeights RowLines RowMinHeight RowReduce RowsEqual RowSpacings RSolve RudvalisGroupRu Rule RuleCondition RuleDelayed RuleForm RulerUnits Run RunScheduledTask RunThrough RuntimeAttributes RuntimeOptions RussellRaoDissimilarity SameQ SameTest SampleDepth SampledSoundFunction SampledSoundList SampleRate SamplingPeriod SARIMAProcess SARMAProcess SatisfiabilityCount SatisfiabilityInstances SatisfiableQ Saturday Save Saveable SaveAutoDelete SaveDefinitions SawtoothWave Scale Scaled ScaleDivisions ScaledMousePosition ScaleOrigin ScalePadding ScaleRanges ScaleRangeStyle ScalingFunctions ScalingMatrix ScalingTransform Scan ScheduledTaskActiveQ ScheduledTaskData ScheduledTaskObject ScheduledTasks SchurDecomposition ScientificForm ScreenRectangle ScreenStyleEnvironment ScriptBaselineShifts ScriptLevel ScriptMinSize ScriptRules ScriptSizeMultipliers Scrollbars ScrollingOptions ScrollPosition Sec Sech SechDistribution SectionGrouping SectorChart SectorChart3D SectorOrigin SectorSpacing SeedRandom Select Selectable SelectComponents SelectedCells SelectedNotebook Selection SelectionAnimate SelectionCell SelectionCellCreateCell SelectionCellDefaultStyle SelectionCellParentStyle SelectionCreateCell SelectionDebuggerTag SelectionDuplicateCell SelectionEvaluate SelectionEvaluateCreateCell SelectionMove SelectionPlaceholder SelectionSetStyle SelectWithContents SelfLoops SelfLoopStyle SemialgebraicComponentInstances SendMail Sequence SequenceAlignment SequenceForm SequenceHold SequenceLimit Series SeriesCoefficient SeriesData SessionTime Set SetAccuracy SetAlphaChannel SetAttributes Setbacks SetBoxFormNamesPacket SetDelayed SetDirectory SetEnvironment SetEvaluationNotebook SetFileDate SetFileLoadingContext SetNotebookStatusLine SetOptions SetOptionsPacket SetPrecision SetProperty SetSelectedNotebook SetSharedFunction SetSharedVariable SetSpeechParametersPacket SetStreamPosition SetSystemOptions Setter SetterBar SetterBox SetterBoxOptions Setting SetValue Shading Shallow ShannonWavelet ShapiroWilkTest Share Sharpen ShearingMatrix ShearingTransform ShenCastanMatrix Short ShortDownArrow Shortest ShortestMatch ShortestPathFunction ShortLeftArrow ShortRightArrow ShortUpArrow Show ShowAutoStyles ShowCellBracket ShowCellLabel ShowCellTags ShowClosedCellArea ShowContents ShowControls ShowCursorTracker ShowGroupOpenCloseIcon ShowGroupOpener ShowInvisibleCharacters ShowPageBreaks ShowPredictiveInterface ShowSelection ShowShortBoxForm ShowSpecialCharacters ShowStringCharacters ShowSyntaxStyles ShrinkingDelay ShrinkWrapBoundingBox SiegelTheta SiegelTukeyTest Sign Signature SignedRankTest SignificanceLevel SignPadding SignTest SimilarityRules SimpleGraph SimpleGraphQ Simplify Sin Sinc SinghMaddalaDistribution SingleEvaluation SingleLetterItalics SingleLetterStyle SingularValueDecomposition SingularValueList SingularValuePlot SingularValues Sinh SinhIntegral SinIntegral SixJSymbol Skeleton SkeletonTransform SkellamDistribution Skewness SkewNormalDistribution Skip SliceDistribution Slider Slider2D Slider2DBox Slider2DBoxOptions SliderBox SliderBoxOptions SlideView Slot SlotSequence Small SmallCircle Smaller SmithDelayCompensator SmithWatermanSimilarity SmoothDensityHistogram SmoothHistogram SmoothHistogram3D SmoothKernelDistribution SocialMediaData Socket SokalSneathDissimilarity Solve SolveAlways SolveDelayed Sort SortBy Sound SoundAndGraphics SoundNote SoundVolume Sow Space SpaceForm Spacer Spacings Span SpanAdjustments SpanCharacterRounding SpanFromAbove SpanFromBoth SpanFromLeft SpanLineThickness SpanMaxSize SpanMinSize SpanningCharacters SpanSymmetric SparseArray SpatialGraphDistribution Speak SpeakTextPacket SpearmanRankTest SpearmanRho Spectrogram SpectrogramArray Specularity SpellingCorrection SpellingDictionaries SpellingDictionariesPath SpellingOptions SpellingSuggestionsPacket Sphere SphereBox SphericalBesselJ SphericalBesselY SphericalHankelH1 SphericalHankelH2 SphericalHarmonicY SphericalPlot3D SphericalRegion SpheroidalEigenvalue SpheroidalJoiningFactor SpheroidalPS SpheroidalPSPrime SpheroidalQS SpheroidalQSPrime SpheroidalRadialFactor SpheroidalS1 SpheroidalS1Prime SpheroidalS2 SpheroidalS2Prime Splice SplicedDistribution SplineClosed SplineDegree SplineKnots SplineWeights Split SplitBy SpokenString Sqrt SqrtBox SqrtBoxOptions Square SquaredEuclideanDistance SquareFreeQ SquareIntersection SquaresR SquareSubset SquareSubsetEqual SquareSuperset SquareSupersetEqual SquareUnion SquareWave StabilityMargins StabilityMarginsStyle StableDistribution Stack StackBegin StackComplete StackInhibit StandardDeviation StandardDeviationFilter StandardForm Standardize StandbyDistribution Star StarGraph StartAsynchronousTask StartingStepSize StartOfLine StartOfString StartScheduledTask StartupSound StateDimensions StateFeedbackGains StateOutputEstimator StateResponse StateSpaceModel StateSpaceRealization StateSpaceTransform StationaryDistribution StationaryWaveletPacketTransform StationaryWaveletTransform StatusArea StatusCentrality StepMonitor StieltjesGamma StirlingS1 StirlingS2 StopAsynchronousTask StopScheduledTask StrataVariables StratonovichProcess StreamColorFunction StreamColorFunctionScaling StreamDensityPlot StreamPlot StreamPoints StreamPosition Streams StreamScale StreamStyle String StringBreak StringByteCount StringCases StringCount StringDrop StringExpression StringForm StringFormat StringFreeQ StringInsert StringJoin StringLength StringMatchQ StringPosition StringQ StringReplace StringReplaceList StringReplacePart StringReverse StringRotateLeft StringRotateRight StringSkeleton StringSplit StringTake StringToStream StringTrim StripBoxes StripOnInput StripWrapperBoxes StrokeForm StructuralImportance StructuredArray StructuredSelection StruveH StruveL Stub StudentTDistribution Style StyleBox StyleBoxAutoDelete StyleBoxOptions StyleData StyleDefinitions StyleForm StyleKeyMapping StyleMenuListing StyleNameDialogSettings StyleNames StylePrint StyleSheetPath Subfactorial Subgraph SubMinus SubPlus SubresultantPolynomialRemainders SubresultantPolynomials Subresultants Subscript SubscriptBox SubscriptBoxOptions Subscripted Subset SubsetEqual Subsets SubStar Subsuperscript SubsuperscriptBox SubsuperscriptBoxOptions Subtract SubtractFrom SubValues Succeeds SucceedsEqual SucceedsSlantEqual SucceedsTilde SuchThat Sum SumConvergence Sunday SuperDagger SuperMinus SuperPlus Superscript SuperscriptBox SuperscriptBoxOptions Superset SupersetEqual SuperStar Surd SurdForm SurfaceColor SurfaceGraphics SurvivalDistribution SurvivalFunction SurvivalModel SurvivalModelFit SuspendPacket SuzukiDistribution SuzukiGroupSuz SwatchLegend Switch Symbol SymbolName SymletWavelet Symmetric SymmetricGroup SymmetricMatrixQ SymmetricPolynomial SymmetricReduction Symmetrize SymmetrizedArray SymmetrizedArrayRules SymmetrizedDependentComponents SymmetrizedIndependentComponents SymmetrizedReplacePart SynchronousInitialization SynchronousUpdating Syntax SyntaxForm SyntaxInformation SyntaxLength SyntaxPacket SyntaxQ SystemDialogInput SystemException SystemHelpPath SystemInformation SystemInformationData SystemOpen SystemOptions SystemsModelDelay SystemsModelDelayApproximate SystemsModelDelete SystemsModelDimensions SystemsModelExtract SystemsModelFeedbackConnect SystemsModelLabels SystemsModelOrder SystemsModelParallelConnect SystemsModelSeriesConnect SystemsModelStateFeedbackConnect SystemStub Tab TabFilling Table TableAlignments TableDepth TableDirections TableForm TableHeadings TableSpacing TableView TableViewBox TabSpacings TabView TabViewBox TabViewBoxOptions TagBox TagBoxNote TagBoxOptions TaggingRules TagSet TagSetDelayed TagStyle TagUnset Take TakeWhile Tally Tan Tanh TargetFunctions TargetUnits TautologyQ TelegraphProcess TemplateBox TemplateBoxOptions TemplateSlotSequence TemporalData Temporary TemporaryVariable TensorContract TensorDimensions TensorExpand TensorProduct TensorQ TensorRank TensorReduce TensorSymmetry TensorTranspose TensorWedge Tetrahedron TetrahedronBox TetrahedronBoxOptions TeXForm TeXSave Text Text3DBox Text3DBoxOptions TextAlignment TextBand TextBoundingBox TextBox TextCell TextClipboardType TextData TextForm TextJustification TextLine TextPacket TextParagraph TextRecognize TextRendering TextStyle Texture TextureCoordinateFunction TextureCoordinateScaling Therefore ThermometerGauge Thick Thickness Thin Thinning ThisLink ThompsonGroupTh Thread ThreeJSymbol Threshold Through Throw Thumbnail Thursday Ticks TicksStyle Tilde TildeEqual TildeFullEqual TildeTilde TimeConstrained TimeConstraint Times TimesBy TimeSeriesForecast TimeSeriesInvertibility TimeUsed TimeValue TimeZone Timing Tiny TitleGrouping TitsGroupT ToBoxes ToCharacterCode ToColor ToContinuousTimeModel ToDate ToDiscreteTimeModel ToeplitzMatrix ToExpression ToFileName Together Toggle ToggleFalse Toggler TogglerBar TogglerBox TogglerBoxOptions ToHeldExpression ToInvertibleTimeSeries TokenWords Tolerance ToLowerCase ToNumberField TooBig Tooltip TooltipBox TooltipBoxOptions TooltipDelay TooltipStyle Top TopHatTransform TopologicalSort ToRadicals ToRules ToString Total TotalHeight TotalVariationFilter TotalWidth TouchscreenAutoZoom TouchscreenControlPlacement ToUpperCase Tr Trace TraceAbove TraceAction TraceBackward TraceDepth TraceDialog TraceForward TraceInternal TraceLevel TraceOff TraceOn TraceOriginal TracePrint TraceScan TrackedSymbols TradingChart TraditionalForm TraditionalFunctionNotation TraditionalNotation TraditionalOrder TransferFunctionCancel TransferFunctionExpand TransferFunctionFactor TransferFunctionModel TransferFunctionPoles TransferFunctionTransform TransferFunctionZeros TransformationFunction TransformationFunctions TransformationMatrix TransformedDistribution TransformedField Translate TranslationTransform TransparentColor Transpose TreeForm TreeGraph TreeGraphQ TreePlot TrendStyle TriangleWave TriangularDistribution Trig TrigExpand TrigFactor TrigFactorList Trigger TrigReduce TrigToExp TrimmedMean True TrueQ TruncatedDistribution TsallisQExponentialDistribution TsallisQGaussianDistribution TTest Tube TubeBezierCurveBox TubeBezierCurveBoxOptions TubeBox TubeBSplineCurveBox TubeBSplineCurveBoxOptions Tuesday TukeyLambdaDistribution TukeyWindow Tuples TuranGraph TuringMachine Transparent UnateQ Uncompress Undefined UnderBar Underflow Underlined Underoverscript UnderoverscriptBox UnderoverscriptBoxOptions Underscript UnderscriptBox UnderscriptBoxOptions UndirectedEdge UndirectedGraph UndirectedGraphQ UndocumentedTestFEParserPacket UndocumentedTestGetSelectionPacket Unequal Unevaluated UniformDistribution UniformGraphDistribution UniformSumDistribution Uninstall Union UnionPlus Unique UnitBox UnitConvert UnitDimensions Unitize UnitRootTest UnitSimplify UnitStep UnitTriangle UnitVector Unprotect UnsameQ UnsavedVariables Unset UnsetShared UntrackedVariables Up UpArrow UpArrowBar UpArrowDownArrow Update UpdateDynamicObjects UpdateDynamicObjectsSynchronous UpdateInterval UpDownArrow UpEquilibrium UpperCaseQ UpperLeftArrow UpperRightArrow UpperTriangularize Upsample UpSet UpSetDelayed UpTee UpTeeArrow UpValues URL URLFetch URLFetchAsynchronous URLSave URLSaveAsynchronous UseGraphicsRange Using UsingFrontEnd V2Get ValidationLength Value ValueBox ValueBoxOptions ValueForm ValueQ ValuesData Variables Variance VarianceEquivalenceTest VarianceEstimatorFunction VarianceGammaDistribution VarianceTest VectorAngle VectorColorFunction VectorColorFunctionScaling VectorDensityPlot VectorGlyphData VectorPlot VectorPlot3D VectorPoints VectorQ Vectors VectorScale VectorStyle Vee Verbatim Verbose VerboseConvertToPostScriptPacket VerifyConvergence VerifySolutions VerifyTestAssumptions Version VersionNumber VertexAdd VertexCapacity VertexColors VertexComponent VertexConnectivity VertexCoordinateRules VertexCoordinates VertexCorrelationSimilarity VertexCosineSimilarity VertexCount VertexCoverQ VertexDataCoordinates VertexDegree VertexDelete VertexDiceSimilarity VertexEccentricity VertexInComponent VertexInDegree VertexIndex VertexJaccardSimilarity VertexLabeling VertexLabels VertexLabelStyle VertexList VertexNormals VertexOutComponent VertexOutDegree VertexQ VertexRenderingFunction VertexReplace VertexShape VertexShapeFunction VertexSize VertexStyle VertexTextureCoordinates VertexWeight Vertical VerticalBar VerticalForm VerticalGauge VerticalSeparator VerticalSlider VerticalTilde ViewAngle ViewCenter ViewMatrix ViewPoint ViewPointSelectorSettings ViewPort ViewRange ViewVector ViewVertical VirtualGroupData Visible VisibleCell VoigtDistribution VonMisesDistribution WaitAll WaitAsynchronousTask WaitNext WaitUntil WakebyDistribution WalleniusHypergeometricDistribution WaringYuleDistribution WatershedComponents WatsonUSquareTest WattsStrogatzGraphDistribution WaveletBestBasis WaveletFilterCoefficients WaveletImagePlot WaveletListPlot WaveletMapIndexed WaveletMatrixPlot WaveletPhi WaveletPsi WaveletScale WaveletScalogram WaveletThreshold WeaklyConnectedComponents WeaklyConnectedGraphQ WeakStationarity WeatherData WeberE Wedge Wednesday WeibullDistribution WeierstrassHalfPeriods WeierstrassInvariants WeierstrassP WeierstrassPPrime WeierstrassSigma WeierstrassZeta WeightedAdjacencyGraph WeightedAdjacencyMatrix WeightedData WeightedGraphQ Weights WelchWindow WheelGraph WhenEvent Which While White Whitespace WhitespaceCharacter WhittakerM WhittakerW WienerFilter WienerProcess WignerD WignerSemicircleDistribution WilksW WilksWTest WindowClickSelect WindowElements WindowFloating WindowFrame WindowFrameElements WindowMargins WindowMovable WindowOpacity WindowSelected WindowSize WindowStatusArea WindowTitle WindowToolbars WindowWidth With WolframAlpha WolframAlphaDate WolframAlphaQuantity WolframAlphaResult Word WordBoundary WordCharacter WordData WordSearch WordSeparators WorkingPrecision Write WriteString Wronskian XMLElement XMLObject Xnor Xor Yellow YuleDissimilarity ZernikeR ZeroSymmetric ZeroTest ZeroWidthTimes Zeta ZetaZero ZipfDistribution ZTest ZTransform $Aborted $ActivationGroupID $ActivationKey $ActivationUserRegistered $AddOnsDirectory $AssertFunction $Assumptions $AsynchronousTask $BaseDirectory $BatchInput $BatchOutput $BoxForms $ByteOrdering $Canceled $CharacterEncoding $CharacterEncodings $CommandLine $CompilationTarget $ConditionHold $ConfiguredKernels $Context $ContextPath $ControlActiveSetting $CreationDate $CurrentLink $DateStringFormat $DefaultFont $DefaultFrontEnd $DefaultImagingDevice $DefaultPath $Display $DisplayFunction $DistributedContexts $DynamicEvaluation $Echo $Epilog $ExportFormats $Failed $FinancialDataSource $FormatType $FrontEnd $FrontEndSession $GeoLocation $HistoryLength $HomeDirectory $HTTPCookies $IgnoreEOF $ImagingDevices $ImportFormats $InitialDirectory $Input $InputFileName $InputStreamMethods $Inspector $InstallationDate $InstallationDirectory $InterfaceEnvironment $IterationLimit $KernelCount $KernelID $Language $LaunchDirectory $LibraryPath $LicenseExpirationDate $LicenseID $LicenseProcesses $LicenseServer $LicenseSubprocesses $LicenseType $Line $Linked $LinkSupported $LoadedFiles $MachineAddresses $MachineDomain $MachineDomains $MachineEpsilon $MachineID $MachineName $MachinePrecision $MachineType $MaxExtraPrecision $MaxLicenseProcesses $MaxLicenseSubprocesses $MaxMachineNumber $MaxNumber $MaxPiecewiseCases $MaxPrecision $MaxRootDegree $MessageGroups $MessageList $MessagePrePrint $Messages $MinMachineNumber $MinNumber $MinorReleaseNumber $MinPrecision $ModuleNumber $NetworkLicense $NewMessage $NewSymbol $Notebooks $NumberMarks $Off $OperatingSystem $Output $OutputForms $OutputSizeLimit $OutputStreamMethods $Packages $ParentLink $ParentProcessID $PasswordFile $PatchLevelID $Path $PathnameSeparator $PerformanceGoal $PipeSupported $Post $Pre $PreferencesDirectory $PrePrint $PreRead $PrintForms $PrintLiteral $ProcessID $ProcessorCount $ProcessorType $ProductInformation $ProgramName $RandomState $RecursionLimit $ReleaseNumber $RootDirectory $ScheduledTask $ScriptCommandLine $SessionID $SetParentLink $SharedFunctions $SharedVariables $SoundDisplay $SoundDisplayFunction $SuppressInputFormHeads $SynchronousEvaluation $SyntaxHandler $System $SystemCharacterEncoding $SystemID $SystemWordLength $TemporaryDirectory $TemporaryPrefix $TextStyle $TimedOut $TimeUnit $TimeZone $TopDirectory $TraceOff $TraceOn $TracePattern $TracePostAction $TracePreAction $Urgent $UserAddOnsDirectory $UserBaseDirectory $UserDocumentsDirectory $UserName $Version $VersionNumber", +c:[{cN:"comment",b:/\(\*/,e:/\*\)/},e.ASM,e.QSM,e.CNM,{cN:"list",b:/\{/,e:/\}/,i:/:/}]}});hljs.registerLanguage("fsharp",function(e){var t={b:"<",e:">",c:[e.inherit(e.TM,{b:/'[a-zA-Z0-9_]+/})]};return{aliases:["fs"],k:"yield! return! let! do!abstract and as assert base begin class default delegate do done downcast downto elif else end exception extern false finally for fun function global if in inherit inline interface internal lazy let match member module mutable namespace new null of open or override private public rec return sig static struct then to true try type upcast use val void when while with yield",c:[{cN:"string",b:'@"',e:'"',c:[{b:'""'}]},{cN:"string",b:'"""',e:'"""'},e.C("\\(\\*","\\*\\)"),{cN:"class",bK:"type",e:"\\(|=|$",eE:!0,c:[e.UTM,t]},{cN:"annotation",b:"\\[<",e:">\\]",r:10},{cN:"attribute",b:"\\B('[A-Za-z])\\b",c:[e.BE]},e.CLCM,e.inherit(e.QSM,{i:null}),e.CNM]}});hljs.registerLanguage("verilog",function(e){return{aliases:["v"],cI:!0,k:{keyword:"always and assign begin buf bufif0 bufif1 case casex casez cmos deassign default defparam disable edge else end endcase endfunction endmodule endprimitive endspecify endtable endtask event for force forever fork function if ifnone initial inout input join macromodule module nand negedge nmos nor not notif0 notif1 or output parameter pmos posedge primitive pulldown pullup rcmos release repeat rnmos rpmos rtran rtranif0 rtranif1 specify specparam table task timescale tran tranif0 tranif1 wait while xnor xor",typename:"highz0 highz1 integer large medium pull0 pull1 real realtime reg scalared signed small strong0 strong1 supply0 supply0 supply1 supply1 time tri tri0 tri1 triand trior trireg vectored wand weak0 weak1 wire wor"},c:[e.CBCM,e.CLCM,e.QSM,{cN:"number",b:"\\b(\\d+'(b|h|o|d|B|H|O|D))?[0-9xzXZ]+",c:[e.BE],r:0},{cN:"typename",b:"\\.\\w+",r:0},{cN:"value",b:"#\\((?!parameter).+\\)"},{cN:"keyword",b:"\\+|-|\\*|/|%|<|>|=|#|`|\\!|&|\\||@|:|\\^|~|\\{|\\}",r:0}]}});hljs.registerLanguage("dos",function(e){var r=e.C(/@?rem\b/,/$/,{r:10}),t={cN:"label",b:"^\\s*[A-Za-z._?][A-Za-z0-9_$#@~.?]*(:|\\s+label)",r:0};return{aliases:["bat","cmd"],cI:!0,k:{flow:"if else goto for in do call exit not exist errorlevel defined",operator:"equ neq lss leq gtr geq",keyword:"shift cd dir echo setlocal endlocal set pause copy",stream:"prn nul lpt3 lpt2 lpt1 con com4 com3 com2 com1 aux",winutils:"ping net ipconfig taskkill xcopy ren del",built_in:"append assoc at attrib break cacls cd chcp chdir chkdsk chkntfs cls cmd color comp compact convert date dir diskcomp diskcopy doskey erase fs find findstr format ftype graftabl help keyb label md mkdir mode more move path pause print popd pushd promt rd recover rem rename replace restore rmdir shiftsort start subst time title tree type ver verify vol"},c:[{cN:"envvar",b:/%%[^ ]|%[^ ]+?%|![^ ]+?!/},{cN:"function",b:t.b,e:"goto:eof",c:[e.inherit(e.TM,{b:"([_a-zA-Z]\\w*\\.)*([_a-zA-Z]\\w*:)?[_a-zA-Z]\\w*"}),r]},{cN:"number",b:"\\b\\d+",r:0},r]}});hljs.registerLanguage("gherkin",function(e){return{aliases:["feature"],k:"Feature Background Ability Business Need Scenario Scenarios Scenario Outline Scenario Template Examples Given And Then But When",c:[{cN:"keyword",b:"\\*"},e.C("@[^@\r\n ]+","$"),{cN:"string",b:"\\|",e:"\\$"},{cN:"variable",b:"<",e:">"},e.HCM,{cN:"string",b:'"""',e:'"""'},e.QSM]}});hljs.registerLanguage("xml",function(t){var e="[A-Za-z0-9\\._:-]+",s={b:/<\?(php)?(?!\w)/,e:/\?>/,sL:"php",subLanguageMode:"continuous"},c={eW:!0,i:/]+/}]}]}]};return{aliases:["html","xhtml","rss","atom","xsl","plist"],cI:!0,c:[{cN:"doctype",b:"",r:10,c:[{b:"\\[",e:"\\]"}]},t.C("",{r:10}),{cN:"cdata",b:"<\\!\\[CDATA\\[",e:"\\]\\]>",r:10},{cN:"tag",b:"|$)",e:">",k:{title:"style"},c:[c],starts:{e:"",rE:!0,sL:"css"}},{cN:"tag",b:"|$)",e:">",k:{title:"script"},c:[c],starts:{e:"",rE:!0,sL:""}},s,{cN:"pi",b:/<\?\w+/,e:/\?>/,r:10},{cN:"tag",b:"",c:[{cN:"title",b:/[^ \/><\n\t]+/,r:0},c]}]}});hljs.registerLanguage("autohotkey",function(e){var r={cN:"escape",b:"`[\\s\\S]"},c=e.C(";","$",{r:0}),n=[{cN:"built_in",b:"A_[a-zA-Z0-9]+"},{cN:"built_in",bK:"ComSpec Clipboard ClipboardAll ErrorLevel"}];return{cI:!0,k:{keyword:"Break Continue Else Gosub If Loop Return While",literal:"A true false NOT AND OR"},c:n.concat([r,e.inherit(e.QSM,{c:[r]}),c,{cN:"number",b:e.NR,r:0},{cN:"var_expand",b:"%",e:"%",i:"\\n",c:[r]},{cN:"label",c:[r],v:[{b:'^[^\\n";]+::(?!=)'},{b:'^[^\\n";]+:(?!=)',r:0}]},{b:",\\s*,",r:10}])}});hljs.registerLanguage("r",function(e){var r="([a-zA-Z]|\\.[a-zA-Z.])[a-zA-Z0-9._]*";return{c:[e.HCM,{b:r,l:r,k:{keyword:"function if in break next repeat else for return switch while try tryCatch stop warning require library attach detach source setMethod setGeneric setGroupGeneric setClass ...",literal:"NULL NA TRUE FALSE T F Inf NaN NA_integer_|10 NA_real_|10 NA_character_|10 NA_complex_|10"},r:0},{cN:"number",b:"0[xX][0-9a-fA-F]+[Li]?\\b",r:0},{cN:"number",b:"\\d+(?:[eE][+\\-]?\\d*)?L\\b",r:0},{cN:"number",b:"\\d+\\.(?!\\d)(?:i\\b)?",r:0},{cN:"number",b:"\\d+(?:\\.\\d*)?(?:[eE][+\\-]?\\d*)?i?\\b",r:0},{cN:"number",b:"\\.\\d+(?:[eE][+\\-]?\\d*)?i?\\b",r:0},{b:"`",e:"`",r:0},{cN:"string",c:[e.BE],v:[{b:'"',e:'"'},{b:"'",e:"'"}]}]}});hljs.registerLanguage("cs",function(e){var r="abstract as base bool break byte case catch char checked const continue decimal dynamic default delegate do double else enum event explicit extern false finally fixed float for foreach goto if implicit in int interface internal is lock long null when object operator out override params private protected public readonly ref sbyte sealed short sizeof stackalloc static string struct switch this true try typeof uint ulong unchecked unsafe ushort using virtual volatile void while async protected public private internal ascending descending from get group into join let orderby partial select set value var where yield",t=e.IR+"(<"+e.IR+">)?";return{aliases:["csharp"],k:r,i:/::/,c:[e.C("///","$",{rB:!0,c:[{cN:"xmlDocTag",v:[{b:"///",r:0},{b:""},{b:""}]}]}),e.CLCM,e.CBCM,{cN:"preprocessor",b:"#",e:"$",k:"if else elif endif define undef warning error line region endregion pragma checksum"},{cN:"string",b:'@"',e:'"',c:[{b:'""'}]},e.ASM,e.QSM,e.CNM,{bK:"class namespace interface",e:/[{;=]/,i:/[^\s:]/,c:[e.TM,e.CLCM,e.CBCM]},{bK:"new return throw await",r:0},{cN:"function",b:"("+t+"\\s+)+"+e.IR+"\\s*\\(",rB:!0,e:/[{;=]/,eE:!0,k:r,c:[{b:e.IR+"\\s*\\(",rB:!0,c:[e.TM],r:0},{cN:"params",b:/\(/,e:/\)/,k:r,r:0,c:[e.ASM,e.QSM,e.CNM,e.CBCM]},e.CLCM,e.CBCM]}]}});hljs.registerLanguage("nsis",function(e){var t={cN:"symbol",b:"\\$(ADMINTOOLS|APPDATA|CDBURN_AREA|CMDLINE|COMMONFILES32|COMMONFILES64|COMMONFILES|COOKIES|DESKTOP|DOCUMENTS|EXEDIR|EXEFILE|EXEPATH|FAVORITES|FONTS|HISTORY|HWNDPARENT|INSTDIR|INTERNET_CACHE|LANGUAGE|LOCALAPPDATA|MUSIC|NETHOOD|OUTDIR|PICTURES|PLUGINSDIR|PRINTHOOD|PROFILE|PROGRAMFILES32|PROGRAMFILES64|PROGRAMFILES|QUICKLAUNCH|RECENT|RESOURCES_LOCALIZED|RESOURCES|SENDTO|SMPROGRAMS|SMSTARTUP|STARTMENU|SYSDIR|TEMP|TEMPLATES|VIDEOS|WINDIR)"},n={cN:"constant",b:"\\$+{[a-zA-Z0-9_]+}"},i={cN:"variable",b:"\\$+[a-zA-Z0-9_]+",i:"\\(\\){}"},r={cN:"constant",b:"\\$+\\([a-zA-Z0-9_]+\\)"},o={cN:"params",b:"(ARCHIVE|FILE_ATTRIBUTE_ARCHIVE|FILE_ATTRIBUTE_NORMAL|FILE_ATTRIBUTE_OFFLINE|FILE_ATTRIBUTE_READONLY|FILE_ATTRIBUTE_SYSTEM|FILE_ATTRIBUTE_TEMPORARY|HKCR|HKCU|HKDD|HKEY_CLASSES_ROOT|HKEY_CURRENT_CONFIG|HKEY_CURRENT_USER|HKEY_DYN_DATA|HKEY_LOCAL_MACHINE|HKEY_PERFORMANCE_DATA|HKEY_USERS|HKLM|HKPD|HKU|IDABORT|IDCANCEL|IDIGNORE|IDNO|IDOK|IDRETRY|IDYES|MB_ABORTRETRYIGNORE|MB_DEFBUTTON1|MB_DEFBUTTON2|MB_DEFBUTTON3|MB_DEFBUTTON4|MB_ICONEXCLAMATION|MB_ICONINFORMATION|MB_ICONQUESTION|MB_ICONSTOP|MB_OK|MB_OKCANCEL|MB_RETRYCANCEL|MB_RIGHT|MB_RTLREADING|MB_SETFOREGROUND|MB_TOPMOST|MB_USERICON|MB_YESNO|NORMAL|OFFLINE|READONLY|SHCTX|SHELL_CONTEXT|SYSTEM|TEMPORARY)"},l={cN:"constant",b:"\\!(addincludedir|addplugindir|appendfile|cd|define|delfile|echo|else|endif|error|execute|finalize|getdllversionsystem|ifdef|ifmacrodef|ifmacrondef|ifndef|if|include|insertmacro|macroend|macro|makensis|packhdr|searchparse|searchreplace|tempfile|undef|verbose|warning)"};return{cI:!1,k:{keyword:"Abort AddBrandingImage AddSize AllowRootDirInstall AllowSkipFiles AutoCloseWindow BGFont BGGradient BrandingText BringToFront Call CallInstDLL Caption ChangeUI CheckBitmap ClearErrors CompletedText ComponentText CopyFiles CRCCheck CreateDirectory CreateFont CreateShortCut Delete DeleteINISec DeleteINIStr DeleteRegKey DeleteRegValue DetailPrint DetailsButtonText DirText DirVar DirVerify EnableWindow EnumRegKey EnumRegValue Exch Exec ExecShell ExecWait ExpandEnvStrings File FileBufSize FileClose FileErrorText FileOpen FileRead FileReadByte FileReadUTF16LE FileReadWord FileSeek FileWrite FileWriteByte FileWriteUTF16LE FileWriteWord FindClose FindFirst FindNext FindWindow FlushINI FunctionEnd GetCurInstType GetCurrentAddress GetDlgItem GetDLLVersion GetDLLVersionLocal GetErrorLevel GetFileTime GetFileTimeLocal GetFullPathName GetFunctionAddress GetInstDirError GetLabelAddress GetTempFileName Goto HideWindow Icon IfAbort IfErrors IfFileExists IfRebootFlag IfSilent InitPluginsDir InstallButtonText InstallColors InstallDir InstallDirRegKey InstProgressFlags InstType InstTypeGetText InstTypeSetText IntCmp IntCmpU IntFmt IntOp IsWindow LangString LicenseBkColor LicenseData LicenseForceSelection LicenseLangString LicenseText LoadLanguageFile LockWindow LogSet LogText ManifestDPIAware ManifestSupportedOS MessageBox MiscButtonText Name Nop OutFile Page PageCallbacks PageExEnd Pop Push Quit ReadEnvStr ReadINIStr ReadRegDWORD ReadRegStr Reboot RegDLL Rename RequestExecutionLevel ReserveFile Return RMDir SearchPath SectionEnd SectionGetFlags SectionGetInstTypes SectionGetSize SectionGetText SectionGroupEnd SectionIn SectionSetFlags SectionSetInstTypes SectionSetSize SectionSetText SendMessage SetAutoClose SetBrandingImage SetCompress SetCompressor SetCompressorDictSize SetCtlColors SetCurInstType SetDatablockOptimize SetDateSave SetDetailsPrint SetDetailsView SetErrorLevel SetErrors SetFileAttributes SetFont SetOutPath SetOverwrite SetPluginUnload SetRebootFlag SetRegView SetShellVarContext SetSilent ShowInstDetails ShowUninstDetails ShowWindow SilentInstall SilentUnInstall Sleep SpaceTexts StrCmp StrCmpS StrCpy StrLen SubCaption SubSectionEnd Unicode UninstallButtonText UninstallCaption UninstallIcon UninstallSubCaption UninstallText UninstPage UnRegDLL Var VIAddVersionKey VIFileVersion VIProductVersion WindowIcon WriteINIStr WriteRegBin WriteRegDWORD WriteRegExpandStr WriteRegStr WriteUninstaller XPStyle",literal:"admin all auto both colored current false force hide highest lastused leave listonly none normal notset off on open print show silent silentlog smooth textonly true user "},c:[e.HCM,e.CBCM,{cN:"string",b:'"',e:'"',i:"\\n",c:[{cN:"symbol",b:"\\$(\\\\(n|r|t)|\\$)"},t,n,i,r]},e.C(";","$",{r:0}),{cN:"function",bK:"Function PageEx Section SectionGroup SubSection",e:"$"},l,n,i,r,o,e.NM,{cN:"literal",b:e.IR+"::"+e.IR}]}});hljs.registerLanguage("less",function(e){var r="[\\w-]+",t="("+r+"|@{"+r+"})",a=[],c=[],n=function(e){return{cN:"string",b:"~?"+e+".*?"+e}},i=function(e,r,t){return{cN:e,b:r,r:t}},s=function(r,t,a){return e.inherit({cN:r,b:t+"\\(",e:"\\(",rB:!0,eE:!0,r:0},a)},b={b:"\\(",e:"\\)",c:c,r:0};c.push(e.CLCM,e.CBCM,n("'"),n('"'),e.CSSNM,i("hexcolor","#[0-9A-Fa-f]+\\b"),s("function","(url|data-uri)",{starts:{cN:"string",e:"[\\)\\n]",eE:!0}}),s("function",r),b,i("variable","@@?"+r,10),i("variable","@{"+r+"}"),i("built_in","~?`[^`]*?`"),{cN:"attribute",b:r+"\\s*:",e:":",rB:!0,eE:!0});var o=c.concat({b:"{",e:"}",c:a}),u={bK:"when",eW:!0,c:[{bK:"and not"}].concat(c)},C={cN:"attribute",b:t,e:":",eE:!0,c:[e.CLCM,e.CBCM],i:/\S/,starts:{e:"[;}]",rE:!0,c:c,i:"[<=$]"}},l={cN:"at_rule",b:"@(import|media|charset|font-face|(-[a-z]+-)?keyframes|supports|document|namespace|page|viewport|host)\\b",starts:{e:"[;{}]",rE:!0,c:c,r:0}},d={cN:"variable",v:[{b:"@"+r+"\\s*:",r:15},{b:"@"+r}],starts:{e:"[;}]",rE:!0,c:o}},p={v:[{b:"[\\.#:&\\[]",e:"[;{}]"},{b:t+"[^;]*{",e:"{"}],rB:!0,rE:!0,i:"[<='$\"]",c:[e.CLCM,e.CBCM,u,i("keyword","all\\b"),i("variable","@{"+r+"}"),i("tag",t+"%?",0),i("id","#"+t),i("class","\\."+t,0),i("keyword","&",0),s("pseudo",":not"),s("keyword",":extend"),i("pseudo","::?"+t),{cN:"attr_selector",b:"\\[",e:"\\]"},{b:"\\(",e:"\\)",c:o},{b:"!important"}]};return a.push(e.CLCM,e.CBCM,l,d,p,C),{cI:!0,i:"[=>'/<($\"]",c:a}});hljs.registerLanguage("pf",function(t){var o={cN:"variable",b:/\$[\w\d#@][\w\d_]*/},e={cN:"variable",b://};return{aliases:["pf.conf"],l:/[a-z0-9_<>-]+/,k:{built_in:"block match pass load anchor|5 antispoof|10 set table",keyword:"in out log quick on rdomain inet inet6 proto from port os to routeallow-opts divert-packet divert-reply divert-to flags group icmp-typeicmp6-type label once probability recieved-on rtable prio queuetos tag tagged user keep fragment for os dropaf-to|10 binat-to|10 nat-to|10 rdr-to|10 bitmask least-stats random round-robinsource-hash static-portdup-to reply-to route-toparent bandwidth default min max qlimitblock-policy debug fingerprints hostid limit loginterface optimizationreassemble ruleset-optimization basic none profile skip state-defaultsstate-policy timeoutconst counters persistno modulate synproxy state|5 floating if-bound no-sync pflow|10 sloppysource-track global rule max-src-nodes max-src-states max-src-connmax-src-conn-rate overload flushscrub|5 max-mss min-ttl no-df|10 random-id",literal:"all any no-route self urpf-failed egress|5 unknown"},c:[t.HCM,t.NM,t.QSM,o,e]}});hljs.registerLanguage("lasso",function(e){var r="[a-zA-Z_][a-zA-Z0-9_.]*",a="<\\?(lasso(script)?|=)",t="\\]|\\?>",s={literal:"true false none minimal full all void and or not bw nbw ew new cn ncn lt lte gt gte eq neq rx nrx ft",built_in:"array date decimal duration integer map pair string tag xml null boolean bytes keyword list locale queue set stack staticarray local var variable global data self inherited",keyword:"error_code error_msg error_pop error_push error_reset cache database_names database_schemanames database_tablenames define_tag define_type email_batch encode_set html_comment handle handle_error header if inline iterate ljax_target link link_currentaction link_currentgroup link_currentrecord link_detail link_firstgroup link_firstrecord link_lastgroup link_lastrecord link_nextgroup link_nextrecord link_prevgroup link_prevrecord log loop namespace_using output_none portal private protect records referer referrer repeating resultset rows search_args search_arguments select sort_args sort_arguments thread_atomic value_list while abort case else if_empty if_false if_null if_true loop_abort loop_continue loop_count params params_up return return_value run_children soap_definetag soap_lastrequest soap_lastresponse tag_name ascending average by define descending do equals frozen group handle_failure import in into join let match max min on order parent protected provide public require returnhome skip split_thread sum take thread to trait type where with yield yieldhome"},n=e.C("",{r:0}),o={cN:"preprocessor",b:"\\[noprocess\\]",starts:{cN:"markup",e:"\\[/noprocess\\]",rE:!0,c:[n]}},i={cN:"preprocessor",b:"\\[/noprocess|"+a},l={cN:"variable",b:"'"+r+"'"},c=[e.CLCM,{cN:"javadoc",b:"/\\*\\*!",e:"\\*/",c:[e.PWM]},e.CBCM,e.inherit(e.CNM,{b:e.CNR+"|(-?infinity|nan)\\b"}),e.inherit(e.ASM,{i:null}),e.inherit(e.QSM,{i:null}),{cN:"string",b:"`",e:"`"},{cN:"variable",v:[{b:"[#$]"+r},{b:"#",e:"\\d+",i:"\\W"}]},{cN:"tag",b:"::\\s*",e:r,i:"\\W"},{cN:"attribute",v:[{b:"-"+e.UIR,r:0},{b:"(\\.\\.\\.)"}]},{cN:"subst",v:[{b:"->\\s*",c:[l]},{b:":=|/(?!\\w)=?|[-+*%=<>&|!?\\\\]+",r:0}]},{cN:"built_in",b:"\\.\\.?\\s*",r:0,c:[l]},{cN:"class",bK:"define",rE:!0,e:"\\(|=>",c:[e.inherit(e.TM,{b:e.UIR+"(=(?!>))?"})]}];return{aliases:["ls","lassoscript"],cI:!0,l:r+"|&[lg]t;",k:s,c:[{cN:"preprocessor",b:t,r:0,starts:{cN:"markup",e:"\\[|"+a,rE:!0,r:0,c:[n]}},o,i,{cN:"preprocessor",b:"\\[no_square_brackets",starts:{e:"\\[/no_square_brackets\\]",l:r+"|&[lg]t;",k:s,c:[{cN:"preprocessor",b:t,r:0,starts:{cN:"markup",e:"\\[noprocess\\]|"+a,rE:!0,c:[n]}},o,i].concat(c)}},{cN:"preprocessor",b:"\\[",r:0},{cN:"shebang",b:"^#!.+lasso9\\b",r:10}].concat(c)}});hljs.registerLanguage("prolog",function(c){var r={cN:"atom",b:/[a-z][A-Za-z0-9_]*/,r:0},b={cN:"name",v:[{b:/[A-Z][a-zA-Z0-9_]*/},{b:/_[A-Za-z0-9_]*/}],r:0},a={b:/\(/,e:/\)/,r:0},e={b:/\[/,e:/\]/},n={cN:"comment",b:/%/,e:/$/,c:[c.PWM]},t={cN:"string",b:/`/,e:/`/,c:[c.BE]},g={cN:"string",b:/0\'(\\\'|.)/},N={cN:"string",b:/0\'\\s/},o={b:/:-/},s=[r,b,a,o,e,n,c.CBCM,c.QSM,c.ASM,t,g,N,c.CNM];return a.c=s,e.c=s,{c:s.concat([{b:/\.$/}])}});hljs.registerLanguage("oxygene",function(e){var r="abstract add and array as asc aspect assembly async begin break block by case class concat const copy constructor continue create default delegate desc distinct div do downto dynamic each else empty end ensure enum equals event except exit extension external false final finalize finalizer finally flags for forward from function future global group has if implementation implements implies in index inherited inline interface into invariants is iterator join locked locking loop matching method mod module namespace nested new nil not notify nullable of old on operator or order out override parallel params partial pinned private procedure property protected public queryable raise read readonly record reintroduce remove repeat require result reverse sealed select self sequence set shl shr skip static step soft take then to true try tuple type union unit unsafe until uses using var virtual raises volatile where while with write xor yield await mapped deprecated stdcall cdecl pascal register safecall overload library platform reference packed strict published autoreleasepool selector strong weak unretained",t=e.C("{","}",{r:0}),a=e.C("\\(\\*","\\*\\)",{r:10}),n={cN:"string",b:"'",e:"'",c:[{b:"''"}]},o={cN:"string",b:"(#\\d+)+"},i={cN:"function",bK:"function constructor destructor procedure method",e:"[:;]",k:"function constructor|10 destructor|10 procedure|10 method|10",c:[e.TM,{cN:"params",b:"\\(",e:"\\)",k:r,c:[n,o]},t,a]};return{cI:!0,k:r,i:'("|\\$[G-Zg-z]|\\/\\*||->)',c:[t,a,e.CLCM,n,o,e.NM,i,{cN:"class",b:"=\\bclass\\b",e:"end;",k:r,c:[n,o,t,a,e.CLCM,i]}]}});hljs.registerLanguage("applescript",function(e){var t=e.inherit(e.QSM,{i:""}),r={cN:"params",b:"\\(",e:"\\)",c:["self",e.CNM,t]},o=e.C("--","$"),n=e.C("\\(\\*","\\*\\)",{c:["self",o]}),a=[o,n,e.HCM];return{aliases:["osascript"],k:{keyword:"about above after against and around as at back before beginning behind below beneath beside between but by considering contain contains continue copy div does eighth else end equal equals error every exit fifth first for fourth from front get given global if ignoring in into is it its last local me middle mod my ninth not of on onto or over prop property put ref reference repeat returning script second set seventh since sixth some tell tenth that the|0 then third through thru timeout times to transaction try until where while whose with without",constant:"AppleScript false linefeed return pi quote result space tab true",type:"alias application boolean class constant date file integer list number real record string text",command:"activate beep count delay launch log offset read round run say summarize write",property:"character characters contents day frontmost id item length month name paragraph paragraphs rest reverse running time version weekday word words year"},c:[t,e.CNM,{cN:"type",b:"\\bPOSIX file\\b"},{cN:"command",b:"\\b(clipboard info|the clipboard|info for|list (disks|folder)|mount volume|path to|(close|open for) access|(get|set) eof|current date|do shell script|get volume settings|random number|set volume|system attribute|system info|time to GMT|(load|run|store) script|scripting components|ASCII (character|number)|localized string|choose (application|color|file|file name|folder|from list|remote application|URL)|display (alert|dialog))\\b|^\\s*return\\b"},{cN:"constant",b:"\\b(text item delimiters|current application|missing value)\\b"},{cN:"keyword",b:"\\b(apart from|aside from|instead of|out of|greater than|isn't|(doesn't|does not) (equal|come before|come after|contain)|(greater|less) than( or equal)?|(starts?|ends|begins?) with|contained by|comes (before|after)|a (ref|reference))\\b"},{cN:"property",b:"\\b(POSIX path|(date|time) string|quoted form)\\b"},{cN:"function_start",bK:"on",i:"[${=;\\n]",c:[e.UTM,r]}].concat(a),i:"//|->|=>"}});hljs.registerLanguage("makefile",function(e){var a={cN:"variable",b:/\$\(/,e:/\)/,c:[e.BE]};return{aliases:["mk","mak"],c:[e.HCM,{b:/^\w+\s*\W*=/,rB:!0,r:0,starts:{cN:"constant",e:/\s*\W*=/,eE:!0,starts:{e:/$/,r:0,c:[a]}}},{cN:"title",b:/^[\w]+:\s*$/},{cN:"phony",b:/^\.PHONY:/,e:/$/,k:".PHONY",l:/[\.\w]+/},{b:/^\t+/,e:/$/,r:0,c:[e.QSM,a]}]}});hljs.registerLanguage("dust",function(e){var a="if eq ne lt lte gt gte select default math sep";return{aliases:["dst"],cI:!0,sL:"xml",subLanguageMode:"continuous",c:[{cN:"expression",b:"{",e:"}",r:0,c:[{cN:"begin-block",b:"#[a-zA-Z- .]+",k:a},{cN:"string",b:'"',e:'"'},{cN:"end-block",b:"\\/[a-zA-Z- .]+",k:a},{cN:"variable",b:"[a-zA-Z-.]+",k:a,r:0}]}]}});hljs.registerLanguage("clojure-repl",function(e){return{c:[{cN:"prompt",b:/^([\w.-]+|\s*#_)=>/,starts:{e:/$/,sL:"clojure",subLanguageMode:"continuous"}}]}});hljs.registerLanguage("dart",function(e){var t={cN:"subst",b:"\\$\\{",e:"}",k:"true false null this is new super"},r={cN:"string",v:[{b:"r'''",e:"'''"},{b:'r"""',e:'"""'},{b:"r'",e:"'",i:"\\n"},{b:'r"',e:'"',i:"\\n"},{b:"'''",e:"'''",c:[e.BE,t]},{b:'"""',e:'"""',c:[e.BE,t]},{b:"'",e:"'",i:"\\n",c:[e.BE,t]},{b:'"',e:'"',i:"\\n",c:[e.BE,t]}]};t.c=[e.CNM,r];var n={keyword:"assert break case catch class const continue default do else enum extends false final finally for if in is new null rethrow return super switch this throw true try var void while with",literal:"abstract as dynamic export external factory get implements import library operator part set static typedef",built_in:"print Comparable DateTime Duration Function Iterable Iterator List Map Match Null Object Pattern RegExp Set Stopwatch String StringBuffer StringSink Symbol Type Uri bool double int num document window querySelector querySelectorAll Element ElementList"};return{k:n,c:[r,{cN:"dartdoc",b:"/\\*\\*",e:"\\*/",sL:"markdown",subLanguageMode:"continuous"},{cN:"dartdoc",b:"///",e:"$",sL:"markdown",subLanguageMode:"continuous"},e.CLCM,e.CBCM,{cN:"class",bK:"class interface",e:"{",eE:!0,c:[{bK:"extends implements"},e.UTM]},e.CNM,{cN:"annotation",b:"@[A-Za-z]+"},{b:"=>"}]}}); \ No newline at end of file diff --git a/docs/js/jquery-2.1.1.min.js b/docs/js/jquery-2.1.1.min.js new file mode 100644 index 0000000..e5ace11 --- /dev/null +++ b/docs/js/jquery-2.1.1.min.js @@ -0,0 +1,4 @@ +/*! jQuery v2.1.1 | (c) 2005, 2014 jQuery Foundation, Inc. | jquery.org/license */ +!function(a,b){"object"==typeof module&&"object"==typeof module.exports?module.exports=a.document?b(a,!0):function(a){if(!a.document)throw new Error("jQuery requires a window with a document");return b(a)}:b(a)}("undefined"!=typeof window?window:this,function(a,b){var c=[],d=c.slice,e=c.concat,f=c.push,g=c.indexOf,h={},i=h.toString,j=h.hasOwnProperty,k={},l=a.document,m="2.1.1",n=function(a,b){return new n.fn.init(a,b)},o=/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,p=/^-ms-/,q=/-([\da-z])/gi,r=function(a,b){return b.toUpperCase()};n.fn=n.prototype={jquery:m,constructor:n,selector:"",length:0,toArray:function(){return d.call(this)},get:function(a){return null!=a?0>a?this[a+this.length]:this[a]:d.call(this)},pushStack:function(a){var b=n.merge(this.constructor(),a);return b.prevObject=this,b.context=this.context,b},each:function(a,b){return n.each(this,a,b)},map:function(a){return this.pushStack(n.map(this,function(b,c){return a.call(b,c,b)}))},slice:function(){return this.pushStack(d.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},eq:function(a){var b=this.length,c=+a+(0>a?b:0);return this.pushStack(c>=0&&b>c?[this[c]]:[])},end:function(){return this.prevObject||this.constructor(null)},push:f,sort:c.sort,splice:c.splice},n.extend=n.fn.extend=function(){var a,b,c,d,e,f,g=arguments[0]||{},h=1,i=arguments.length,j=!1;for("boolean"==typeof g&&(j=g,g=arguments[h]||{},h++),"object"==typeof g||n.isFunction(g)||(g={}),h===i&&(g=this,h--);i>h;h++)if(null!=(a=arguments[h]))for(b in a)c=g[b],d=a[b],g!==d&&(j&&d&&(n.isPlainObject(d)||(e=n.isArray(d)))?(e?(e=!1,f=c&&n.isArray(c)?c:[]):f=c&&n.isPlainObject(c)?c:{},g[b]=n.extend(j,f,d)):void 0!==d&&(g[b]=d));return g},n.extend({expando:"jQuery"+(m+Math.random()).replace(/\D/g,""),isReady:!0,error:function(a){throw new Error(a)},noop:function(){},isFunction:function(a){return"function"===n.type(a)},isArray:Array.isArray,isWindow:function(a){return null!=a&&a===a.window},isNumeric:function(a){return!n.isArray(a)&&a-parseFloat(a)>=0},isPlainObject:function(a){return"object"!==n.type(a)||a.nodeType||n.isWindow(a)?!1:a.constructor&&!j.call(a.constructor.prototype,"isPrototypeOf")?!1:!0},isEmptyObject:function(a){var b;for(b in a)return!1;return!0},type:function(a){return null==a?a+"":"object"==typeof a||"function"==typeof a?h[i.call(a)]||"object":typeof a},globalEval:function(a){var b,c=eval;a=n.trim(a),a&&(1===a.indexOf("use strict")?(b=l.createElement("script"),b.text=a,l.head.appendChild(b).parentNode.removeChild(b)):c(a))},camelCase:function(a){return a.replace(p,"ms-").replace(q,r)},nodeName:function(a,b){return a.nodeName&&a.nodeName.toLowerCase()===b.toLowerCase()},each:function(a,b,c){var d,e=0,f=a.length,g=s(a);if(c){if(g){for(;f>e;e++)if(d=b.apply(a[e],c),d===!1)break}else for(e in a)if(d=b.apply(a[e],c),d===!1)break}else if(g){for(;f>e;e++)if(d=b.call(a[e],e,a[e]),d===!1)break}else for(e in a)if(d=b.call(a[e],e,a[e]),d===!1)break;return a},trim:function(a){return null==a?"":(a+"").replace(o,"")},makeArray:function(a,b){var c=b||[];return null!=a&&(s(Object(a))?n.merge(c,"string"==typeof a?[a]:a):f.call(c,a)),c},inArray:function(a,b,c){return null==b?-1:g.call(b,a,c)},merge:function(a,b){for(var c=+b.length,d=0,e=a.length;c>d;d++)a[e++]=b[d];return a.length=e,a},grep:function(a,b,c){for(var d,e=[],f=0,g=a.length,h=!c;g>f;f++)d=!b(a[f],f),d!==h&&e.push(a[f]);return e},map:function(a,b,c){var d,f=0,g=a.length,h=s(a),i=[];if(h)for(;g>f;f++)d=b(a[f],f,c),null!=d&&i.push(d);else for(f in a)d=b(a[f],f,c),null!=d&&i.push(d);return e.apply([],i)},guid:1,proxy:function(a,b){var c,e,f;return"string"==typeof b&&(c=a[b],b=a,a=c),n.isFunction(a)?(e=d.call(arguments,2),f=function(){return a.apply(b||this,e.concat(d.call(arguments)))},f.guid=a.guid=a.guid||n.guid++,f):void 0},now:Date.now,support:k}),n.each("Boolean Number String Function Array Date RegExp Object Error".split(" "),function(a,b){h["[object "+b+"]"]=b.toLowerCase()});function s(a){var b=a.length,c=n.type(a);return"function"===c||n.isWindow(a)?!1:1===a.nodeType&&b?!0:"array"===c||0===b||"number"==typeof b&&b>0&&b-1 in a}var t=function(a){var b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u="sizzle"+-new Date,v=a.document,w=0,x=0,y=gb(),z=gb(),A=gb(),B=function(a,b){return a===b&&(l=!0),0},C="undefined",D=1<<31,E={}.hasOwnProperty,F=[],G=F.pop,H=F.push,I=F.push,J=F.slice,K=F.indexOf||function(a){for(var b=0,c=this.length;c>b;b++)if(this[b]===a)return b;return-1},L="checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped",M="[\\x20\\t\\r\\n\\f]",N="(?:\\\\.|[\\w-]|[^\\x00-\\xa0])+",O=N.replace("w","w#"),P="\\["+M+"*("+N+")(?:"+M+"*([*^$|!~]?=)"+M+"*(?:'((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\"|("+O+"))|)"+M+"*\\]",Q=":("+N+")(?:\\((('((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\")|((?:\\\\.|[^\\\\()[\\]]|"+P+")*)|.*)\\)|)",R=new RegExp("^"+M+"+|((?:^|[^\\\\])(?:\\\\.)*)"+M+"+$","g"),S=new RegExp("^"+M+"*,"+M+"*"),T=new RegExp("^"+M+"*([>+~]|"+M+")"+M+"*"),U=new RegExp("="+M+"*([^\\]'\"]*?)"+M+"*\\]","g"),V=new RegExp(Q),W=new RegExp("^"+O+"$"),X={ID:new RegExp("^#("+N+")"),CLASS:new RegExp("^\\.("+N+")"),TAG:new RegExp("^("+N.replace("w","w*")+")"),ATTR:new RegExp("^"+P),PSEUDO:new RegExp("^"+Q),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+M+"*(even|odd|(([+-]|)(\\d*)n|)"+M+"*(?:([+-]|)"+M+"*(\\d+)|))"+M+"*\\)|)","i"),bool:new RegExp("^(?:"+L+")$","i"),needsContext:new RegExp("^"+M+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+M+"*((?:-\\d)?\\d*)"+M+"*\\)|)(?=[^-]|$)","i")},Y=/^(?:input|select|textarea|button)$/i,Z=/^h\d$/i,$=/^[^{]+\{\s*\[native \w/,_=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,ab=/[+~]/,bb=/'|\\/g,cb=new RegExp("\\\\([\\da-f]{1,6}"+M+"?|("+M+")|.)","ig"),db=function(a,b,c){var d="0x"+b-65536;return d!==d||c?b:0>d?String.fromCharCode(d+65536):String.fromCharCode(d>>10|55296,1023&d|56320)};try{I.apply(F=J.call(v.childNodes),v.childNodes),F[v.childNodes.length].nodeType}catch(eb){I={apply:F.length?function(a,b){H.apply(a,J.call(b))}:function(a,b){var c=a.length,d=0;while(a[c++]=b[d++]);a.length=c-1}}}function fb(a,b,d,e){var f,h,j,k,l,o,r,s,w,x;if((b?b.ownerDocument||b:v)!==n&&m(b),b=b||n,d=d||[],!a||"string"!=typeof a)return d;if(1!==(k=b.nodeType)&&9!==k)return[];if(p&&!e){if(f=_.exec(a))if(j=f[1]){if(9===k){if(h=b.getElementById(j),!h||!h.parentNode)return d;if(h.id===j)return d.push(h),d}else if(b.ownerDocument&&(h=b.ownerDocument.getElementById(j))&&t(b,h)&&h.id===j)return d.push(h),d}else{if(f[2])return I.apply(d,b.getElementsByTagName(a)),d;if((j=f[3])&&c.getElementsByClassName&&b.getElementsByClassName)return I.apply(d,b.getElementsByClassName(j)),d}if(c.qsa&&(!q||!q.test(a))){if(s=r=u,w=b,x=9===k&&a,1===k&&"object"!==b.nodeName.toLowerCase()){o=g(a),(r=b.getAttribute("id"))?s=r.replace(bb,"\\$&"):b.setAttribute("id",s),s="[id='"+s+"'] ",l=o.length;while(l--)o[l]=s+qb(o[l]);w=ab.test(a)&&ob(b.parentNode)||b,x=o.join(",")}if(x)try{return I.apply(d,w.querySelectorAll(x)),d}catch(y){}finally{r||b.removeAttribute("id")}}}return i(a.replace(R,"$1"),b,d,e)}function gb(){var a=[];function b(c,e){return a.push(c+" ")>d.cacheLength&&delete b[a.shift()],b[c+" "]=e}return b}function hb(a){return a[u]=!0,a}function ib(a){var b=n.createElement("div");try{return!!a(b)}catch(c){return!1}finally{b.parentNode&&b.parentNode.removeChild(b),b=null}}function jb(a,b){var c=a.split("|"),e=a.length;while(e--)d.attrHandle[c[e]]=b}function kb(a,b){var c=b&&a,d=c&&1===a.nodeType&&1===b.nodeType&&(~b.sourceIndex||D)-(~a.sourceIndex||D);if(d)return d;if(c)while(c=c.nextSibling)if(c===b)return-1;return a?1:-1}function lb(a){return function(b){var c=b.nodeName.toLowerCase();return"input"===c&&b.type===a}}function mb(a){return function(b){var c=b.nodeName.toLowerCase();return("input"===c||"button"===c)&&b.type===a}}function nb(a){return hb(function(b){return b=+b,hb(function(c,d){var e,f=a([],c.length,b),g=f.length;while(g--)c[e=f[g]]&&(c[e]=!(d[e]=c[e]))})})}function ob(a){return a&&typeof a.getElementsByTagName!==C&&a}c=fb.support={},f=fb.isXML=function(a){var b=a&&(a.ownerDocument||a).documentElement;return b?"HTML"!==b.nodeName:!1},m=fb.setDocument=function(a){var b,e=a?a.ownerDocument||a:v,g=e.defaultView;return e!==n&&9===e.nodeType&&e.documentElement?(n=e,o=e.documentElement,p=!f(e),g&&g!==g.top&&(g.addEventListener?g.addEventListener("unload",function(){m()},!1):g.attachEvent&&g.attachEvent("onunload",function(){m()})),c.attributes=ib(function(a){return a.className="i",!a.getAttribute("className")}),c.getElementsByTagName=ib(function(a){return a.appendChild(e.createComment("")),!a.getElementsByTagName("*").length}),c.getElementsByClassName=$.test(e.getElementsByClassName)&&ib(function(a){return a.innerHTML="
",a.firstChild.className="i",2===a.getElementsByClassName("i").length}),c.getById=ib(function(a){return o.appendChild(a).id=u,!e.getElementsByName||!e.getElementsByName(u).length}),c.getById?(d.find.ID=function(a,b){if(typeof b.getElementById!==C&&p){var c=b.getElementById(a);return c&&c.parentNode?[c]:[]}},d.filter.ID=function(a){var b=a.replace(cb,db);return function(a){return a.getAttribute("id")===b}}):(delete d.find.ID,d.filter.ID=function(a){var b=a.replace(cb,db);return function(a){var c=typeof a.getAttributeNode!==C&&a.getAttributeNode("id");return c&&c.value===b}}),d.find.TAG=c.getElementsByTagName?function(a,b){return typeof b.getElementsByTagName!==C?b.getElementsByTagName(a):void 0}:function(a,b){var c,d=[],e=0,f=b.getElementsByTagName(a);if("*"===a){while(c=f[e++])1===c.nodeType&&d.push(c);return d}return f},d.find.CLASS=c.getElementsByClassName&&function(a,b){return typeof b.getElementsByClassName!==C&&p?b.getElementsByClassName(a):void 0},r=[],q=[],(c.qsa=$.test(e.querySelectorAll))&&(ib(function(a){a.innerHTML="",a.querySelectorAll("[msallowclip^='']").length&&q.push("[*^$]="+M+"*(?:''|\"\")"),a.querySelectorAll("[selected]").length||q.push("\\["+M+"*(?:value|"+L+")"),a.querySelectorAll(":checked").length||q.push(":checked")}),ib(function(a){var b=e.createElement("input");b.setAttribute("type","hidden"),a.appendChild(b).setAttribute("name","D"),a.querySelectorAll("[name=d]").length&&q.push("name"+M+"*[*^$|!~]?="),a.querySelectorAll(":enabled").length||q.push(":enabled",":disabled"),a.querySelectorAll("*,:x"),q.push(",.*:")})),(c.matchesSelector=$.test(s=o.matches||o.webkitMatchesSelector||o.mozMatchesSelector||o.oMatchesSelector||o.msMatchesSelector))&&ib(function(a){c.disconnectedMatch=s.call(a,"div"),s.call(a,"[s!='']:x"),r.push("!=",Q)}),q=q.length&&new RegExp(q.join("|")),r=r.length&&new RegExp(r.join("|")),b=$.test(o.compareDocumentPosition),t=b||$.test(o.contains)?function(a,b){var c=9===a.nodeType?a.documentElement:a,d=b&&b.parentNode;return a===d||!(!d||1!==d.nodeType||!(c.contains?c.contains(d):a.compareDocumentPosition&&16&a.compareDocumentPosition(d)))}:function(a,b){if(b)while(b=b.parentNode)if(b===a)return!0;return!1},B=b?function(a,b){if(a===b)return l=!0,0;var d=!a.compareDocumentPosition-!b.compareDocumentPosition;return d?d:(d=(a.ownerDocument||a)===(b.ownerDocument||b)?a.compareDocumentPosition(b):1,1&d||!c.sortDetached&&b.compareDocumentPosition(a)===d?a===e||a.ownerDocument===v&&t(v,a)?-1:b===e||b.ownerDocument===v&&t(v,b)?1:k?K.call(k,a)-K.call(k,b):0:4&d?-1:1)}:function(a,b){if(a===b)return l=!0,0;var c,d=0,f=a.parentNode,g=b.parentNode,h=[a],i=[b];if(!f||!g)return a===e?-1:b===e?1:f?-1:g?1:k?K.call(k,a)-K.call(k,b):0;if(f===g)return kb(a,b);c=a;while(c=c.parentNode)h.unshift(c);c=b;while(c=c.parentNode)i.unshift(c);while(h[d]===i[d])d++;return d?kb(h[d],i[d]):h[d]===v?-1:i[d]===v?1:0},e):n},fb.matches=function(a,b){return fb(a,null,null,b)},fb.matchesSelector=function(a,b){if((a.ownerDocument||a)!==n&&m(a),b=b.replace(U,"='$1']"),!(!c.matchesSelector||!p||r&&r.test(b)||q&&q.test(b)))try{var d=s.call(a,b);if(d||c.disconnectedMatch||a.document&&11!==a.document.nodeType)return d}catch(e){}return fb(b,n,null,[a]).length>0},fb.contains=function(a,b){return(a.ownerDocument||a)!==n&&m(a),t(a,b)},fb.attr=function(a,b){(a.ownerDocument||a)!==n&&m(a);var e=d.attrHandle[b.toLowerCase()],f=e&&E.call(d.attrHandle,b.toLowerCase())?e(a,b,!p):void 0;return void 0!==f?f:c.attributes||!p?a.getAttribute(b):(f=a.getAttributeNode(b))&&f.specified?f.value:null},fb.error=function(a){throw new Error("Syntax error, unrecognized expression: "+a)},fb.uniqueSort=function(a){var b,d=[],e=0,f=0;if(l=!c.detectDuplicates,k=!c.sortStable&&a.slice(0),a.sort(B),l){while(b=a[f++])b===a[f]&&(e=d.push(f));while(e--)a.splice(d[e],1)}return k=null,a},e=fb.getText=function(a){var b,c="",d=0,f=a.nodeType;if(f){if(1===f||9===f||11===f){if("string"==typeof a.textContent)return a.textContent;for(a=a.firstChild;a;a=a.nextSibling)c+=e(a)}else if(3===f||4===f)return a.nodeValue}else while(b=a[d++])c+=e(b);return c},d=fb.selectors={cacheLength:50,createPseudo:hb,match:X,attrHandle:{},find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(a){return a[1]=a[1].replace(cb,db),a[3]=(a[3]||a[4]||a[5]||"").replace(cb,db),"~="===a[2]&&(a[3]=" "+a[3]+" "),a.slice(0,4)},CHILD:function(a){return a[1]=a[1].toLowerCase(),"nth"===a[1].slice(0,3)?(a[3]||fb.error(a[0]),a[4]=+(a[4]?a[5]+(a[6]||1):2*("even"===a[3]||"odd"===a[3])),a[5]=+(a[7]+a[8]||"odd"===a[3])):a[3]&&fb.error(a[0]),a},PSEUDO:function(a){var b,c=!a[6]&&a[2];return X.CHILD.test(a[0])?null:(a[3]?a[2]=a[4]||a[5]||"":c&&V.test(c)&&(b=g(c,!0))&&(b=c.indexOf(")",c.length-b)-c.length)&&(a[0]=a[0].slice(0,b),a[2]=c.slice(0,b)),a.slice(0,3))}},filter:{TAG:function(a){var b=a.replace(cb,db).toLowerCase();return"*"===a?function(){return!0}:function(a){return a.nodeName&&a.nodeName.toLowerCase()===b}},CLASS:function(a){var b=y[a+" "];return b||(b=new RegExp("(^|"+M+")"+a+"("+M+"|$)"))&&y(a,function(a){return b.test("string"==typeof a.className&&a.className||typeof a.getAttribute!==C&&a.getAttribute("class")||"")})},ATTR:function(a,b,c){return function(d){var e=fb.attr(d,a);return null==e?"!="===b:b?(e+="","="===b?e===c:"!="===b?e!==c:"^="===b?c&&0===e.indexOf(c):"*="===b?c&&e.indexOf(c)>-1:"$="===b?c&&e.slice(-c.length)===c:"~="===b?(" "+e+" ").indexOf(c)>-1:"|="===b?e===c||e.slice(0,c.length+1)===c+"-":!1):!0}},CHILD:function(a,b,c,d,e){var f="nth"!==a.slice(0,3),g="last"!==a.slice(-4),h="of-type"===b;return 1===d&&0===e?function(a){return!!a.parentNode}:function(b,c,i){var j,k,l,m,n,o,p=f!==g?"nextSibling":"previousSibling",q=b.parentNode,r=h&&b.nodeName.toLowerCase(),s=!i&&!h;if(q){if(f){while(p){l=b;while(l=l[p])if(h?l.nodeName.toLowerCase()===r:1===l.nodeType)return!1;o=p="only"===a&&!o&&"nextSibling"}return!0}if(o=[g?q.firstChild:q.lastChild],g&&s){k=q[u]||(q[u]={}),j=k[a]||[],n=j[0]===w&&j[1],m=j[0]===w&&j[2],l=n&&q.childNodes[n];while(l=++n&&l&&l[p]||(m=n=0)||o.pop())if(1===l.nodeType&&++m&&l===b){k[a]=[w,n,m];break}}else if(s&&(j=(b[u]||(b[u]={}))[a])&&j[0]===w)m=j[1];else while(l=++n&&l&&l[p]||(m=n=0)||o.pop())if((h?l.nodeName.toLowerCase()===r:1===l.nodeType)&&++m&&(s&&((l[u]||(l[u]={}))[a]=[w,m]),l===b))break;return m-=e,m===d||m%d===0&&m/d>=0}}},PSEUDO:function(a,b){var c,e=d.pseudos[a]||d.setFilters[a.toLowerCase()]||fb.error("unsupported pseudo: "+a);return e[u]?e(b):e.length>1?(c=[a,a,"",b],d.setFilters.hasOwnProperty(a.toLowerCase())?hb(function(a,c){var d,f=e(a,b),g=f.length;while(g--)d=K.call(a,f[g]),a[d]=!(c[d]=f[g])}):function(a){return e(a,0,c)}):e}},pseudos:{not:hb(function(a){var b=[],c=[],d=h(a.replace(R,"$1"));return d[u]?hb(function(a,b,c,e){var f,g=d(a,null,e,[]),h=a.length;while(h--)(f=g[h])&&(a[h]=!(b[h]=f))}):function(a,e,f){return b[0]=a,d(b,null,f,c),!c.pop()}}),has:hb(function(a){return function(b){return fb(a,b).length>0}}),contains:hb(function(a){return function(b){return(b.textContent||b.innerText||e(b)).indexOf(a)>-1}}),lang:hb(function(a){return W.test(a||"")||fb.error("unsupported lang: "+a),a=a.replace(cb,db).toLowerCase(),function(b){var c;do if(c=p?b.lang:b.getAttribute("xml:lang")||b.getAttribute("lang"))return c=c.toLowerCase(),c===a||0===c.indexOf(a+"-");while((b=b.parentNode)&&1===b.nodeType);return!1}}),target:function(b){var c=a.location&&a.location.hash;return c&&c.slice(1)===b.id},root:function(a){return a===o},focus:function(a){return a===n.activeElement&&(!n.hasFocus||n.hasFocus())&&!!(a.type||a.href||~a.tabIndex)},enabled:function(a){return a.disabled===!1},disabled:function(a){return a.disabled===!0},checked:function(a){var b=a.nodeName.toLowerCase();return"input"===b&&!!a.checked||"option"===b&&!!a.selected},selected:function(a){return a.parentNode&&a.parentNode.selectedIndex,a.selected===!0},empty:function(a){for(a=a.firstChild;a;a=a.nextSibling)if(a.nodeType<6)return!1;return!0},parent:function(a){return!d.pseudos.empty(a)},header:function(a){return Z.test(a.nodeName)},input:function(a){return Y.test(a.nodeName)},button:function(a){var b=a.nodeName.toLowerCase();return"input"===b&&"button"===a.type||"button"===b},text:function(a){var b;return"input"===a.nodeName.toLowerCase()&&"text"===a.type&&(null==(b=a.getAttribute("type"))||"text"===b.toLowerCase())},first:nb(function(){return[0]}),last:nb(function(a,b){return[b-1]}),eq:nb(function(a,b,c){return[0>c?c+b:c]}),even:nb(function(a,b){for(var c=0;b>c;c+=2)a.push(c);return a}),odd:nb(function(a,b){for(var c=1;b>c;c+=2)a.push(c);return a}),lt:nb(function(a,b,c){for(var d=0>c?c+b:c;--d>=0;)a.push(d);return a}),gt:nb(function(a,b,c){for(var d=0>c?c+b:c;++db;b++)d+=a[b].value;return d}function rb(a,b,c){var d=b.dir,e=c&&"parentNode"===d,f=x++;return b.first?function(b,c,f){while(b=b[d])if(1===b.nodeType||e)return a(b,c,f)}:function(b,c,g){var h,i,j=[w,f];if(g){while(b=b[d])if((1===b.nodeType||e)&&a(b,c,g))return!0}else while(b=b[d])if(1===b.nodeType||e){if(i=b[u]||(b[u]={}),(h=i[d])&&h[0]===w&&h[1]===f)return j[2]=h[2];if(i[d]=j,j[2]=a(b,c,g))return!0}}}function sb(a){return a.length>1?function(b,c,d){var e=a.length;while(e--)if(!a[e](b,c,d))return!1;return!0}:a[0]}function tb(a,b,c){for(var d=0,e=b.length;e>d;d++)fb(a,b[d],c);return c}function ub(a,b,c,d,e){for(var f,g=[],h=0,i=a.length,j=null!=b;i>h;h++)(f=a[h])&&(!c||c(f,d,e))&&(g.push(f),j&&b.push(h));return g}function vb(a,b,c,d,e,f){return d&&!d[u]&&(d=vb(d)),e&&!e[u]&&(e=vb(e,f)),hb(function(f,g,h,i){var j,k,l,m=[],n=[],o=g.length,p=f||tb(b||"*",h.nodeType?[h]:h,[]),q=!a||!f&&b?p:ub(p,m,a,h,i),r=c?e||(f?a:o||d)?[]:g:q;if(c&&c(q,r,h,i),d){j=ub(r,n),d(j,[],h,i),k=j.length;while(k--)(l=j[k])&&(r[n[k]]=!(q[n[k]]=l))}if(f){if(e||a){if(e){j=[],k=r.length;while(k--)(l=r[k])&&j.push(q[k]=l);e(null,r=[],j,i)}k=r.length;while(k--)(l=r[k])&&(j=e?K.call(f,l):m[k])>-1&&(f[j]=!(g[j]=l))}}else r=ub(r===g?r.splice(o,r.length):r),e?e(null,g,r,i):I.apply(g,r)})}function wb(a){for(var b,c,e,f=a.length,g=d.relative[a[0].type],h=g||d.relative[" "],i=g?1:0,k=rb(function(a){return a===b},h,!0),l=rb(function(a){return K.call(b,a)>-1},h,!0),m=[function(a,c,d){return!g&&(d||c!==j)||((b=c).nodeType?k(a,c,d):l(a,c,d))}];f>i;i++)if(c=d.relative[a[i].type])m=[rb(sb(m),c)];else{if(c=d.filter[a[i].type].apply(null,a[i].matches),c[u]){for(e=++i;f>e;e++)if(d.relative[a[e].type])break;return vb(i>1&&sb(m),i>1&&qb(a.slice(0,i-1).concat({value:" "===a[i-2].type?"*":""})).replace(R,"$1"),c,e>i&&wb(a.slice(i,e)),f>e&&wb(a=a.slice(e)),f>e&&qb(a))}m.push(c)}return sb(m)}function xb(a,b){var c=b.length>0,e=a.length>0,f=function(f,g,h,i,k){var l,m,o,p=0,q="0",r=f&&[],s=[],t=j,u=f||e&&d.find.TAG("*",k),v=w+=null==t?1:Math.random()||.1,x=u.length;for(k&&(j=g!==n&&g);q!==x&&null!=(l=u[q]);q++){if(e&&l){m=0;while(o=a[m++])if(o(l,g,h)){i.push(l);break}k&&(w=v)}c&&((l=!o&&l)&&p--,f&&r.push(l))}if(p+=q,c&&q!==p){m=0;while(o=b[m++])o(r,s,g,h);if(f){if(p>0)while(q--)r[q]||s[q]||(s[q]=G.call(i));s=ub(s)}I.apply(i,s),k&&!f&&s.length>0&&p+b.length>1&&fb.uniqueSort(i)}return k&&(w=v,j=t),r};return c?hb(f):f}return h=fb.compile=function(a,b){var c,d=[],e=[],f=A[a+" "];if(!f){b||(b=g(a)),c=b.length;while(c--)f=wb(b[c]),f[u]?d.push(f):e.push(f);f=A(a,xb(e,d)),f.selector=a}return f},i=fb.select=function(a,b,e,f){var i,j,k,l,m,n="function"==typeof a&&a,o=!f&&g(a=n.selector||a);if(e=e||[],1===o.length){if(j=o[0]=o[0].slice(0),j.length>2&&"ID"===(k=j[0]).type&&c.getById&&9===b.nodeType&&p&&d.relative[j[1].type]){if(b=(d.find.ID(k.matches[0].replace(cb,db),b)||[])[0],!b)return e;n&&(b=b.parentNode),a=a.slice(j.shift().value.length)}i=X.needsContext.test(a)?0:j.length;while(i--){if(k=j[i],d.relative[l=k.type])break;if((m=d.find[l])&&(f=m(k.matches[0].replace(cb,db),ab.test(j[0].type)&&ob(b.parentNode)||b))){if(j.splice(i,1),a=f.length&&qb(j),!a)return I.apply(e,f),e;break}}}return(n||h(a,o))(f,b,!p,e,ab.test(a)&&ob(b.parentNode)||b),e},c.sortStable=u.split("").sort(B).join("")===u,c.detectDuplicates=!!l,m(),c.sortDetached=ib(function(a){return 1&a.compareDocumentPosition(n.createElement("div"))}),ib(function(a){return a.innerHTML="","#"===a.firstChild.getAttribute("href")})||jb("type|href|height|width",function(a,b,c){return c?void 0:a.getAttribute(b,"type"===b.toLowerCase()?1:2)}),c.attributes&&ib(function(a){return a.innerHTML="",a.firstChild.setAttribute("value",""),""===a.firstChild.getAttribute("value")})||jb("value",function(a,b,c){return c||"input"!==a.nodeName.toLowerCase()?void 0:a.defaultValue}),ib(function(a){return null==a.getAttribute("disabled")})||jb(L,function(a,b,c){var d;return c?void 0:a[b]===!0?b.toLowerCase():(d=a.getAttributeNode(b))&&d.specified?d.value:null}),fb}(a);n.find=t,n.expr=t.selectors,n.expr[":"]=n.expr.pseudos,n.unique=t.uniqueSort,n.text=t.getText,n.isXMLDoc=t.isXML,n.contains=t.contains;var u=n.expr.match.needsContext,v=/^<(\w+)\s*\/?>(?:<\/\1>|)$/,w=/^.[^:#\[\.,]*$/;function x(a,b,c){if(n.isFunction(b))return n.grep(a,function(a,d){return!!b.call(a,d,a)!==c});if(b.nodeType)return n.grep(a,function(a){return a===b!==c});if("string"==typeof b){if(w.test(b))return n.filter(b,a,c);b=n.filter(b,a)}return n.grep(a,function(a){return g.call(b,a)>=0!==c})}n.filter=function(a,b,c){var d=b[0];return c&&(a=":not("+a+")"),1===b.length&&1===d.nodeType?n.find.matchesSelector(d,a)?[d]:[]:n.find.matches(a,n.grep(b,function(a){return 1===a.nodeType}))},n.fn.extend({find:function(a){var b,c=this.length,d=[],e=this;if("string"!=typeof a)return this.pushStack(n(a).filter(function(){for(b=0;c>b;b++)if(n.contains(e[b],this))return!0}));for(b=0;c>b;b++)n.find(a,e[b],d);return d=this.pushStack(c>1?n.unique(d):d),d.selector=this.selector?this.selector+" "+a:a,d},filter:function(a){return this.pushStack(x(this,a||[],!1))},not:function(a){return this.pushStack(x(this,a||[],!0))},is:function(a){return!!x(this,"string"==typeof a&&u.test(a)?n(a):a||[],!1).length}});var y,z=/^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]*))$/,A=n.fn.init=function(a,b){var c,d;if(!a)return this;if("string"==typeof a){if(c="<"===a[0]&&">"===a[a.length-1]&&a.length>=3?[null,a,null]:z.exec(a),!c||!c[1]&&b)return!b||b.jquery?(b||y).find(a):this.constructor(b).find(a);if(c[1]){if(b=b instanceof n?b[0]:b,n.merge(this,n.parseHTML(c[1],b&&b.nodeType?b.ownerDocument||b:l,!0)),v.test(c[1])&&n.isPlainObject(b))for(c in b)n.isFunction(this[c])?this[c](b[c]):this.attr(c,b[c]);return this}return d=l.getElementById(c[2]),d&&d.parentNode&&(this.length=1,this[0]=d),this.context=l,this.selector=a,this}return a.nodeType?(this.context=this[0]=a,this.length=1,this):n.isFunction(a)?"undefined"!=typeof y.ready?y.ready(a):a(n):(void 0!==a.selector&&(this.selector=a.selector,this.context=a.context),n.makeArray(a,this))};A.prototype=n.fn,y=n(l);var B=/^(?:parents|prev(?:Until|All))/,C={children:!0,contents:!0,next:!0,prev:!0};n.extend({dir:function(a,b,c){var d=[],e=void 0!==c;while((a=a[b])&&9!==a.nodeType)if(1===a.nodeType){if(e&&n(a).is(c))break;d.push(a)}return d},sibling:function(a,b){for(var c=[];a;a=a.nextSibling)1===a.nodeType&&a!==b&&c.push(a);return c}}),n.fn.extend({has:function(a){var b=n(a,this),c=b.length;return this.filter(function(){for(var a=0;c>a;a++)if(n.contains(this,b[a]))return!0})},closest:function(a,b){for(var c,d=0,e=this.length,f=[],g=u.test(a)||"string"!=typeof a?n(a,b||this.context):0;e>d;d++)for(c=this[d];c&&c!==b;c=c.parentNode)if(c.nodeType<11&&(g?g.index(c)>-1:1===c.nodeType&&n.find.matchesSelector(c,a))){f.push(c);break}return this.pushStack(f.length>1?n.unique(f):f)},index:function(a){return a?"string"==typeof a?g.call(n(a),this[0]):g.call(this,a.jquery?a[0]:a):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(a,b){return this.pushStack(n.unique(n.merge(this.get(),n(a,b))))},addBack:function(a){return this.add(null==a?this.prevObject:this.prevObject.filter(a))}});function D(a,b){while((a=a[b])&&1!==a.nodeType);return a}n.each({parent:function(a){var b=a.parentNode;return b&&11!==b.nodeType?b:null},parents:function(a){return n.dir(a,"parentNode")},parentsUntil:function(a,b,c){return n.dir(a,"parentNode",c)},next:function(a){return D(a,"nextSibling")},prev:function(a){return D(a,"previousSibling")},nextAll:function(a){return n.dir(a,"nextSibling")},prevAll:function(a){return n.dir(a,"previousSibling")},nextUntil:function(a,b,c){return n.dir(a,"nextSibling",c)},prevUntil:function(a,b,c){return n.dir(a,"previousSibling",c)},siblings:function(a){return n.sibling((a.parentNode||{}).firstChild,a)},children:function(a){return n.sibling(a.firstChild)},contents:function(a){return a.contentDocument||n.merge([],a.childNodes)}},function(a,b){n.fn[a]=function(c,d){var e=n.map(this,b,c);return"Until"!==a.slice(-5)&&(d=c),d&&"string"==typeof d&&(e=n.filter(d,e)),this.length>1&&(C[a]||n.unique(e),B.test(a)&&e.reverse()),this.pushStack(e)}});var E=/\S+/g,F={};function G(a){var b=F[a]={};return n.each(a.match(E)||[],function(a,c){b[c]=!0}),b}n.Callbacks=function(a){a="string"==typeof a?F[a]||G(a):n.extend({},a);var b,c,d,e,f,g,h=[],i=!a.once&&[],j=function(l){for(b=a.memory&&l,c=!0,g=e||0,e=0,f=h.length,d=!0;h&&f>g;g++)if(h[g].apply(l[0],l[1])===!1&&a.stopOnFalse){b=!1;break}d=!1,h&&(i?i.length&&j(i.shift()):b?h=[]:k.disable())},k={add:function(){if(h){var c=h.length;!function g(b){n.each(b,function(b,c){var d=n.type(c);"function"===d?a.unique&&k.has(c)||h.push(c):c&&c.length&&"string"!==d&&g(c)})}(arguments),d?f=h.length:b&&(e=c,j(b))}return this},remove:function(){return h&&n.each(arguments,function(a,b){var c;while((c=n.inArray(b,h,c))>-1)h.splice(c,1),d&&(f>=c&&f--,g>=c&&g--)}),this},has:function(a){return a?n.inArray(a,h)>-1:!(!h||!h.length)},empty:function(){return h=[],f=0,this},disable:function(){return h=i=b=void 0,this},disabled:function(){return!h},lock:function(){return i=void 0,b||k.disable(),this},locked:function(){return!i},fireWith:function(a,b){return!h||c&&!i||(b=b||[],b=[a,b.slice?b.slice():b],d?i.push(b):j(b)),this},fire:function(){return k.fireWith(this,arguments),this},fired:function(){return!!c}};return k},n.extend({Deferred:function(a){var b=[["resolve","done",n.Callbacks("once memory"),"resolved"],["reject","fail",n.Callbacks("once memory"),"rejected"],["notify","progress",n.Callbacks("memory")]],c="pending",d={state:function(){return c},always:function(){return e.done(arguments).fail(arguments),this},then:function(){var a=arguments;return n.Deferred(function(c){n.each(b,function(b,f){var g=n.isFunction(a[b])&&a[b];e[f[1]](function(){var a=g&&g.apply(this,arguments);a&&n.isFunction(a.promise)?a.promise().done(c.resolve).fail(c.reject).progress(c.notify):c[f[0]+"With"](this===d?c.promise():this,g?[a]:arguments)})}),a=null}).promise()},promise:function(a){return null!=a?n.extend(a,d):d}},e={};return d.pipe=d.then,n.each(b,function(a,f){var g=f[2],h=f[3];d[f[1]]=g.add,h&&g.add(function(){c=h},b[1^a][2].disable,b[2][2].lock),e[f[0]]=function(){return e[f[0]+"With"](this===e?d:this,arguments),this},e[f[0]+"With"]=g.fireWith}),d.promise(e),a&&a.call(e,e),e},when:function(a){var b=0,c=d.call(arguments),e=c.length,f=1!==e||a&&n.isFunction(a.promise)?e:0,g=1===f?a:n.Deferred(),h=function(a,b,c){return function(e){b[a]=this,c[a]=arguments.length>1?d.call(arguments):e,c===i?g.notifyWith(b,c):--f||g.resolveWith(b,c)}},i,j,k;if(e>1)for(i=new Array(e),j=new Array(e),k=new Array(e);e>b;b++)c[b]&&n.isFunction(c[b].promise)?c[b].promise().done(h(b,k,c)).fail(g.reject).progress(h(b,j,i)):--f;return f||g.resolveWith(k,c),g.promise()}});var H;n.fn.ready=function(a){return n.ready.promise().done(a),this},n.extend({isReady:!1,readyWait:1,holdReady:function(a){a?n.readyWait++:n.ready(!0)},ready:function(a){(a===!0?--n.readyWait:n.isReady)||(n.isReady=!0,a!==!0&&--n.readyWait>0||(H.resolveWith(l,[n]),n.fn.triggerHandler&&(n(l).triggerHandler("ready"),n(l).off("ready"))))}});function I(){l.removeEventListener("DOMContentLoaded",I,!1),a.removeEventListener("load",I,!1),n.ready()}n.ready.promise=function(b){return H||(H=n.Deferred(),"complete"===l.readyState?setTimeout(n.ready):(l.addEventListener("DOMContentLoaded",I,!1),a.addEventListener("load",I,!1))),H.promise(b)},n.ready.promise();var J=n.access=function(a,b,c,d,e,f,g){var h=0,i=a.length,j=null==c;if("object"===n.type(c)){e=!0;for(h in c)n.access(a,b,h,c[h],!0,f,g)}else if(void 0!==d&&(e=!0,n.isFunction(d)||(g=!0),j&&(g?(b.call(a,d),b=null):(j=b,b=function(a,b,c){return j.call(n(a),c)})),b))for(;i>h;h++)b(a[h],c,g?d:d.call(a[h],h,b(a[h],c)));return e?a:j?b.call(a):i?b(a[0],c):f};n.acceptData=function(a){return 1===a.nodeType||9===a.nodeType||!+a.nodeType};function K(){Object.defineProperty(this.cache={},0,{get:function(){return{}}}),this.expando=n.expando+Math.random()}K.uid=1,K.accepts=n.acceptData,K.prototype={key:function(a){if(!K.accepts(a))return 0;var b={},c=a[this.expando];if(!c){c=K.uid++;try{b[this.expando]={value:c},Object.defineProperties(a,b)}catch(d){b[this.expando]=c,n.extend(a,b)}}return this.cache[c]||(this.cache[c]={}),c},set:function(a,b,c){var d,e=this.key(a),f=this.cache[e];if("string"==typeof b)f[b]=c;else if(n.isEmptyObject(f))n.extend(this.cache[e],b);else for(d in b)f[d]=b[d];return f},get:function(a,b){var c=this.cache[this.key(a)];return void 0===b?c:c[b]},access:function(a,b,c){var d;return void 0===b||b&&"string"==typeof b&&void 0===c?(d=this.get(a,b),void 0!==d?d:this.get(a,n.camelCase(b))):(this.set(a,b,c),void 0!==c?c:b)},remove:function(a,b){var c,d,e,f=this.key(a),g=this.cache[f];if(void 0===b)this.cache[f]={};else{n.isArray(b)?d=b.concat(b.map(n.camelCase)):(e=n.camelCase(b),b in g?d=[b,e]:(d=e,d=d in g?[d]:d.match(E)||[])),c=d.length;while(c--)delete g[d[c]]}},hasData:function(a){return!n.isEmptyObject(this.cache[a[this.expando]]||{})},discard:function(a){a[this.expando]&&delete this.cache[a[this.expando]]}};var L=new K,M=new K,N=/^(?:\{[\w\W]*\}|\[[\w\W]*\])$/,O=/([A-Z])/g;function P(a,b,c){var d;if(void 0===c&&1===a.nodeType)if(d="data-"+b.replace(O,"-$1").toLowerCase(),c=a.getAttribute(d),"string"==typeof c){try{c="true"===c?!0:"false"===c?!1:"null"===c?null:+c+""===c?+c:N.test(c)?n.parseJSON(c):c}catch(e){}M.set(a,b,c)}else c=void 0;return c}n.extend({hasData:function(a){return M.hasData(a)||L.hasData(a)},data:function(a,b,c){return M.access(a,b,c)},removeData:function(a,b){M.remove(a,b) +},_data:function(a,b,c){return L.access(a,b,c)},_removeData:function(a,b){L.remove(a,b)}}),n.fn.extend({data:function(a,b){var c,d,e,f=this[0],g=f&&f.attributes;if(void 0===a){if(this.length&&(e=M.get(f),1===f.nodeType&&!L.get(f,"hasDataAttrs"))){c=g.length;while(c--)g[c]&&(d=g[c].name,0===d.indexOf("data-")&&(d=n.camelCase(d.slice(5)),P(f,d,e[d])));L.set(f,"hasDataAttrs",!0)}return e}return"object"==typeof a?this.each(function(){M.set(this,a)}):J(this,function(b){var c,d=n.camelCase(a);if(f&&void 0===b){if(c=M.get(f,a),void 0!==c)return c;if(c=M.get(f,d),void 0!==c)return c;if(c=P(f,d,void 0),void 0!==c)return c}else this.each(function(){var c=M.get(this,d);M.set(this,d,b),-1!==a.indexOf("-")&&void 0!==c&&M.set(this,a,b)})},null,b,arguments.length>1,null,!0)},removeData:function(a){return this.each(function(){M.remove(this,a)})}}),n.extend({queue:function(a,b,c){var d;return a?(b=(b||"fx")+"queue",d=L.get(a,b),c&&(!d||n.isArray(c)?d=L.access(a,b,n.makeArray(c)):d.push(c)),d||[]):void 0},dequeue:function(a,b){b=b||"fx";var c=n.queue(a,b),d=c.length,e=c.shift(),f=n._queueHooks(a,b),g=function(){n.dequeue(a,b)};"inprogress"===e&&(e=c.shift(),d--),e&&("fx"===b&&c.unshift("inprogress"),delete f.stop,e.call(a,g,f)),!d&&f&&f.empty.fire()},_queueHooks:function(a,b){var c=b+"queueHooks";return L.get(a,c)||L.access(a,c,{empty:n.Callbacks("once memory").add(function(){L.remove(a,[b+"queue",c])})})}}),n.fn.extend({queue:function(a,b){var c=2;return"string"!=typeof a&&(b=a,a="fx",c--),arguments.lengthx",k.noCloneChecked=!!b.cloneNode(!0).lastChild.defaultValue}();var U="undefined";k.focusinBubbles="onfocusin"in a;var V=/^key/,W=/^(?:mouse|pointer|contextmenu)|click/,X=/^(?:focusinfocus|focusoutblur)$/,Y=/^([^.]*)(?:\.(.+)|)$/;function Z(){return!0}function $(){return!1}function _(){try{return l.activeElement}catch(a){}}n.event={global:{},add:function(a,b,c,d,e){var f,g,h,i,j,k,l,m,o,p,q,r=L.get(a);if(r){c.handler&&(f=c,c=f.handler,e=f.selector),c.guid||(c.guid=n.guid++),(i=r.events)||(i=r.events={}),(g=r.handle)||(g=r.handle=function(b){return typeof n!==U&&n.event.triggered!==b.type?n.event.dispatch.apply(a,arguments):void 0}),b=(b||"").match(E)||[""],j=b.length;while(j--)h=Y.exec(b[j])||[],o=q=h[1],p=(h[2]||"").split(".").sort(),o&&(l=n.event.special[o]||{},o=(e?l.delegateType:l.bindType)||o,l=n.event.special[o]||{},k=n.extend({type:o,origType:q,data:d,handler:c,guid:c.guid,selector:e,needsContext:e&&n.expr.match.needsContext.test(e),namespace:p.join(".")},f),(m=i[o])||(m=i[o]=[],m.delegateCount=0,l.setup&&l.setup.call(a,d,p,g)!==!1||a.addEventListener&&a.addEventListener(o,g,!1)),l.add&&(l.add.call(a,k),k.handler.guid||(k.handler.guid=c.guid)),e?m.splice(m.delegateCount++,0,k):m.push(k),n.event.global[o]=!0)}},remove:function(a,b,c,d,e){var f,g,h,i,j,k,l,m,o,p,q,r=L.hasData(a)&&L.get(a);if(r&&(i=r.events)){b=(b||"").match(E)||[""],j=b.length;while(j--)if(h=Y.exec(b[j])||[],o=q=h[1],p=(h[2]||"").split(".").sort(),o){l=n.event.special[o]||{},o=(d?l.delegateType:l.bindType)||o,m=i[o]||[],h=h[2]&&new RegExp("(^|\\.)"+p.join("\\.(?:.*\\.|)")+"(\\.|$)"),g=f=m.length;while(f--)k=m[f],!e&&q!==k.origType||c&&c.guid!==k.guid||h&&!h.test(k.namespace)||d&&d!==k.selector&&("**"!==d||!k.selector)||(m.splice(f,1),k.selector&&m.delegateCount--,l.remove&&l.remove.call(a,k));g&&!m.length&&(l.teardown&&l.teardown.call(a,p,r.handle)!==!1||n.removeEvent(a,o,r.handle),delete i[o])}else for(o in i)n.event.remove(a,o+b[j],c,d,!0);n.isEmptyObject(i)&&(delete r.handle,L.remove(a,"events"))}},trigger:function(b,c,d,e){var f,g,h,i,k,m,o,p=[d||l],q=j.call(b,"type")?b.type:b,r=j.call(b,"namespace")?b.namespace.split("."):[];if(g=h=d=d||l,3!==d.nodeType&&8!==d.nodeType&&!X.test(q+n.event.triggered)&&(q.indexOf(".")>=0&&(r=q.split("."),q=r.shift(),r.sort()),k=q.indexOf(":")<0&&"on"+q,b=b[n.expando]?b:new n.Event(q,"object"==typeof b&&b),b.isTrigger=e?2:3,b.namespace=r.join("."),b.namespace_re=b.namespace?new RegExp("(^|\\.)"+r.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,b.result=void 0,b.target||(b.target=d),c=null==c?[b]:n.makeArray(c,[b]),o=n.event.special[q]||{},e||!o.trigger||o.trigger.apply(d,c)!==!1)){if(!e&&!o.noBubble&&!n.isWindow(d)){for(i=o.delegateType||q,X.test(i+q)||(g=g.parentNode);g;g=g.parentNode)p.push(g),h=g;h===(d.ownerDocument||l)&&p.push(h.defaultView||h.parentWindow||a)}f=0;while((g=p[f++])&&!b.isPropagationStopped())b.type=f>1?i:o.bindType||q,m=(L.get(g,"events")||{})[b.type]&&L.get(g,"handle"),m&&m.apply(g,c),m=k&&g[k],m&&m.apply&&n.acceptData(g)&&(b.result=m.apply(g,c),b.result===!1&&b.preventDefault());return b.type=q,e||b.isDefaultPrevented()||o._default&&o._default.apply(p.pop(),c)!==!1||!n.acceptData(d)||k&&n.isFunction(d[q])&&!n.isWindow(d)&&(h=d[k],h&&(d[k]=null),n.event.triggered=q,d[q](),n.event.triggered=void 0,h&&(d[k]=h)),b.result}},dispatch:function(a){a=n.event.fix(a);var b,c,e,f,g,h=[],i=d.call(arguments),j=(L.get(this,"events")||{})[a.type]||[],k=n.event.special[a.type]||{};if(i[0]=a,a.delegateTarget=this,!k.preDispatch||k.preDispatch.call(this,a)!==!1){h=n.event.handlers.call(this,a,j),b=0;while((f=h[b++])&&!a.isPropagationStopped()){a.currentTarget=f.elem,c=0;while((g=f.handlers[c++])&&!a.isImmediatePropagationStopped())(!a.namespace_re||a.namespace_re.test(g.namespace))&&(a.handleObj=g,a.data=g.data,e=((n.event.special[g.origType]||{}).handle||g.handler).apply(f.elem,i),void 0!==e&&(a.result=e)===!1&&(a.preventDefault(),a.stopPropagation()))}return k.postDispatch&&k.postDispatch.call(this,a),a.result}},handlers:function(a,b){var c,d,e,f,g=[],h=b.delegateCount,i=a.target;if(h&&i.nodeType&&(!a.button||"click"!==a.type))for(;i!==this;i=i.parentNode||this)if(i.disabled!==!0||"click"!==a.type){for(d=[],c=0;h>c;c++)f=b[c],e=f.selector+" ",void 0===d[e]&&(d[e]=f.needsContext?n(e,this).index(i)>=0:n.find(e,this,null,[i]).length),d[e]&&d.push(f);d.length&&g.push({elem:i,handlers:d})}return h]*)\/>/gi,bb=/<([\w:]+)/,cb=/<|&#?\w+;/,db=/<(?:script|style|link)/i,eb=/checked\s*(?:[^=]|=\s*.checked.)/i,fb=/^$|\/(?:java|ecma)script/i,gb=/^true\/(.*)/,hb=/^\s*\s*$/g,ib={option:[1,""],thead:[1,"","
"],col:[2,"","
"],tr:[2,"","
"],td:[3,"","
"],_default:[0,"",""]};ib.optgroup=ib.option,ib.tbody=ib.tfoot=ib.colgroup=ib.caption=ib.thead,ib.th=ib.td;function jb(a,b){return n.nodeName(a,"table")&&n.nodeName(11!==b.nodeType?b:b.firstChild,"tr")?a.getElementsByTagName("tbody")[0]||a.appendChild(a.ownerDocument.createElement("tbody")):a}function kb(a){return a.type=(null!==a.getAttribute("type"))+"/"+a.type,a}function lb(a){var b=gb.exec(a.type);return b?a.type=b[1]:a.removeAttribute("type"),a}function mb(a,b){for(var c=0,d=a.length;d>c;c++)L.set(a[c],"globalEval",!b||L.get(b[c],"globalEval"))}function nb(a,b){var c,d,e,f,g,h,i,j;if(1===b.nodeType){if(L.hasData(a)&&(f=L.access(a),g=L.set(b,f),j=f.events)){delete g.handle,g.events={};for(e in j)for(c=0,d=j[e].length;d>c;c++)n.event.add(b,e,j[e][c])}M.hasData(a)&&(h=M.access(a),i=n.extend({},h),M.set(b,i))}}function ob(a,b){var c=a.getElementsByTagName?a.getElementsByTagName(b||"*"):a.querySelectorAll?a.querySelectorAll(b||"*"):[];return void 0===b||b&&n.nodeName(a,b)?n.merge([a],c):c}function pb(a,b){var c=b.nodeName.toLowerCase();"input"===c&&T.test(a.type)?b.checked=a.checked:("input"===c||"textarea"===c)&&(b.defaultValue=a.defaultValue)}n.extend({clone:function(a,b,c){var d,e,f,g,h=a.cloneNode(!0),i=n.contains(a.ownerDocument,a);if(!(k.noCloneChecked||1!==a.nodeType&&11!==a.nodeType||n.isXMLDoc(a)))for(g=ob(h),f=ob(a),d=0,e=f.length;e>d;d++)pb(f[d],g[d]);if(b)if(c)for(f=f||ob(a),g=g||ob(h),d=0,e=f.length;e>d;d++)nb(f[d],g[d]);else nb(a,h);return g=ob(h,"script"),g.length>0&&mb(g,!i&&ob(a,"script")),h},buildFragment:function(a,b,c,d){for(var e,f,g,h,i,j,k=b.createDocumentFragment(),l=[],m=0,o=a.length;o>m;m++)if(e=a[m],e||0===e)if("object"===n.type(e))n.merge(l,e.nodeType?[e]:e);else if(cb.test(e)){f=f||k.appendChild(b.createElement("div")),g=(bb.exec(e)||["",""])[1].toLowerCase(),h=ib[g]||ib._default,f.innerHTML=h[1]+e.replace(ab,"<$1>")+h[2],j=h[0];while(j--)f=f.lastChild;n.merge(l,f.childNodes),f=k.firstChild,f.textContent=""}else l.push(b.createTextNode(e));k.textContent="",m=0;while(e=l[m++])if((!d||-1===n.inArray(e,d))&&(i=n.contains(e.ownerDocument,e),f=ob(k.appendChild(e),"script"),i&&mb(f),c)){j=0;while(e=f[j++])fb.test(e.type||"")&&c.push(e)}return k},cleanData:function(a){for(var b,c,d,e,f=n.event.special,g=0;void 0!==(c=a[g]);g++){if(n.acceptData(c)&&(e=c[L.expando],e&&(b=L.cache[e]))){if(b.events)for(d in b.events)f[d]?n.event.remove(c,d):n.removeEvent(c,d,b.handle);L.cache[e]&&delete L.cache[e]}delete M.cache[c[M.expando]]}}}),n.fn.extend({text:function(a){return J(this,function(a){return void 0===a?n.text(this):this.empty().each(function(){(1===this.nodeType||11===this.nodeType||9===this.nodeType)&&(this.textContent=a)})},null,a,arguments.length)},append:function(){return this.domManip(arguments,function(a){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var b=jb(this,a);b.appendChild(a)}})},prepend:function(){return this.domManip(arguments,function(a){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var b=jb(this,a);b.insertBefore(a,b.firstChild)}})},before:function(){return this.domManip(arguments,function(a){this.parentNode&&this.parentNode.insertBefore(a,this)})},after:function(){return this.domManip(arguments,function(a){this.parentNode&&this.parentNode.insertBefore(a,this.nextSibling)})},remove:function(a,b){for(var c,d=a?n.filter(a,this):this,e=0;null!=(c=d[e]);e++)b||1!==c.nodeType||n.cleanData(ob(c)),c.parentNode&&(b&&n.contains(c.ownerDocument,c)&&mb(ob(c,"script")),c.parentNode.removeChild(c));return this},empty:function(){for(var a,b=0;null!=(a=this[b]);b++)1===a.nodeType&&(n.cleanData(ob(a,!1)),a.textContent="");return this},clone:function(a,b){return a=null==a?!1:a,b=null==b?a:b,this.map(function(){return n.clone(this,a,b)})},html:function(a){return J(this,function(a){var b=this[0]||{},c=0,d=this.length;if(void 0===a&&1===b.nodeType)return b.innerHTML;if("string"==typeof a&&!db.test(a)&&!ib[(bb.exec(a)||["",""])[1].toLowerCase()]){a=a.replace(ab,"<$1>");try{for(;d>c;c++)b=this[c]||{},1===b.nodeType&&(n.cleanData(ob(b,!1)),b.innerHTML=a);b=0}catch(e){}}b&&this.empty().append(a)},null,a,arguments.length)},replaceWith:function(){var a=arguments[0];return this.domManip(arguments,function(b){a=this.parentNode,n.cleanData(ob(this)),a&&a.replaceChild(b,this)}),a&&(a.length||a.nodeType)?this:this.remove()},detach:function(a){return this.remove(a,!0)},domManip:function(a,b){a=e.apply([],a);var c,d,f,g,h,i,j=0,l=this.length,m=this,o=l-1,p=a[0],q=n.isFunction(p);if(q||l>1&&"string"==typeof p&&!k.checkClone&&eb.test(p))return this.each(function(c){var d=m.eq(c);q&&(a[0]=p.call(this,c,d.html())),d.domManip(a,b)});if(l&&(c=n.buildFragment(a,this[0].ownerDocument,!1,this),d=c.firstChild,1===c.childNodes.length&&(c=d),d)){for(f=n.map(ob(c,"script"),kb),g=f.length;l>j;j++)h=c,j!==o&&(h=n.clone(h,!0,!0),g&&n.merge(f,ob(h,"script"))),b.call(this[j],h,j);if(g)for(i=f[f.length-1].ownerDocument,n.map(f,lb),j=0;g>j;j++)h=f[j],fb.test(h.type||"")&&!L.access(h,"globalEval")&&n.contains(i,h)&&(h.src?n._evalUrl&&n._evalUrl(h.src):n.globalEval(h.textContent.replace(hb,"")))}return this}}),n.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(a,b){n.fn[a]=function(a){for(var c,d=[],e=n(a),g=e.length-1,h=0;g>=h;h++)c=h===g?this:this.clone(!0),n(e[h])[b](c),f.apply(d,c.get());return this.pushStack(d)}});var qb,rb={};function sb(b,c){var d,e=n(c.createElement(b)).appendTo(c.body),f=a.getDefaultComputedStyle&&(d=a.getDefaultComputedStyle(e[0]))?d.display:n.css(e[0],"display");return e.detach(),f}function tb(a){var b=l,c=rb[a];return c||(c=sb(a,b),"none"!==c&&c||(qb=(qb||n("

a*JBBjJ7aa4A? z0~!_>mtPra^&TBz_5sc30fu$w z-yGkcrNkA<`cYgam&bcpl!}7tH?0i~HA`%rWH#puL#}7|kE>z0#{9 zg(a~(`i6Qy@s8> z-0TJ5af_q9r@M_>W7Ui$HqMf7-t0~+Qxq6rGyokofcu`a!WQ2hxNJwsCh@V0gVtgX zY4%2UuLm;-^+E&s(n%rnK94|nVA#9rxq!Lq->^$)>@GbVxN~}CzgE=5`oWOM;o7Ys zN2hEJXB$UJ(tp0G+arsrq1PBZezZR5v%D2(apvo{-0O7&T{^!wIG+YAi90T>`8;A6 z%CyyV9_&`$xBk5;>SrIk&;6@XPSG>ZH9aYT8hl!k*)78=n4W-d)b{2l7v zZ`rF9hcq678{YfZu-|=q=7u_gAzGS=&S|yq9~gkEE~8 zlJZKlBwxDhE-_to%T|CvkY1n+SCj2Y;Z;=ny*>ZUsnD!|m0rEj81O~w_Ek}rx8e1$ z8c-n_cp*ESrF+&|Ml31m8+x>%yyx?iZ$X^TyRK*|@xvf{hxiN&wO`b|Qa2-UvEu4b zzzfzqT7PlGMD!>u3P3w&ptN-P7Ye%#8H}Dh8v>pck0B?ZMbJh-@Ak^YLs5cJ7^S8d zpLYe2e(6xx^lQg->C*3Vm?U=J&Qi9x{MdQGfPRITtvbH zhI4VaB{ElkB>#AK_F=Xi;u1;k+Vb^w4?baH-nz4Cx77sF195g~P*YjIu?~F1ech zZJdtCkRkwR=CH%wyrk#$ZgGp_5J$zK^F~%n6r^*(Q9{eX?fZUM*F0o+Zx&>^cG$(# zFTn7EGTA4ggXZ#dccJlgNVWE-W9gPTQmnE%0Xz%%_;)#s8JYof+U<)~Ylcj0F1ECs z7L@sk_77IjYBwN%w&YnFF~I%vHV%1Om!kS<9JA@_f6o?++xE956SeqnwZYCh_8vjf z>rRPi{rr$!U4xqTOI}U^;6t9&;F3NmnF<~FTA9xs8Qm8M*t$z-rZV62>k8#2zLz6) zr&^OB4xv3sE^dlQ*x~74C_j@PAcGd_G*e`FAI_MM;Jl|!(6FDWd$+c#P7_iz}p(NB@ zON$qkx#O{J7La>+T5%e)bkPI7Pb1JQ;AUnXXxQWej$P{rmQHqS5xTQ~*R5JgCvg8< z1PKQ5!5FfV374vW(TZIjODZ8kHy}Y4HQBx^{ba}$um6O&Xo>5ZtV7*j#;?vH(G`Ax z#naDuf@1ZRv_^HviR%;O*m$)Y@?bQtLTqW=wfi)$gCW`xlvlJ-IZ7-oTPLY0K}RQo zm}zNAP)R;Fr^`kd z1rpK0j29h4e@2Xr`T&NKpjW0BJd_MMS>y65er&t~xxNyH+}1_M&(&)NMTFLL-+v;e z*`J`S>=Sygiga3^?X0Y~>{$lR%ERKIO@@Z$cVKi&b9aa&-HyS;c=h+Qk(uI$5VeNU zsceo-o#TjD1*L3>^9ez3Z+c(oUkK${nc+mW@rjQIojtcVv}fC;deSeC!&@QZZB(0~ zf1S&zIG#s-g+9pmX!BOTb~K%^hs$5hJW$rcm2tzzErn$Ig(kOG!$DndLQq39#7NfP zSvj>wt%3-=QZuL^E90UA9xu8K_+W9l=*O&lR<8Yf*|IsWAZnCz&U@>Z@@aAl*bh2c zNocsYwi`NnDMPqInq~ei@)uzj=oQOy86zV#;Aw z)YEGEXBP`-G@ul;aGDgFE$npMnQOq6WJ)Yyx)MWrffq;;NH%CxlofEjo9t+fphp}c z=aW$RpN-+PkgLo7QHA6YHi&Jn*EcOF_2gT~S)PRNC&3$3(hY>DTOTEp>fT&Zsw& ziHb3QW?Gkqd}sPB>J^dE(MX;ol{halF!3@Z!iS;R@4Biis_O93g7;;{yr2>HuIc5J znA@c`_%aJ>FBY`8!;mTIv3VLgwd-FoN(3I|!f8}rhJUFbt7zgmzGBF@bToPq5MPE! z5QLZt3z>}0^xm$>SUSAoRlbVp0`nTddJhYI#r%!sYvzesT$I5bNUyczKCl_PBt-FC zn<#p5P7;5hv2|%<9qiN*WAx}NpM>|ZlNVi7f}w`%v9T9j%l1J6F|9*_vQR=^DDk~} zyNjYPVH({r$#MoBMW5&W{W}ncj;H-$Jr8K=fG!`SL=`C)5`y*L<%r`%dyz1{Ol@`4 z3^)ooyf_^5i#M1Z+%UR4iE*em*}8Uk{t|#)&Ehl>aVxMF$8gW@TnqJWAZN>F)9&Zz zpM5Sb&WJpOgSN<0I0B#kXK4e(zvoSYTH~M=NPEwJ!Q!UxaG_R8s8vsn1}>-EZWLt` zW(kB@KcUw`|N9FmJp9s=f0jkM8acDbRjWzZBTDpw>%pc+AovOjAnOKHS4WfG+|G*4 z1pEUCZz{xe!}x-+rNfN?AG6L%`UD?}n@+~`@ddXNkfQV$1JgtL0IYL(L5c+=5B1)fHCvefoS&h}~ z_--jugHxj>j_Khgf+;ADBvpLbh;FhrZA8 z!N>>A+7C-5tw-IuQ@^SyLCW~x0a`@STjgJ*EbpSAGasWQa>4XBtvJWv`nox@uT!D&>%$ij(ePvJqObZKRuQPbcFHovWk@AM_` zcA&sR6c=-DeIbfD1sFLTie;@|;#i;zv6C|By!|#u4bvZV!ZFy3Bt;$Fe7w%dC}pgQ z(FQZb9V<`?4I(nx*>rcHP-^fIIk@^f|MDq777ik-%He-~q#?Jq{|r%N@XMEL+- zq`Qkz(EM4b)HDG~KL!yNt2l)pFzj0UK5%%O(~MUAXf5>W@+%Jq*-A8`Z+Z zQ}@B9C#G5SddDOPCk<`CLFkqc7PcBC#=EwM%AbvxpqU8$kU|tljv-c~Pc6jJeTCLr zFpTDQpa+H)xR~7nBfCq8f>hv6VFLg@G%IMt6}xbfwgEZ z<~|19k<0mm(U1cy)YcQnLJ6&*h7S$AfzTU^__Q!v$S)J1RKFIkcmD2^loUq9TlJ*a znUB%XA)j;}^gP5k%h~Lf5+h0lJMU;~r*K4MFqF~fk5cXi+M;z_UX#3o|DawM(_SJ@ z_jrT}Enf12)aQZJ7ziI3hNyHhD|7UaO58BF!wKh@>Iie2tL> zctB{{haRD|L?JkLCkQ7>U%?Fa_la=k(3Z9uXQdGcOd`d&X90ad+k+I8A<9ezx{E2% zMn`+C8tCErTeLHjnU19cQ8|^|jejOgDpg=a&$xx4-PRF?1@Ou1Mgp>l>QXKpw zpC6ADVw&r=qy_EJUa2SR2LPb*MN|-Q1T$b8u%q?EkrqalB7w}Bv{A>gKpQnBc*Xiv&f1O7!Ye}YNv+WK;{z70;oN<1fKgnrC@@Yc6wL&k zjEM-2D#q`Xyv))_t#HwLd)Vc84`=R%)+6AeOPTQn3gSyT+cPO+eGG!LjN@Imbo7w4 z*IZXHevU!N3S(Z)!kI%y0ILZ6N6!K&Zd~gRL-`6xiZEJ3>oSlboJLs;2J}2Dg*A{J z?c?kYkf&JKSQrs+FU#L`3qeCuV_Upp)WXm%SQd!}zCj^8b)L~B+oZx!imuxlKfx(S z>$rZ(u$)E{E_&b?sb{tYlOqsAeisMinlV>N|e`%^=YSR%&PsDHhqy;ONR@ zfRnrv?noO8pn+#;iwrSFNA;(4rI|vBc81z$IY%fqHqP@K|5P=ke6XpG22oQSh-kGV zK)alHy0SbMHU|?*&A%t!+zXLP$22b%5-Kl&kjT2D>)Q89#ucMJu zX%a=rHt8|Qzzv^|g*fHt@KRo%7=v>c2jg8tpV%LdP@|zO@1i8q$I!ZFXF_pE(K_xl zu~p15#ZW?1DgwhE)N7*pThsMv$hs9+f>Bb-+&Brg!4ve5!jH8kP5FRWzJs8EiI_9xd+ zsT@T#7Xq18CS+Eu7+}5a50CBz&Z1{I3)c*96134#*@5VZo{1sa8D>SEH#ZQXP6}@P zQ_jmk3O(1-Yv6MJUr4#jtyyxk=v$?aAF6g)Mk^0q{ zbn{*yjGrnc8cvkMicS>(i|*5xOJ^;p1PLF%D$@?I~81d zvgb8Tph8_r)a+w`z3S8WY%vryY10ZhE#GEFX&tDa-CMlBI)%Z(Jb57bOh;T&)z_U~TR zzZ-7%c|N9d5e~|xA73}|O%{uBM1plY+bSFTS z-@CfGn48!Wcw+5ko`GugG#2-V!_qpRb^YLe?qN5BOE|q$DQGwI7DxTT101d#w+H!# zSX&-%+oC^em5zStB#lq`VdZ^&o99e)m>Td>OL%z6GTZOef9UMIbhyPdT6kT5hk97T za?yS6GDOn*iiS$)({1$i%Mi~2bagtjwbU7mY4~)T-F-P)6gpzjy+VZNbPIiHZrw^> zWMg0#ydha8`klTA_DOcE{|mp|_eRn>!W_;5A^?|NRF3CRVfurleb}eEK3Enp0#6uv z+8W?lhiBjABfiPdJS~WN;n<}IIuit)T-tR>M#Eabq-)uoo**jXXqfVT*4kr7*R#;3 z!OL#=Q~<@=ZGkm=$>m(f%RtMu?0}IDm!?HL$=y8(_zL&ZwX}=xyr}QyIsBI_B7*kJ z^RMW7{l-%yL>%PDE8)w#wAI0IqQp>1jb!VRl@RFy4Z%KuVMD@D_ij<}PBb9Q*(b8Q z$u=@(DH3qG+1)bVZPx|thR<|EJY!;f7JPgc09~HLF)=U$Zs;k#FnvIsvM<610?%h| z0z@nOw_o}mk_oP zc6!d?b-@P);W@*;7kGYC7QRlA!`Dz+hC|`u9$0SnWhC*{f@K%{*Kj{f{0xpbg5eG~ zZk)ppxO_dLW8mL6GNLZUHlFSuEeyg}H~c3o#P;)A{(7DD!3u^!;@!#O$Wt!hQJ$&q zxrOgQa=?D~0)SWI6!mDEnTnanmRk>%SVoa870vw>BSesNgEL%?vvJ zP;p&F8{>bHEP2774x_7R*tbAT`0c}sD|%ol+1KISh-0lT&)wlp_)jX7tko#tL|qXJ z)4tQQ@VRcJZ*+xE`*6S_ng8RiX-V!bTfsHC3Y5JNt5;cw2(XiY|JJp#FoUw+qTssc z+z$Q0Z=}&RP*dpjKXAnM#CvM8y!rH|fz|kex4bP$iU2||})ld`rPdSRg zXD!zr51$Xxf-e@peXx;@>nZ8%vw30qQv}$5=E#U)Z3VCn&vd+8s)l`~L_lXfSN6qu zx+DDe=Z%gp(_wxfrF@5G5QviH38LizEZqT~tHjwc4CnF85csI1 z*I~@{mIY!aTf&_8dY4u5+ERHC_ER!oyW|>S&F#M`+2!dSosEdtAA)UzJiAJe;}%U8 zyjkaINW?()T;zTjY#hndRs9h$V6^UeI(!YO4mbsMc@7Oj;Euyr=hd(#BX~(QY!2jo zZHx5g^@mmLFGPYGj*_p}eFWE{xD5{)X#*~UjIQS?*WrmEpAXSSSHS(tNn{H(sFs@R zx&{ebH3CN_BQB7>y^eNW3Z{s4WH_vf3iNO-pxg7@aRV+{;dwRd3E4-0X~9S!a=%B` z!OPBLzty4}^+TygpH7GRSxmANSMtc%h5qS{j;CV=3N0+A#4l<}PLfKpRFz2(#{e~) zt3)s5pEHZ1$%JNM<^%nH)V#Hik#}ZsHj>HeCT*+J-A>hq;xu}PL6PT$^A5JM=h23D z3937KInQ?3FR}~-j1I+t>Md*H45^>?XBXEHG#;=_(H6_@vt4-BVm#{KvX2K$c>F94 zpEG^Yeyv}yn0;|~&R!|fqs|OU;2JL!kcs#tFE1dO=dy#R&a=>O0gyPK4OqidC#{@? z-DX34B9P2!C;rj2Y2z=&Br&KYAf&u!TivfXCMsGz*;~Fi=b}bvCdN3|oUd+y7inetN}807`5SgpJX(sw z@N*V9>Rv0`SJjnQ%`$oI)DhEv6Y{@geAUvmPv=Rc4f0<0z1|Mw4eYO=H>(BC79UJG zGT8a=OTGUz=*Y0Jwp)_yOC4_{zN|$IpZv^>7&+gk>*QiQD8Zw=+J5CrF(?jcpFTC4 z=Fq8{eQN@BHZLOdFBu%Ft6iA*J58ALe{@on`P5 zDGoF{P6L@Gn`G^hg04a{_T195Kb-%Peb#Hyy*~@{@klqSSwrbu9Jm)S%qbD!aaNkN zuy0XxRsR0>o<*`xhKGo~2R`EDef)gac}a^UK*{bp9i*N$up|hC7r11zJDq14Sk%lm zqzp!5exNYP9(lyjtzY?aW$9@a|l8*ReR{r=aK+ZeoU8 z%Pgck3-WFSdH*^OC3YACcSRaluOtT0xaJC(c!a$ie85?{EsX9A(Bk8lEGjrF@3RC&CaJvud1yfWDq^JF$36P z0_FaRYrYV(y7T7GdLZ?3lq)hgHlOgaZ6IB25oG0v$5z)cP4pGiCy#_p9S**FP1}lv zzJ%QI=JsbZFX$@$|7l?%`ZfDd`mQr3@0r>_vXg{Dg}w#;)ontDllQWe#^-hrP-})UXS60ym%Qve_5Ol2M z&AV3M%bN@KP5u7GhG&)O7OL-zq}zmoK&Ya@I$3+uRCP44pT(@iF;$h+#3qTQdMYtm zVMFdG3*c^Z!`hfl99y44h{WjK;i7||4K5pYXdKc1!U5WQoEJ-FKfwN5gIJOVhY!!& zUDN0^KL>9E-)nlY^(&CY77zUNJ((lnln=%_RGoKS-SvN}u54o6`HmO6j3>1=F~zEY zjX9nxGCq%=+;Fg3bN26vNa{Pf@UC;ao%iAVi?lzSmYB_Fy-Kc+W_wY}(@#cofB2z7 z8Mkt`v%$anNR;h9(9bu?t1eFC=&zrKy|Sggj(5^8mgX?!?J7tbkCx!^P;&Mtux4kM zGe^O@Z0$j^li>4oH(TJ2b?>GMr@Ml)*`H?~65JK2l$Lp;wSBOBLF@d>a<+K53;9J+ z?1YfoMNFE0j}JpOlPBoO!(2lyyLmQ^CHwUI1s{+kPuprg}pI%4j z<$n=inSzcp65`mU;aUvE4x(o;+8~2U#8t31*-j=TH(ylS({_sgr#u> z-4^mjs>s_yP6(o1K(*dAey)Z{{EQL6wQBFBB@fVyQ;UG`O=u^OTY(~nRkbt>=h;lu z=%Xh6zc}?Re}LSL$r;n>ktw4D3icsNBIAd7wFf93WudJQL129wJmcH+VY+yQXZ365 zYI}i&pI+9hezXdOtYYbZ|7t+6^q)(}1#{Z=Cc(1EN?%)d;;@)~dBUU+9 z&z}7~eNw+KeAG=I_vu1kJ_FWdp_GYrV$-``8T%E~7>Qm8WJ+I*1-GXq0nU|wChz}x zF3IJ^mEt9Lo3%S|&Dpruf|B77(ulZF=(x)T<`va9urx9e?KgLLwdflztSLvh9;}sY zueCZbISACSG>SX;A$?bd)swb0aNGrTGe8&6X>&6copOX)Ewt`E?!*jS?d;oj9y>mT z3nb{VxGd%TX|SB?_1BvvjRfA@pc1$S5B(16YW*O5&?VU7ToMI8op)6B15^X!3IAEy zL=OZCHg735%;IXhSbvVVQW7F?y^K&4gF4DF@S)d7sLSac-tSosVX*aQ(`wPbydOC+ zp(0R0q}2j|mh&c(_~Xs&MkA>!Z$is|-mNGRYmrV`!JrLTSR{s-AIUw`B3W4Jm)InDk|-6BaiYoc2Kv zhR?bC-0wp;@p3UqcG^Irzh3F}VtZ9ec~|duEmtf`KxIOnX2H)M`C1wq0`p8~T5RIm zC7o))fI%kb`Pu2U!9U4yB>Oed1puCduUtH=dP}KQ@09H$6xhpn+iDk+Hi4P_JXJ9i zt|s$P3(9m|Lvs+}VY`v|=Fnz@+rmRU;ju_K>X|s6j!@5uPX1`wi@$0O`uiH&r7nTx zrA!fq_bG!|hKaBV36p!OT-oUG)Y`oSDPw+}xkVibD_BHWw0w#?(d`!2dKvrzLSIg^skCR{-F{Rta76ug@)G^ z4~6kW6U;gsOph!iDQWAJ2~gp` z31{^V#x~^X79Q1Kn+^8v#cArjOX>UtqH1!`Zs3%gqsPRv5v9VYMjicbOFBo>RV9Hb zW7>O)kSj&AeY5Yg)uX*gx>tB$!~RW! zdV5kY?A~${0cG6d9S;_Wc{RJJL5K)=4^Yj{emp61ii=mFPN>Q%amh}85Mt1zuT!|` z;i{U6D<;}rrX49YCG(@iO`+x6e8}iCd4xu;uDL)5Nm4ywle}NhK#ATMlk`4u@ zY8|Cy#NC8iR)sO6d6$O-ztc$aNCRWX&dckW2=i1JeUe6)ZJgO1Qfq&Te$cD`Ld_3o z*&8>I`c_VB;!gCcA>q*pms-7quGh?;J&Ph&eL~LaS$9if9!i}g-Pe;MTra-y5X)-c zCv@_Y8|<(rtQ$kS%XT>j9|xF8Z}uz9#U!wFJ0w_tEMPya>P|5B;)!z4D1lzf`wuur zb|kVwV=?ft+#WGEu?n_Xf!$h{vC8BK%7b0nk~hZX!*(dXR47z)TYt=(-Ph99ORKAU zsgqJPCy{FJWhtYbX}~!4N^68E&!*F-V-38E;B1`fb(zj`*(JIQY;`6GV$BbYmi1O7 z&zbb8UDkXdle1TxAXOsQg=@Y|+Ni3XGtW_7&MN+}(c+6ML84pRk14Nx-qmKWQ8OsqTn;9 zFMgTj&Pzp3yBAC|wsf+4Kg7(l>{A7H2I*oFIQ9pEXK*DlozVQ6b(ZLTLIvi^$R=OI z?%0!;Ft1SqR!iDYLz7!Iq+8hLdW?QSPg1_cvaQ|)UL=_R)SEo*)f_5OkY2Q<`$?mA6nEoAPoWp&BQV*r;Xg zriQBLeqKU+;2&nI)F&(^C0a-o3VkX^i2R1E(20F*e@TNS&`jVsL798iU`_jiGgU{q zMmx=3&;7(c!18-%N2^U7WAzh*oY%v(`Dd`hc1w8((d#V}$_~& zSA?l0wUvXEVrDje)9L&<<≫R!;p6f807dApEl}DBjStjxKANh-upM^Luf?^1G~c zGwS#R2Mz(?45+rTkGSMbiP^_Sd*tM2mR^M&EH}El$&Co6UUr)jjZE>y5}hUsVX=A} zFj0W)5jCJ5TqAMO@WFNvdT^(nfW5I_`&#LU%e3q8zr04Xfo7r6HPvGs0 z-M+3B6XRfPvK{?3A%(`scUWPBd0w(jIJa)l#$A?Cyj1}_h1#DItL;~mA3OAlu4!v< z%<_=lzS)^nnh3O&ob9b+0=~CFpfZ{{q9GwojmHWs)R+X`X*r*+K9E@yJesr|@89x* z9wQ?otx#((r$w0f+hjXHS0#?YgFd@WokZrIgr12Q)$OOv?1{KHxkEg zdmS3ISpHGL1d5jVVp&_@CQETa^~7;Tz;yG!FcGIu@doGSd(zi^wdHH=I#rQ$ zQ>CPVOk_2W5($5&HNRZEeq~tIFh`(YwbJgQ$eh!j1WP!G{iI!1k^e=0s}Lt4?Gt&7 zw-P~&Sj`?CT{`i6IkJaA7TAQ+{a+Kpxs%=G-a55o@)<{D3G{h)-y1Rswd5wFM8X8z zUG4$gVH(a+PdpC2)@rR#{>)Fq5A#F2Bl}eqekAS);3hl@{7@3>UxuiGJ8{I*50i&Sa3iN5~`z;#?4A%4O`r^!VB}zK+ zoMcSq#ncQ_JVUk0RHW={s0uPjIK9IN8FGuN7E;N-8l}X&XWXD`_PAu;BBV-;n0CXK zH)kM@AAOM}&y()S4&x|xSd`HDpGTChAXi#)@w9R1zn#rFum?w;>2B3a5|3U@kH_PutdXJ7$pB3a?BLlp>F#X?vxbDU z&p+6(Q31d73&$FE_y5J-TL;zEd}*U-a0u@1?yeyOcXtc!B)A0)5F8Hf4#C~so#5{7 z?s5+=ncv)*x$@nw>Q>DkQ=BU3z4zJlUaR|A@~qySBy5BUQCLKeyh(Hg_gRhS=7O|) z*1Zz$^F+}`LSQFYe6{^l{ux2|S@d;X(Y4J1QKD(QKDsXZSr4G0v5)~fAb`<;c8|pv z6pr0mMQiWSeyL>n7aq`cfMM?mVyt6|4#t$<1#9$W(14Biw@&YL*}Lo9LBY&m;&s_m ze{RaDL>tLz(Q%2^MepN7!>G@R z$&C>9IXYd3X4Lr6q$$9|=N)TEj*NSiC3?&Mtlu?C_rJM;U5Xu)+D%DFy>=^HRrCcap*$HNR0YaI)*VKN( zRfRi}tG^pYF}wH{*m8^{N|x5mm6oTt{u!>4J8B5#AaSnv+rYQ@z+_RGMWX;kM&VBN z$TwQWMR_ffvguD)Q%j+FqQbGk-M!n+ytP{Ws?EhE&4P`)<(^!R&xH;3df^h}VK=Dr znm#3Ox-yqQ&;<(WT1wO5t2Ljy3!laqSfn`Lv zULU(PELkT$=zriB6t7+ps`S>#Ik!&q``;ttKo~ujeNXSGw*Y}o^);yB)B8zTr{;fP z9LQ*$0xiq5prOsXjr5MeKmEtvwfjuJf%J7m0`7aDxn|Vo{%%V2uYqW;^-Q|+;T^w$ z|Ayed=fBaHp=?^TX)1XXTA#%5Xoq?QS$}SSG>|!kYKv#k?HgbauzH?I<-x`hK{*Z`lsur^p^?hAjxlIeq^zyiDJK&3+1y_kI~)S_2(R{QPCI1JkP=Rxd=AfD~QAVO)}A`=|SWeHA= zWFDD8!m>&6Bd6Dw=WFEM6`uXeU(PJ$Eh(bJ%u)5>h49goPs7%s5bkh@N#UHk zYpB$@#xD&yur-YP@F%rd1FdGao(rQGL;cF5g()U!8N~aWd);;Lwm`nX?MdwBJ%sB<4mzMNVNT-uX+_d>&t5_a*oRfx7Jl;X? zc9XRo`(m-t95ZSflakjnQ14YuMBNg+VBy4gi?S=G{%}N*cn1<7y^W$fc$6nFN;wLU zJ9rKe=&=rV0s0$LcmRpdN5jzWV^j4LRZv~D0`us${P0HxjXGEXU?p^lgS8pc5eZvO zWfqG-v|!Siu+$mvkrg$7X_CINjTI=fi=sx`bE2Iu&EpLKn$`vJSSvGFCE*eBa&!B` z?-_os=~JdqeFqxemi~|n0#P&?=G}0B1~d$xPLNJw42*H@WmSgnbmtJER~@v|zE1qh z)XG@%GEJABG8xC;r5tOY8;XaTi1HIS9b{;R4hzhRahMf>I!8thv!%x!=vp_OqvBane=UT3!P4u_J*|@!V)|qey#hX1^E|1J^P~0iY zq^lv|xk(%4bqcdXra}|X753>A+bcw#X+~YEVfe1A-X4p}H-Wj*RZPqGx?ePR!jw%G1qRSs`eEd|z|c(Okl3Y&#j0|K z^`?oXNMbbtmQ|(LXy^a_{(T$gWDg^1&)v|Lk(~F;yBptumXZcblPgKOW1lu%+ zDer593!QNA#&;gA_;0}7*c$THY4CVyn3`$VDUmiqIj|z*Y(JZ!~S&IPOi#O+p;VlLo(d7NbF{RF4 zInFDVNPe?G_A*p$*cV)FUC84@{jb_9AeP!esoGUuE`n~h!*FN3Vhd!lS1IFhDZIrl zdwyT%-$8N+7zfrZ(E{FElm|cnMfJ3!!+poo1|Sm0xd)*9(^?aGiy5j$Lah#3yYA4+tpTv05j5(Ka#Eo4JF7 zljlz7FNtnip45Z^?p95Gs>U^(mqwUg7=$;tX>PBjxN4qC%M!K}+?8(K>5WqE&1L+x znkNS}(!aN@c^_-tWZ0no`C99alHhy*{l0W-ZwU<9N{+3L*X$>UD$|KHFTh1@unzVd zWZE|`|6FIFmkP`cpq|uT)Iy47N=l;Uih7{M0XWA1oU4+0nuT)fH6T!>_IODOgy+iw zxxu%{H=VxI&5QYqpU8)_(2aktP?oc8e4#)EGi{d01JGv<_E2s94RC%| zlbl|OJtW@eFVyrImejuMcatn3Q<`}!kaT0Fxl%TPV@1lALpCEPpWcoccGXE&Cl?41 zpDpr(RUr`#kkt85yk->tv%e9-EtcC{|7Rx{YKx_2;sY-gc_NJwOiS~c>O6}AFsl}q z_Pu2m7V0Czb{Y*1(szUa1**sqbXdTJ^*!Bbs~fF>4@(&j+NZOQAgfQv1#)o8T8hah zyXl1xIn={^%CX*u;IzPL+!?kpV~8gnQwR--v2i5dO+FQh0(a*ifsyA=WA&*BUNlDt zjYlkrO*Zl!==2s(D%Y_B~oDKn7YLq z0OQLT4>1}7&jifGa9zQ|snWtgXeZ{dc7m0NmcUYx5AvM4OmVX{P8mT6&�euA_WJ zAlC}2`AJ0=pYIV|%2+Wa@3z!?q!SG^T)0H%nm8-=nbJ9I1aBU2QM#F67 z5PY~PLI*ekbtCojkZT_OwzEk8LgmH9B~wU+{!GA{Be66uk{quFwpFE8TB}uLQ>FCO zkaFlZFv>|9f?UZzBW<|@V^BJ&3HSUJm(Dr}YgC8wfYwPGb{QV;U~`>hqpJ&x&H(yH zqcT9f=t4LOhN3Xbs%yKZWFirHCY0f0qCVi8uDZUm7KCvr$3Okb&dm3R9OS{gXdR`a z4q%u=D7!P-)rDj*a3w)*Y#*WXfYG5o!ZGjx#LCyuo5hYo!_gfH{-H(B2>A+o4p(t9 z1lQt3-1eOiy;evG%I-+=oMbn&5=;T8v>KXrb}75KCYIfcTJpm}S66D~dI*5AOYoV< zBtvD>R8%qTjcXkZe8sG8kd8bBPHqY&Mn9xWg0)tjv|48tAyCipnQ76GADv`~(P52f zkpdvumW|sB(~mmCnkQD;VJ2cOx3CMXz+$TnFybg=O)M^w3>|H>WGrG8W1K8<-`lrN<`I_#MeT< zo~C=miErjKI{L)dXKeTQOFx4f#a0?ljr63c1OpDV6=6~9TSMxm^|;F5*s@KKH(B(4 z17sWP*HGN13se9OWl<}xjM}65EEXyg$E2T3$PtNJG$oES2An{E*nVs`3pkqf@od4p zZTh`=MX2y^R_a$4F|d?1p33Vb@mOS?ql4WZ`C%Oo=!mxHCuksoTd0X9z8&Tg!> zXAbF%lugO^;oGHe-shSq&}Tdm<+riHc!NiqJRnxu?0nz--#KZ?Gp{o{=16!ywqfCl zxUrnJzGY45E8*l>Sk$^&bn;_b&S>$vNdV}hDKer}lQTit>C235o1`7>5ISqM1l-J7 z6uHKS)O5nAuN>#Zep|~qHN4-5IPhZB9uDx`=4@rzzUKMfQgwQ+P`YV^89~bEEE+0g zGM2OZYA)6I5Sgmx@Is+jmlK)$*@(S{hqv&kRcMhfF=g3QBCkm8_lR3yH;UMv+c|yW zAbB%jp5Am=?OINTc=y33J>c+Mv#&LcVU=OPI5-zMQuGQY3+?abrb+CFL?* z%Bz5tA{EOM#S++v>=M?35jTBF_v8w}r1DI;?L3OvI4Q!cH5_x(+HJD_g0T%mM8A{f z7y4%Ha(GXJ9Rsyf^6>A>0f~WHC4!oT$wG_koyJQRN~?hi+x+;>`BY%QxzH$e z5UqyRDW;3)l8j7$szdf!EXda?8K^%c(+~57 z3Sh#rsbNYF@&oH5Ju8m`Miv+8EQ1iOW8xBT_Yb6k*}xj2QR042rR>pC^73o@+$h+@ zezONAc<1#pg?Me5qEg`+Re-M_-3;BNV;ttQGR4~$^KdwudLt0r*ZJ|*txug-`Y<== zihR=pb*YZXJHehc# z64sq-gH~pUd{dfa473>aZUAKEc$d?SQz@$9jD2MY)K+|&LNqc>k=P^)gVK7C)jicd z2VqTgz4dfn$~;2d?P2KVAGaKdawBZrjRywC2~4JrG#V+zA`pSHc&<}7MtfbisB9ZW z*aEUo7dndM^pOIJ;r#HeXc)!=wFU=pWfW=0(He7k$^`&9V#P`Y!ZM4BTLo1krf_mI zpCOcZP0Rv5@pW$bhNPk&7(A!aiG~wm)Fs{6eMvmx>n!F6(+46QNpBfp=(mh;J1k!R zh#@3r<&2hk-+)btT;O9TuwKOrYVgzk9i|7XTK~X_iGcG7&Od+zcmt%V%^j0}(8`1d zh*tlbCxMf2+3`7T2ws8e1u+ABu_2k^u`r1qCoWOMT*xssU=N_#w zoBt+d%mrmW*|l@$O(J=>@?1; zMRF`ggKiQblx~jDYXKYIF><@*uBhX_5y(CO06+sp4dGGR9^foGq7*|NONrI;yTl@Q zxK>A31w{|KGT8{o)KWV#co^}sAE4r#X4CBV0A5zKWtuHcfl+YN40GLVRk*P^F);GY zlmx5x0J4@wvBEx9TEgi?w055Q0rXUtwW&Qz7T;&x?>b#o_JrV|D;LYH56LZ5`cWij ze6vylhlVIUNpg#Y9GsS9r&x46iKSc&P-mfT%1h{_)%19%(1Iv*_dN0zG*Ynl<|2^N@{NA;*_HoRzCMJw9s3d^_Folngea7tg)>)4XEW z<^mM;OmAGn_|`{&lqwXXwh-s^@uZ4q9SOmJ$BJSWU=|iGr`Z3u;~LNv3Gk$N5WmkY z^h0x6+lcDD4%W)OHNU2xoaRkb4?xxpB2NH0CDi~@Er~+Nz;x>a%-(??othKy!F~s6 z&HJBE6+~DXf|4IGn3EmOU?{FbSh1UHgw`P(%@$a%XB&08%v4Bv^meDAIIVg5JMV4s z-v+7usEko#5ybk>z;zP3QX7&Qib&pU2fGj1IAr!1dPVA0T^rn*I+dunSNKQ!%VuUH zj0;CazG!`k1$LQAZ6rBBIs=-|f$kZ?;aZ0!$!f@QrB*(){o+M8i&}F$mYz5_(c7uf zNLdkL6b=sUJitI}Zy36$1Wtqk$U$IYP|1*_BT&H62XVaf)6N40G|j@Gr$_a)(3NN8%22zU>~Jf)#}-vu zb+wVOltPxYLgdDvIx7PcrUbPCquT%SmJTMZqdb1WUGD$y1YBBq1|cL z6;})=(bgpi!L7+C*!Xy+U2%UzbjGJc;Kxg7jMPrIq6JW&skWOL2kzS?!|pyBNe)5) zePxBr+bDJY6>WYcz3xGZ{-Z5m^mefZcQc-^JF#>vkiB^{$&&4wE1h8+blW-645%KQ zkXhGl2cn%jv;SWn^66)sY#<=sm{F9xvxMQ3z)WJ_y|((_s|oPcCkGh3zE&K< zdo1`O-K`N4y(KJ*_n+5pCwhPpLr-9dUZWBvcvn90TM{(0<1Gm)(MEXnAq`yCsYLL6 zNs9&Rt{Rf?tV2-9Mexjv>*uXsS!M_@I1kYpim1QYL=;Hp6saIs(k%4d| zT>+P8nNi^Vz)u68sOn(^?)bysQm5It{_mAUz=UPWk;~sGo$LQoDiavrCy5P&y>pkL zcxy(S-#)xkp8D)>$?K8qEzx(0hyt6q+~5)KtR)Umwk10X-$>tOOA2g;rTDyeM?DNE zO4UoM2ITi_>VJcb?f*}Y38b!wb_c}0oi`+NFuc5ADM4lp77wfX}i|&1L ztl)D+17Fli$EWSPTk8Tv?ML?%ur4C6m<0K^zzzP5)y8!9(R1CTpS&ncyhO$I{MBB1 zHM*h0$kL&$*Zo%b2>gg`w-d`bi8*f4eRxk3?Qq!vi|a?uV|aVsXQ}YpEM5O>Ao2c% z$2WT1>p2Jay(7pxb`z9MCrDvQKx+W z(&!rw%=5s$(*XbVEO40LmUF&Nl4~B+Hp4>RrKJ|X)yM)r(s*3M0}MAcCo{G5dN%(5 zULiQ{2rMk%9a&sHC268B`)TD=3HB}tCVQa5cQvzNrv5$2DK=>Bp)8^B~)FgI|! z(YGGXthXBgCoK3vt;cyvj1IH^JBgHW*beM@MYd!9N}O$S`Fu@U`+GmC-^4pR+JyOY z#DOIm{aM{Gi~z^0BC(Yw@U-q;d$ewh=?|{>GNb$i=w7lP7yXoGrD4BYRg(5>WPa zdHDk^@6YJ~Od8JCK)$CC^<~}=XL52&_g!d>z~*Oz6Dze2ZL!@(aPuo=Lq z?&vw8zzeW)l3M!g_YdOQ=^&a_4Ix;*{6+{LIcZG8ynNU4(HgMe95GMfT@!Yiz+&{& znM=c(cSZ36D`4yV%mMGx1{Q%ESB0Do*2K3)VN!eHTvn$s7QIhHXsAJ8@sjJtqfR5> z5x5NG6#IQdDLG^;A9=J5@opG7|B{Pie;+yhJ|`yek2)6BljH;O%*OcdLw-#e56jxA zqNa!bPPWg)nPv>&_})h}D2imA`Te=0UygraA%6qd>q0*2nZL@d0)JdSa?u>)4%E+H_z4^0|;{VJ{PuiJU= zqi+e++No~YDfv=sT@lwncRt4h`;xEW{?sf^f<}sLZ76{h>8+j_c=1*{IcL*IxZ|N> zR}k#Y$Y>QYtpT;NdV2}Xn2A9Z?atrw|7t|-Z&gD-FZnHj>mCjhIh9peE9b-b{@UPBcML^AH7BU+y-esv(UjN+03$(i~tP@!tC=H0yJ3l7B3kv6z#L?z(P5Y0M^f zB%N3R4HT{5U(uF;UyjH=44j}QaU2d4aProm>sL*(g1wJ`P`vtIBeJ{-vW>u+*QCQ= zFIG<3lyL7hoe1itb-qV7X9otTtzRuU#*%gLDxD^?*HG`%vmO6zgu&^fP9_YUv7srz zBGw|>ZS_cz&L;_t0`5`;2THPHzJXr<-;ikGsByj}(zt3-N{-#2DhB;;g;o@>*zf<$ z&?f%}5|*eH-sM1T1?M$wc@MekUmP#Tf1q)_IhsKJZA6r-LTx-o{Hx^#^&&X`A%^U~ zuKWFGHSa&`e%YB>*#2$Z?>{?5{ik)mY^?9QNBu9Y`~5FlSN;1&Rj`aA#!lv6jm5qh zxc-Orz(ns`TKzAs^nKf%?B7@Vjx&RTfPi#nycC)uAO#5-w0nbse}Kng(*K`7{znM^ zGZOx17W~gF_@7zue=`fhKYXB%QvApE{WU1YHb!s8?;nfzk8R{&;`oQVGShnWXGZ526f50gKPz8j3@rwj}q(PxUi~T@M696DyZB1I) z^=uUc{&=QWjhz;^-0)bIw2ZE}AH#VQ5t8%pfb}2>8KI@_7+O>8Y#)>UB!q;1LiQp0 zm=Dn{n#{wy2(JFJgng%X&jI3U;95K!c^&ccLm1EJQw1mp(P-qNAQJ}>%7!Kg6By_p zHXe{UUGexO*$9(0?w|%U`A;Br5FZfl0|Kz-UNKd*HtoMN2l8Qnd{n1G(}V^ohQBvF z2PKwAv}Ci|428`R?XcPZhzsej2nPDG9?lg&LR!as2H*Yd<&~InOOPpG<5i6!0ObPn zwG#5ipRqQhS5!E40IZv*t`w9D*g%NIx=Pour z_r6qHGqi1IZ)B6;VV`$IRtd88-yjL#qFL_4?#n|ddoWE8Vi-CFS;h!2^AZ1a%R1>* z;>RO438?4fSc=UA|2#UBBmez_XILP{Zs)iL?8L6Gxhgy^F;WsE3q}_Ey;&^C;6l?K z(Xv0mfeHA2IpYE?)l5j{SQ4VoCycm{pYg|iJ}I2EIezZiWBJ-|bTtwbt{&pp9|7!v z!AQnu!EDC9-lmuRMY;S2=DqR2Jx&7v!sy4(&wp04_DA7gg_fDH^pS>rAU}fJpItyL z3Snj3NYBc3UYx*ERTuxeQ%fSpISUc^5X zm9aqUT88NzA|tMJaf%p1Fo|M;hw>N8tmXRr>DhbUr|i8ElS?5V1vB-l>Ku5@^ad$# zglIPNerOv%(%1S}9sc34K#=1pCeSnDxU028peNig9Te%zMrP1fs!nmz><8N&?L26x zuz6cE3Ism}B*p8QzEQ@ECKhWb@f6`f_<9F4i19FwSuk}k)(psb4hElJ3dIzPi&2VWbvCpHMIwaK|0$Wxn}Z32 zq8-HwM7ABl#gBgcFp~(yq6MGKPdO5lr9;6EEagK$1{T0iYK^7*~7Yqe6G`L@IR*Zl zW-tx|5ISu7O!U83dc08gW>pQ~}u%#T9BVjFj|| z^n~<-w5+s`bg;Bof@A_tA^~$4Gd(hQP^HM{EL`T$1WCRx#T2!uVnJ2I!^0@UZo{~V zg~LsWa?E-rt$j~P_fT-aqMQ)!A(J?+xGp+lI%oB?is5K+GVExWfj|*Td!j3RouA7oshzDc{OQjh z9*G|Lpb|f)b_J70lZIqRZwmB5P^KyUoQ!6TWKFF~s0zEJ$CimBOO65Wckd_Pa=O66 z43~-q`c*^K{|mr@i@_1%H}g8z$Va2gH9vmQ*-^`g5etAD&y+s zf^?>Od2`8d26K^k26>LZRkZFtSl7?kYdb(Vnm(d8_9_fQnn6^qpx@N4;p60E{)yoe zcn3&_pRXEZI$Wkdn!mQc6Er%UBismF2(%WQ7~C#Q9gJMaSx`cde=r_q13e41BnCT5 z?k@sNYm8^2UV0N63}PqAqtdz1`pEh)my|o#bAoen7!4TbV76eKV9aO{37rA`fz9ZW zXja86MMT8`MHR)d+{7Hm+|RjklFpKh{r!V3gGVui@rjY!z!l;$z$@{iNC&Wodiv1^ z_@nv;4hI8=(xXmQgs9D^{b{yn`4mN{Eoc?d$Ea?o4PvhVS%6=F53w2mnb^(PB7k1e zS;1UUPT^FMhhnVawZe$%vGQ|aUM@zaY8FTFXkqIoewh}9=c1p!qTZsdy{IzLd9gbT zBOgW>57A~JOL&`X#6ya=Giv0DR4l(}i6!Uhl<*gl=5FRIWv~_uQ2Da7;=)C@ZF$FjFv-6Ym3%;&A^qYw<{$WXFAkNHZ%Vj}kvSsQpYBr_5lwhcB z^wcXdK{lQmVDK{La1W3XUb;3eVm$gt<9<$1wW!O+5MK|8}T!s&&bg%$*pi9CE+ z3EBvSjc9C=G1BU+Z8huJ3*GyJ^_+mp%*w{AX-#LP|!qrgUVqdlywsE=H zW_vs51>7W!m?o1~f%sf#!zEf}A^<-DACy-!rYA-zMlU}hFJ(3O=xTMoQRB|a4T(buID5Vxt5-_+dOek=7|XX4_ zwT<%iOjUO0c-Kqgu7{V7Us%30^we+MZQPO*kf&lgFe(FJ0VZ*!fG@FOaZP~LlJUZV z0<_&F<`VHB~3u>P?vDi(YSRAr1TLMQy4dm>= zEYb|IW3VIZb>?+8!U}>X(B(0+W;1K{Qrb4rh;dPRp+C_Qvq81ZU)8miwMc72^)ziH z&)K#G}M~Nw6nSa5{1F`*7x<^+o=0 z{hHu7tx=380>|yz4fk>8cKL+!#Mag7ynZwIIHoi|T<-D164cKRoJiq_kccvTAuc!D zu1}Y_>&v8bQGSebdRwh%ZW>pTFDfGiH+vkn@pQcdRxa^i@ipYw$tg8wK!*a zPWfIhw6^MU1N>I++u~oxpZ_%MHE^|7dt$eFSbXuyJcT!uH|&xT!yC0O|}HfsEXZSttYwz&xPP#PG!F3ZZVN zG2pdVa8Y>r+6hA;m<7xF^PYSNQxzqd;*lbpZIpJ)-iDaKb|uDx6l}uxk8s_WIg!uZ zHd1F&6FEsan8r2RS=&QsX|(IHu_|~fe$yyZO6)flc_mVRvMdAltfo}PyY^b9+6*F_ z1V+b~#rxF9A&gn9dCX>Pyq2?uE8A)M9x`N-j>8cgnyB1=e~$c`p_K7`tyeytO07}r zm;28?gRvOhfE8l__T&Q&&ih)M{keth+n|fNA58jOXENjYYw4LrzZDZ?T%p2=NdUrBwI-(5G8o6fG+-4qbk`|;ytvz?Mg&Wq2Qupc`IeqR99 zrS{_K`fNE0j*&(8LkkN&I!>zl^P0^1;+^y8*FmPi)=F<6jBqm*Tp1A50+WKPtGICWP90Lhs3a3v zpoY6W?&Pf!FygrVR?%UxyhQ2w@;U0o4yyMFl1Uc+Ng)qB2$j9{JM366GYdxxV-CL@ zNUy4|eO^5MQm&H`jNt`w*>O%e&)KKhH(4I7Rv@#9mj_oDx<%(q=AB$VXX~VS`uas= zSHy&}4!C-4(#AuTUfcAX%o7x*u`&LtD~jl$C>fb(<~)EWliH0*NPXhIGRY5K$S+;^qE|Px5p*_nBjIA zwD77rl>dHT?bgXy`oxq!!*!gOmAq(AzHc2#Y`&`IyGMjEUKuxY!s9(!|0W-OjIH{b z>rXF^y0e*vbCMIo!)PO}*JWDVvUZh0Wer{U=IZ>$oV?A8EtLuOFwOYGsYbxV(a&gH z$FNk+z$6NrXETZwWD5oJX{(r4DI2KcNqoOl`rF?pgg+ve(5H^?{=XqkM&EIr|GmmBv?qar&qm-E6%cKGCzNqCB{9wyi`35 zCzs9c47Rd+zEVrJ5k2Nzhw!usToj6{ay8mJk_6O<&v3-n4Y5-f@_YSDKC zlDh~gu|85HFnmN!cve4>Xe^$vYCa-E%sD*2^Qx|AgsI&jr>D_ zk(u}W8s%HGm7Ul$xu-0Jq^jCY;F9A#6{LBCY>LO? zn?-y(fxTpjp@km>XJ<8}_+n61ecuEKwYXY6HcU^(l)Cw9CRgtFA*W40z;$rXUm|{~ z-dKwM2{$IGHZ)BOMk}Z4s0TKEXi*S9rt9i~px5-`CcPZ+(19x*_Q2VdEW6t1?0yn% z79wLQy;#^Za%{^}al3WO%P)RJbL#bn^vq1k_RH$T*LX^6aIL_*H2QF=W-G5{PSNz@ zR|hMnlRp05yH}pTuf;H238@&EpldK=uG)AYR0?21n&72`BOqKcAa;}BR4;tq)dZkH zj@PT#e&|%~!z^HUJ{p@!<oi`ct}x=D_^` z^Fd#kDVZ6HIV=H5{ZlbG2l`@AYFFVpi9M!0;km_~iwCQZ_!)&Vb7leu>oOTE>TP?X zDe5Ir2=5TcKnPps!5Gf~Mptcr+Gs~_)EIT2hFC3`;5O{G=FaH4!dk;nQ>=6FDOwxi ztG7@yQM!KiIEF#-896eeLa|widU?IKOS(v2P7Rvs@6Qk3p)qt3N9Ed?&27GbPWPT~ zxlG37+j2B&Ds@HJMXZHLX4>ORt)nVZTFH8k`J-C(MXfpMU(4}Fl_*3fdZl~QWzrHj zlBPSknr$>}9lIWWjvy>HBB&kF9K+#x);1a`7e}ZNnoIySkpN>irKdMp0h}oVbm1FLv7(o;nbf*SR&o z_;}5rl+Kj(`B6fRNNbqJUW21W=d(BD0}37sxD%>)vts_J>>0qbYOB>6{9*!EHz}s( zK-LOO?K9s*v9CK*PY}ag%ZJJHpY(^Mu+8HY`C=%*ihD_n!4OwP_C*o3i1m<5iw0=) z;lw^t23MsW4F%Z6+Vg&Ayi~q;IE%VlxO0X!gBga^Ma_b)DjH8Ol zkxG>ME+yB$6gLtZ66>rguRuoarF@`JsxY9MTjW}VYc6hCY4M_d`{^+E=4BfVSL z!z=FNj`uPyM!(pb{gF2SW z3rmFV&9~ZDJ7-a=My>O+oc2<{SNc6r>w$HHJ^PMAM*RGxQ1=tvAL+|Ck$I~{Y)|qX zYdX$l76$eg179ISbwwo>cgeHS#U@v!uM>@v#)qWuYb8pdI7@Y1dFX&)wOgy8!jwdt<7~*KRaYg#q3y*?j**g z)k+-)^3*LmpR%}7y#^IIH@r^A^!gMN*X^cs9W!R>MTs%CRe18UU~q@0a^3it(pb8^ z#0>4SvUcgsn>g-h?-Z^YVn(-8J_l)qYF}tMX)wPORu8styl4v{rC|_&A*|td`Xmtj z>DS0Xy$2g}JX+(HCAYvD`Ni?2FPkxQ)xe*LAi-+*GuKJ&9NiI!EEuMrr5`0##hsTg zVrD{cAa!!T44sjxDS@E`rFj&EI^2BoT*KTWcldX=sGb462A+no%cBj1wZ--_dLmLP zDiI7#WG}`E$^{ZtT3vDl8VwQ^3QvhV-P+GK;$D&lD#213x;^UCI`qPxWulooBaYb% z5cmkoC2oP&wz$Jsk~pq7ris-_UYu&>bB2kQ)0Uqr9hV}%-VT47uuoRH6h*|;n^mmS zK!O`n($(`w;hcW>Wy8G@n49zP19l2w0d)zNMluY>GU8)sXvjgtOc3`ctvsln8f#4P zAep22%oGo{?Z?u!<*~`78{j_M(abeJW_>E8tBNlJqey+kPIn9NhXgwS$qpCab^G`0 zAYV*ZFd9>ulyX!(Ucee0^yVcYTP`+xBBg9Csp9qYuG=`A__J&>4dh7sMmDr~>fBG{ zwP37Oj&XV8PGSYm4k!eyegGCsm)f3kyofBsH|Dd~?=blo%R)6<2t07_PA1)N&!dA2 zkx-OwCZ{3{(!m6^hJ!|%@4u}VUCt6#neI&OoQyV&A$eZj-xzj$&3tT{zkMK_5Ul)B zO!t%FhQXYEo4$nZk+H5gsPstN^?Y(|H#nWO2v=1KYm*SS7-kk){UZizeWFK0BM&V& zhyav#?9udeZr1d4tYLyxD2N^9#_SJXcoV!Qq>K!IAD&?)6s+4s-k**VPrO7pY5 zF%)mC1qTZY>%XWB=D!EEfIR%?&%y@Zjg5%d-uMkgBAtI-^ndXRaJIiM>i&NtHI}ut zZ1EcqywdeDTk-48MC!0d(5wmEKK&7(YxMT<+`BP2bYuv?rwsSI+Px(uSIGX;FnqqC z<$y}mw}TywMy;?VCM!^AJ59-c=LNekGKf7Z=Y$no_1(5P6>$Ak5TTpwGbdpsxbBsX^s4UoYEr-* z-B@7KN1}D)Yo0l2WHjfZyfXa!u~KrxNCzw*=P^_c+F?}kD}}<(rz1?U~D1X`D(pC%HeC}zQ@;)WNaT#uo{RBvib zoQz*Q`M%7V$O-?r=El+R>{@a^#z>}5GsI;>MDWMT`0Zepl4j8RXKjsp2t_oYaU7{S zz+6n0lpECr6k+jGyU7C?(NZwEGf5!S20qUjD$GN0EdE;Z8txvWGT{$g%KFlQ&*v*w z<*=g%sSjPTjX4O}P>zlzPwijtHc?)6mkZU@)V2moR|^J4NhY z-ei4!ka^H0cYApj+`lE9xOLvYjo80kyuwaDb;5d;bG+uf-le^1Ge&lghtRUzn=$C? zBL|isKCat7tfP#QmG<=29C1mroJ&k&a7SBMa>GADW1@9S{Kmii zg-SmPcjvL3+QC6jI61j-?z5Q3RHak9>5R$bC|HQUk2|Q6WB0T+b&~YM+k8OzX*%%9 zkM9z4W~WR*Pe{#am5qsNG-_dal5%G(-N^2R1WAPt6YIywYV**ONWH2r;bqrc5S>$W zE$w9Ut{72Ds243<|8PJoo$6MTMw!BgN$djEw)9EE*Nx$w&+4bE!H8KtQBUwt>NmE` z8M+H{i43V-Z~;<5@Kl{fU&e#GWmTK3K>uXXtyz22(o)2!ga{kSR1#K>GRbHpr6hi~ zG4I+5i0E4mNWN~LzZRUFANiKT)%21$W@FNHdjwl`aD?cwSJ~5}Z1^yF?t~jx^MP@#%7AIGtoF^J~i)B1?%Kn&e7mx;hmX zAvfNIm9AA0u`9<|bk6b3JyIf4^N;~o^Xw3JAAecJET&r7%-P`VR&mUjF1~A{n{(am zEnx?(o<<;dt`x!fM{XBZa?$A{W2M~1-QmQN&t!?FqG#pKkfd2QPZGD<;wdYup3Og8 zlq2*A2yAUx7Q+>bKQmO)iEk?21|i2J6H)f5c|5I8BoHv~@a2aHd>@vs?LpQh{-4j<9X-mdv1Q=8>_isncU}?ihGzHGm*pnWb;eO?m=}$~E znJYV8>B>+5Z&P}ylYnF@DOmH6(2Uyx>Js$dRs77^t@cdn)aGtgbWn%Jh&}#$v)Vx!7_qfKRi>r1R*~N`VG;;vk zcErLGYg?hlP&!4&z@RB`Kw>HZws)l`lQ+Hp2QI_VYQ!ks3^ET_+RvCd&hYSg+@Qr< zfnoS=P*_M6Pjh1lm{^8=SR1Rh1f{kD0$%s)s{GA?d>3STF8BLRqE=gKKUyviV@{JJE2~6wNv}G3K|EPI2tG0Zc|~EYeO0+8=~u(d}Ry zQNM#R@EWFhOXaDwlPg%PMNf3M@2&-VvJM@x$hj+M+P=?c_>W-ZJgvsH*M8yq+lXC!3)UgxqJ8-cp3{ z#PMB>(Dl+%zWH~nVDVvi`=wq6Yn29zq7SCv@zF7aqvxwDdit1PVQ6HANE}okq8~&) zUV*%T2sa2*V%#MP;awDqlLF}C&b(;#7fHb}+K(6#(V3*Mbs>iJgM~0j!pp_8oFT@l zx;rh0JQDKsvC$x1UFP+>#_#R-!bA_k4u|2N;ge8s_$=}iun`<7fBS7!XlqKbb$?n8 z$72o)g)K=)3Wi8B8*QL)+|;1gsJd)P8VPlw^^FNRpV3?|iU z(9A&I`zII(G8ztAqP(Mm_JSx>q-yvphqTEvmgd&7BBBQTtTLay16>E|%$PNBFeFK}Ij0W@92vU`|C)$QF}<=%LCeLHYR)(Rg-L#sN99W^s%d zJsHN3YP9&^i8u|HSakC57?C-EED9UrxFpwW?t#-087SbVC<>HbKbvGfy#9xr$q-o- zR=F(=DM|@b>RK_!q~9Bbu3yv%5WR>!b!zhci(^_5lRCQDN$hz$tNr zOysAbsKLXC+uOb9nZXwv zJBGPKe%qgKRjU~|qp%>5-KIr+b$HcHy=~;jptlXdPsq5EjWJ>H;(C1w8^tf4B!q*x zz1&zRbjUCe7&aM;Lb^50>Xg?H$%0CY(hE^ix5eWf==+8oql{{`Vk&IE)kd?DOQe#C zMNNr(OMSAEOst=#%u{30Ota39GR@IWR>B|1OyZL;inOANciF}rsLXN*VL)-+lCdy~ zl9t3FHPTGXWlIvz4+Sies{n#8U>7`O34(`tZR)bVneHzR_z{~*tRVLJC{t+x7uF~Ty^YO? zdxYB`;QW$0SU^v{QJ(*Vs86*_1o;jlWY~)aMFc&!&~uBcUQB-Po*Q?Pnk(DJ~&9nha^pNhYE3+7uT~tqd|ts2p*aB0_{Y@ z2?7k~QV6X72Yc@w)pYhPiYuU~sHlvhB81UVW=0`Ol^PsWRD`IAsFa`xC@oS$OCmN@ z+8_!_NmLY6N>GFlN`eIeAq1qC5NZMh5+Dg7{e4iF?|t{(_1<0gt>0R|bsztb52x;O z&OZC>v(G*{Ve0qI-h;8~ptuPK=9}qLSIfU{SzBrXPueoQ`7k&;F7&0(>Qiq*gHLO1 zcd>a&pQ5gf+NPggqjU9*1xdK_jm6_ePp*$wFr%NGQTXf%CT>T5c)0Garm>CZHxzi@ z?R;g2(QThh4O&^U{K={LzdB@jW0T|xnLd`!KV>Qk{ z*{-zn%$*g}Wuuupqm`~avXqbgUeR=T&|u49IXwH9$KBzN5(+ghfB1Cs$>CRmxE0e@ z&S|Rq?xhxfy4gK;gqVN+??>M~?*Dd4humQ@@>k%;o9EpRCqM7hA?T8x`F*I z#@3Su%?#JQ-BR%4lB4H#e|deHiG0o7j?IIeCqI)n!IOAKp^tkf|IiBV9W2I`5e7fO zjnv=zXS?+Ef&#trX*MH>gKtW&_3xQV(`J@ zGyGdRGdM3=y*I05HK|%Fq_ZX1NehwtdgxdnV)*f!Pa(?+A@W+ZUpn(&f8F9-WXAP1CgH!}=w8<5PDp zG(eZvUfodNBI+DX9#uRW@WyFt>dwBQn%MIDcViu{PQ4Aw2eD&mDesgnuC=_<&Rs`k zpIvn{0Q0?bIs1;yvBH&4MvmLfwzRARpQRheulplj0$z1{`1*gam7m{y&u``RjQ1P= zvr9KzNHjCk1poBVKXu6qa6vqEDbT||81PG+-_(Q8cm%;i0^L1=H1&;trdYxKgMk7- z!u&oTC}Qhz<=Umc;9+Z=_5%qAftvsZ#s)6)zKV-pk@Gbd9UxBy!rkpXf;9mP!l}bY zfv!Emf&pWKAJ8}8^!Ve~YT@^|ri&){U)KOM=OMKU(ghy!0{UG8d>+vJ34(=%CiqBL zu(f^gyc6YoG3y{b%>xSnTLa~E7yK=)f$F+H?G->7eNEjTXs!Xi4K;Ojf8t{ubWl@w z9+fiy4uJn9fbWks&z{xSJg`vr?AZgF3(cQBYp4mlQ}%-tXV2=cIq(~} zZ}Hi)dFYP&>1!G+6g%!`q-n5F{kWfjrojRf$NhBI=q*tAxSye>!Oxxni2g;`A8jlW z_N0fuSMXI$gLxATz?J{hr3-x{;DNPc9@o6C25agc)CC{|cpG>fKJRk6=I7;#e?xzR z|IKS__O_RTd;rG(?EK%~$XN3qzr8k(%D--8WON0c|*!^&0_Z>^O ziIeg6$G;V%r5?Xyj4$7P@k3cqq%oDz$04-sW=W{D8FOqJ-`t{iSKPeeA=km6@2j^; zSC?a}mYSIO=b=W?Y{57=l3f`t!{4G*^1o%RCDNKtyJc2H!1IQL(`_JiK@KTX_>GJw z?g0^!thYUKywicn7#ELs$(%!HSso0vl-+D4i@=~+{~viXhWgPyb+blx6-k7?iIXR( zzh53p-h1xD9^75mQ`ZOM@6W0z{iPdWmvI%l3g>l6|at!tEMc*b*oAA+n-Ish|o0 zM;Y;w(iJuSJ`^5ewP%>nmpPwLN`?``3#6W2)O-pd0sv6=SIT#_Td6VfRu=fEt|@%V zx;jSs8w&nrO;G*F8i>MsbBAY(k#iA!>pT@OtjtkgdiD*UisHG7EE`obniY5DSeaHYO;;W8w*dzFTy}RObRB}SA zwf`3^rA?8hjUYXNPeNCgDAIn-S!XODd#DmOMhzboUsy@$(^i?u_o&z^m&%88uJ0r}&~1)`CU*8XPz{I2{(ES3dE zI7}t432>Vp_z3S6zVs7B-CCsihrDaOnNKocx{+bXp|q4Q6L;L>Ot?0`aJ+?`0n^or;CO;HHLmRCq3!P#h{DWr=`S^hEs)gzOobpCs*`PQ(Eg> z8d=*)kK?5y4a$buUBK2>WEz)*liNG&O`S;=K?8+5Iw9#@lT!yyxBVUnUTLH2c=1U_ z-@`TDtTTMW(@)DvG+2$JP6q=@V6Ofqt)%^$MpW(e?MCV;9510Vj`ksccQFcq*G!9Y z=chEdGVvuOm18H#*NlVqT@NJ~R*ECGd!XyH4SLq&uVmvOt>J$h{7X~6z&P|*^`3lc zyKi^9AmMNbayGNk$=j)0Z|%*;&a71pBZR(6rp-s?zi)vqyj&}gis0X@GmItF83`?A zb$Ci6d6KwyZrl5?_fat!hQnOP@U?M5AKhPR-ROhD$Nh@6GrN=ov**pi`-%O#jAnkn zRVSLKe4MJ4n>TIzu1lpJ$L8xu0I#5cKzOdYeY=KvXZm)mH}b>tfu}8wo<}JfVh5|w zWgR9FcaM6}JtI(knyF^9>$xB5V((%>sqxtn>sR8-6O`Ak`!KmCd*Wc^={@xty1ngs zO+C$Jb}5t0r;y-gtbOJCC>P4vi0kA1Wp~>+dM&uJVFypVwG$M<<$j~%m69cVUL3{c zxP?jv!A2ppcyf(D%*GRBsMqx8tsJmxorZHMR9$r+q^J4u4w7!`7T*%KFT46V#${8( zICAH2dR{ywb@@8(#$4FJy{24^wQ{nyk1cgqpiI5oJ02UFPePA&_Bz+B-{xG2%lG=d zi+8ivaH8~J>Y#X(7#*7>pCex^qW`h)*x*;?=-lvv{g@1|u{Pi@+;1zi@rMjJsd2tz zYA!lCb8>Rh%Z?@X=wGk6$^E_6VAatB4{QRB+I6xNHzfy}Qqh)ciy}=zJ_RH8XPH0Q z=_t!pQ#;3g{CINEkh%V4PVED?Fl$j;>u@IZb&AT;M-n@*T2rV zedAI0!ww!=c4z?WQhR&1>bL&hB=%-$*BxNq&K4MH>=PF$J^dT5JygA6D@`^OK}btW z8?NsLL68%@)eSSTe!3{%tDd7@z~jJkbgz!qP}n#eEYjbMw?Ew94=KSke4dyin9t~2 zL|%j1OS;V&TlBda59Mc_znvsL(tv<-3@7W%_MNn)?lZX@8YSy?DyK#ihZ$W!Fdv&W zkZjkjY^IjAvnUq9@A-dMm?UK!&x{)5*CeQ$1`IaAk4%AAdS0QJ@6=WIx&FnnhobO3 zpIHNs&!M-MS4Gca1OK~hB8sCNO5Mm5ltdE?FMj;e!=+KfmKF@b^^?f|yE z0}>t;F+Ge)p$oH9c0B$|b|I+y- zI3l;9V@#^$@pZPP>y{TDXmCaJ%M?YUH$D@O*KMjDz}uTv1cgRkta}jzhS^o@Y_>pN z5(aj#=-H{|x;FB~Wc9B1IVypymKqucI~D5ac=?KJH@CC)PC>_QKMqTvuFIMGyfONz zS;q*G=(9I{Mxv8Z@o-)sHNmewnJBYY6iSa-kLoinFNY!`Fg6_k?@rHgrWyoeVtK z)mLWA!e?$H`UUcd^fHH!!@WKqBC#2r#xk8w-!^+M;lnzj9`u`Qh}uoZ*u)gulr4tc zghS`d2;c)|CcTL9oInz<)lX|y9ra9|j{wgy%EGT%|0mDXKcbKBi45IaR-kSN7 z_Le)x?PoeBSo}`YR)l=16&mf*{T;UkhYWc=34`XZCpx)`;YY8Wa^37&-_xXUbhaR` zr+L~ABe<_UxFu12n@gB^Gik_L_bfiJrt3|!4uRTZ@DOGEy|~DKq_Oq$;f^G)TgTrp zyR6hzblpGfiVW=N1GSk)X%+=u;Fb@Y{$fkGNcYPK0+zNlPnu>Tf=kGa+5E0{B@ z)W(cczN`7Z3*AMg({h}!val^Jk5=f?V8h$r6TI$&Ft34 zT%X(+!1$!Ys)Y^V=yZFsXx2d^rBlWO@nfpebOi$Yc#;3m5_ae_7A?S>( zjnOFmWgqx=5ApZwy2b~e>@)KTJahBnhnDI_nhxv_h<2*#t7B_R%FPSia!y1m+1|TP zUv(0Q{B$51e-TA=E>Oh7&YLyb8%85gGV#nvPt5z6(iqF#tKx!wlqv5MQU`p=)|*u~RcOOM zi~Lab=eG&-#pbsJKRRjEh z!Rl+WLDhRL;NR#?!12m%OZV0DS-a)J-fuczatEk(N^ZFsLE-AYXyE(V;bqWsa`h$i zJ)O|Jp_RHUe)s(MBcSRDx2`P!2$riAriM2?d#3<=-`KR=?854OJ%0hP{T{sx<1DA2 zG7smeoj0`hMteBT1HF4gRkF>Eubbw-Pbf@X*6T2s| zOkOHDw8RQXnm8Qu@Z!d%*L%$fz-x@X-kX|6Grh+d`_dKk$Janhp8A}1NV##8efAs> zGc)PNQI~q~8mJet5P{H3 zU(|l=yeb_|#|`=U`ikdjAW{Ma=`Wg{L`#^kqFrsHnG+HM|M>jQ>k78`m-^R{5fK)W zF{n*?Z3j4NK*`U~PwA33xA7Cbw{-W9y;x7+1CM^JOw4#?`#tp_Clk?UY-YAE>D#e= zL%UyhZ~C#hEHNJ8e%mz1!=WW_pvXVnztyKu18UTQGQXbBSYv=K}$my5W^PAHh z)h8^2EacF_7OchWyF~45k?d_}V}Aoq@T!u7p6=h|A}2s$c2Mt~V#P1ROlS`sNWhnui}bL9I5GTtFRlDu zKk7O1x8m|ur9gA# zCyYJ<7LKp0`|G}{+%^O9Hv{<&Wvc;m$bP$JP(zI7FmPa70N6+hzS|Z8W|08Ex-zZs ztFqjN>qnMBLm&I!1Pm>4DpkqxTC2i={JlVaZm`Ne1x>e%Wf)(xL$$Y-DL4bx4wqNy zZh#eJ3DhO3E{)ZtX|*J*mgMTvYPGbm{@2tMu?y4=+Q0Y5NzmE&s)w?HtA2j@Y0K9C zI9!TeA!iezdu#Db>E9eL{qq?er62`;#yrgUUp+m4IRDK%1RmJGU+B2^tw0{U6)}4HrBR=Y0tQ*Gcdx55Rx)dT_`kUrq2&H$lS%AIJZa zn;=!`L!ZYbhG_DFPxfqCV@9#3@ldDn`oL?6#anhay>5nk{3c8#OI&EL$$8uxi8q-N(eN9MXTGm1tBn)xzg4Q+`f# zXQAz;l&b5z`dX75ZF9EOLWf%)RMr0Z{2b2ncMvUTvHwbys|J4F#0%_u6?zL`Jv;f# zQ*H87mj|dlcd^*#KMIxJ>E(gd?Nq!LQ3!Q$J8wU>Tcd=DZ8Tj($9r|fm#J+DIUO&q z>nygX9X)V0`*~(_yVi`wBFIUa`#;Ey4-_4hyXmt?i4S|5K8FcI;8d34^gp;I?V4hm zyw*xg%t&OPSOlkX!|3t9Cg*G;r#Dt;Ep+4da`i;%-HWIzFOkZwe5%VsYbex_qjV4*ulN{tT-d0S&b+BRtZ^b@yeQt-($N8Sv=*)y4|UH zFp~7C7e-K^wusp7XgG?Ku4d?4%KdKR1WgTn;4MO2CxzsQq^ zRhDjMyjJ^st@c@u)=!R;UmZC9xsEv0;C(HPpk0fQSU#(ZbI3hctg&DFutUWWW@?9} zf8am4C!gJqZz};(xYK$BE)a~!>%-uNpqs$Eb|VN^`}F(iUNRG{9hUO~NLsJXw_?LSPS3okGS%= z#950m5>USRC#hfmS~&hqg%;Tvspwym5i#(XpSP{sq1VU*OC;)L=WXpSikZp_DT10$ z6y`h5^tqQfe~(m-WJcmL%)j_V4E)hjGeLD8no;em9Kv<%tC(nYPwQCQJB#}4L=k?P zP=`d;CQj6PlU=l=f=j7XgE>gnT`>!D?1rVOoD+HsFX(WYd@Jq1haZ}DC8M8SYU-(Y zs;4zkN#i;a$LnNM-$2r4tXMp3j|#8JB$Xk*QXm1Jlx6*iSg|ths)jeF$;_`Q6`U5% zFc*=;9}%_YZjuk8~M50tc?}DH&vnZa}=^+Y<2=MtQWnmUUEEja(cMuCQP#n`Z z*P;wIo0(ArpBFbw7{f?@y^2eZ8Z0}xT}S(gvFj(8rlU{v8V?GZBtrB+ zCC}bQv9h!{7B|=W6qZpGQGbh1n^r|48MJqon;0p*f~ptwK;dD%GQ9hG?}FiH(a4!; zuai#iJzv91B}e)sW4DB}A}-P@YI=N(J*GGpTSVON^)cf(taP{&$Wk}=yNB!RY6-nk z?EUpMkvOgAI5|IP5G>@*aod z#GqRRRR=QpptdeP5WF|tG(9FwOCPGnUB@z(Jb4^5E4eO~O_TNzXJnOQArKPt9{NH+ zJ1Os=NR}>Oq0_iRdL#WgeKomdB~q}>F%C5}hC}ju@klp;sYR45$;*tJWP_P&_0oVa zlhqQ;{mC1xwb9m#ldm^Z;b>gdgV^=srlW%bm~_UGD2=yu6gzNy*nijAD3+HQ;Ef=K zCWx;{CyjFU?4Fxn`--y#?*;gEijf~}D%jC67%@<3W`yN8&5*u;lVU+^8rdb$qSXI2 zyBHv#v9yYatO0|%V{i@^kC(oKSx9@qAoQ$#O=gLp6Y6gwoa3=0JJ!X_^Jawg+y2W6 zDe-XOc*U5cqsV{OYyBisR6j%`cBDgz5p5|p&LO-yc%Mw-oz$44nh*02$uMv?^>HT29p2v6Q49%)A(R5zII9+77kMSVLRIf?ED?h*_#NKY;w zZ8;)}hY7{r(hHO}|QMjo!Vo}^r1ZsYGF9_3)}pB~mEt zhQB3uBgjZ8`m{=SaG#+W@9NIol{d}0ykzAp(}}9L2d<&eQ}!)e44{OuR)4X2I7^jX$tDu? zvdLwLYUJK*_4Z>J)9}f=BD$RqYmAr-s6v%0qp~A?$&kqtmwCfCg|rU>*uc67C$Ugo zio(irI9llM;q^`?F`zzU;b>!xMY~|G#uOxWW8B+iq6q3W?yr(bV{lI5yQgmvqgqB~ zVr8Q^A+0`P)GXMSaX&GX81WZl%)Sh`({h`Ys;n*|rK)$CJrD1G28IaXH1mjRMJ+Q) zT|LP_2qy&zU&;bzxn2+hNmmeD4Dxc3(4eFVrz|ZqXiD~s~>=7^b%X3q$bV=C$GRJ81F33K}A$3k9z=K3FU zX{xx&^a}{8iI%Wwy)ClQJMxKkq-W_z@Hn)0%h#ART3zJFBX%UWvos4T|HA%jCpq`+ z%7h8wdW;5=XdEdL+LaGr^5GU!9j1x?mpz#qeD;vjLEoq8-{3FJvCOI=;$RrikCvg|gHD1dJu@Db5CZT!px1_$+ z2S7Wx>om+{6q4y!Kg|DN31?WV>;f-S&y)sgkqnu7g^wvNaLw$Xu zVhuL)AH-AU%GsD8W)XudsEJK6L)2ALTy#Z>Lpf1w`wk>yVlOE~_=i%0so%HNw}?L% zxK9COSv(}7*B0L!+>`f886s%?TD&(kpD5!{K}yIO)*btF^smgS07SkE(YNb`Q<@eg zvfkXOAZq#%y`IC`G3WiUG#lNR`QEqd)7~_!ih9`egM1J?g3qvt=`D5ZdjAni;)VCf zczCLUA$?7h2VV@QwdeSwlkkREKWqS5)Eg@q7;F5jrx^uDSJSK=xrl;R=+4)pW|)vfo>)v26_HX^;^7=gwz!aW&-v8Ej^ z9ZwDOgP8f5OdQ)e;u@njC>`sOAIa=F=OQE=qPg*k-7ytHfR83b4tLbwUh+9Slc6(e zhPcE~bT_4$mlHUtiR!Y}Hn<cVO00#%OSaG9n7O{suNe{bUxntpAxYG3gs$=wj;ybHwO{<4((3Zyf~ zXUZ1cE@nbReWioZtV*SFWQa6hsl+*4mg?@0>5+NxZI8wiJn9~L7-749`S=d+7ykWW zdW}BVWU&2+ldJRv1CH#QMQ65GP>Dly2--^~!lHd->alw?XdOo0^;zI3`mCyPNbho6 zm;qZ4K4VO-*@obMhII!;qW6>f{Z4&m6XAV`Q+5C!d|{p=-sTEXLo8 zQuvUAUT2a|z|ALT%IS@hD07@>#5kGGg=~Qb_RP^k&`A1ba!a;rkUvM|84-H&B31ln zZ!<>(lL5QL@6IhmcTwWDuq*AxWLfC+R1rMGB)qp7$8zoX)ky<6pob^bI(^k>!Xx-k zZO*NW%0ReAQMnh2SZPsIhYs>RJX__X+{U zD|beA8Y69dG|<{Sgjy?U=u*~Y>w ziUmBd#gTCmQ#9Jw)>315po8CN4^BsQ#MN~;hc<7vS0!hfv3g^*C{HTG2K=b(>X-um zzB)jX_N~?@HAW!RqLBt@Mf@El)q-?X&({_^(LkFcA{)w1X?wUk^OcRM(w1QV@=5Cs zXHM+}FZdISN?;9yH}#S{>G6qub1abW!8aU9Kqe@j?K_q`O%h5=L1w`-Sw_Hec}WY5 zB@8wOd7(yyF%;J+i47~#f3OVe+#-HAPS^`<&$^g~nDBNNkT0e%D^)q-IP14lR&KN5 zid^;Uv$kN9h%Txs!e^kOClxN({UL0O7SA%Ygwb+w6+Tk2v5|VOn0X%GFb2pzcpw|8 z+$b8nAb~Qa*IKo7V4Qvll`+vT00Y79YRC-rUZe4fE(#=+J>hc{9!~j8*$#;~OIz-w zkr^>iE}XsZ1;|LMHJ^nJ{`fuy^rUiRMnoIUQ)8i|lcJ762Q`f+2+3(%`)a?|fK)PY z0xVXXKoy6Ly(}s_NS@RNnInQ_;?Xuee+!)8e%r5X5hvPOxPBW_BF}UT#*zR=F}~7Q zFsQu-&XT4yus@PQ=drg&x^v#L(Aw_(C6v?2ss$6o$AD^MuF@%F=4+wV0oK43@pKuI z5IFLUr{`%FC|yA#3R19*7zr+Ri-h^28j`8UVCS6d(wDwi+>+gjPNhL2XFewc z$R@|_Ysk_tPLrLh#prHAvgNwyBWfBw;?7&SuEE?4sq9kkA4-ne-NL4uA|s2k04qL> zM8px`AKzLV!TSmW`x!6Cx#K4|DVg1=O8ay_ZGf zcG8P;%VjJ5I5e&|M%KAYdEcmoM>#Ns<_whm#&g2B%`u?fPEtGWqM5*6ksB{;5Yiv9 zekHG@53go(lz{~vXj)Nia<^_Z!bgpJmFeU&_|bPaw7a<(FfUI zCFQQL4Vq2ame4Y9W_m&u(fhBfO+6V>Cr;u=Tfp)}VwKrqNi+3mgd`P58c4dYQVyGy z$?OhJWn_}XN$Y$Z?JC10+JF$wOGI6pomR`nbVhacc2#grxdPXN)+MXLBC9_gP)W@Q z9eLPN@B~87uI?~Iu*4&`TpyaQjsrsC8fDVN_5%{fM%N070U1_!ec+~`hi262$Zvq7 z!pg6IG{0qjE{tX_@lqbCHYL=utVpc)TXZh=_HNO>co3bFN<*KJ>9NLM=re_S>9lGy zkFUK1sxsu4SE|S-kz0b{;VkhAsu8+bg?i|QrAW@n{s8kQ$uYeSmRK1VqoL0+7uDwR;~$`BYaD>o1louql4;g?)cF;P}s&sJZpT2$`* zS^U%p)+H9Xl-G}x*~uxCsNUm_)lEwURDmH*i@n@S_?MN z!)tg~h-U{d&W9_;Y$`SWNv}8?eJl~vK$S$ej`Jcd7VWU}O$g828G2>@G~C=tX7osU zVgZy+hiKn8%;A$2*DwZ;)WMT=4L+R?*0{xfxJu$tYsj~+qsPB|NvB`1>YDzJX{fjx zP1-f1k-lKIojS83t@OKNPZPJzaLuisiN9}Yay*`cJM($ZPk_HE91Vlrgh9+gkXO7SX!Pk&pd_e;WAyJREp- z(h~M6op@s10vx}qG&zoCFIAssz&C{@(k%^}WlK|LNnFe?FH53wX_=T`H2?c7kV%*ttFlVjcMh1DO(wFV)BVKCZhYjuZ_;Fyw~&u|Y>)j&Y=IXxzci@-OfxBumF^)Z`+iks&jMRa=bHEC&JHDX&xOFN>$FR~d zK8np>nKq6`G4W{!rWl_3d>P;=tyZ!(;MD)zt*;yqGbn;Xs}N?=1euPN;|`86WJt0D z8JkWOAI>G98=f5a9J+hG_Yq6j?ySYhao4sVf#xG<91P!Vs!Cp7%MfX>zdhfHpMa>y z3J>lq_;M(J)oAXO)&>2|QajoY>A;lBD31jQvwV>-r)(@?Z4cp0XXN9Di}LsN?q@jf zI($e0@x<{(61Q$@ax5P1F>!>wdbtRK_v+Eyi!*+ixwtcD7THw{kV0Ef(%9zs$D2h4 zUz8KRO^I@1jORZ37c|R}4mQO6AfCgCMZ!Hxxj}rpo7PSc{<(Vzyd~-_jlHF*u_RcQ z#PZUrv9#tcsRT<3)si~8q%AM)HU6L7sk!|wr?ThdRVnnjT6E|N*V*@}>qg)Z%C>jF zb{24#S~_Z2vK=lRF)bah{Wr3kE}ac79Vsszr!Sq0F6lN)=b}sQGfS>R|DDc+mvoyY z-DXL*S<-EmbesQny3JLaXE;9oIn0}ldj$p`UGxl5SoLA|{)Xd4oO%s!IAZx>e1Xxw5i#Gzcb(;4MZ!*4zJsY zpzjmnoiT#T+_pxNy2kFGe$aP!PQ}Bc+-xfT`_2poKZ;mA^95~6j zz2vN2e_jI$%%#Wtq@U*g*Hub4{~UVTMYcJ5_Iupx*ln#XnF|PN=oE5FXK1AE&$8L6 z=>?Iiu{!QGXxqBa)dz1bG%*FYbQ|@UgZFQRjaq-LQ7Y5Wd!akbo@cn(5A0Hk%}<|o?nO%&?_#HD!G%0B?FO;C zg*apZ{)vB+&vIm&&m}hWXX%M+azbyYC_z;5vpGxL3a$h0&SDIc!W_Wk$b8b2#aRg3 zQ3-giS8kb={%1R{vYE`K3nI5CErPdUYnkOC=ds-9oQOROtW{hC^f8sr+O+_(`Q|1^ z^AR3>p%0DU0R*eyWr-&j5Ip-V50~c1PQWA=FF_Y#$js_TyRi4(2TGX_EtWFfcy)IHx6SUh`Qd+P z=Er;drMpGiI32#g-$N@d#_dHKye>3dNHDjxgiT(f1z=Nu@_V${vK%>LeZEqP3P&&S z_qNgp4M%zS!B3Fl`hNnn9D8OR0F*NqqQadP$_*=V3vj=+*UDJsfBj5)77~s5`k3e~ z5sj={=r9S~#3XJHlO?hH*ZfRcE?2Iz-^}9`E>vPVqCPM6ZY+zY9&tM;I^i*?gLW(h zZgKpSg>G~8Ct#0}ITa6n0^8}L;LUsdt=mPqK45WJH?0^?X)9@oL4Cv=|4D}pTkGU{ zW;}1lCHanY|7?D_oT=*8Uk@3KdQ6DFnJ?a=*m_Ow)*kYzilCPSg2vB2Z&byuIO=wI z-N-{%@uA+ua67N}?tgT*%LQZa_e>|A^@1t8Syk7eMMRco$7eN0v(XAHV8vUN`A@rjLY!sa1{RsnI+W$t#B0!T^XSu3DS7X}lwMtiA`a zb^(HCL2{Bb!}6IcnY#i#7e=n7t(#*>^ZJU=Npi%NMFHfsX2Nn}qBVzgQU!Np0q)L# z=*+Ye@TuxhG1XXpv83bbijPxW+hW*%uE8yc>M`@x76u{bv}RYn1PQF2}OxetS;xHUIAqC?^wuO-=$m9E2EJXVbj=5W8nwjGBTvH z!zOScs92#55anu=e`74>b$8SQ6sd%M+Xo-uRP5dM;z;aQ^rhA*JUeJaDx#sjShFC! zRuR;gH~TqpZm@h7B%Q?rp`R4>V|WoaF*%gd!H0^og7^#Q_v{Dm(!u*mb}%Du+~yk8 z)!9hC56f3W_!vqGY}kz6e}yEkgXG7+Ee3}pA(A)uwWQVYF_VzN#98(CFiuk_rjH3+ z1Fd5HR_HnX#gz4=B#dlHq#tS7({~`Cd)x(ezx-C4j&IG2|g)&F=7`M4JiEyYR)?tmzBGe+RKirb6hQs)tNF$=m>l zO;AU)dvut8sDL}Z3+}aWabYAlwc@ix*IVDd@lr?4(f11G0@8KHhGNkDLmjr0Lk5+z z4tv)3loP(*!Bs}~fWTNJ??R0MWsEQ>VJT3|aD5E6$)_V)&bEI7Zj*uo1DN7g? zs<=tB2_lzH;)*y7^~tv^2A{E_nvh0%`n;njt}fYnvXb@%U%`8dmZgBi10dN1R}URP zlaMM9-zgS|Z^|fHB1XW6`)hcwzq+2u8w=V)lQl`<5!}x%U@VRIt(YwyyJdwcxin6} zV5BW?7}C*twl~1%h4RTckg1v+$wz5cUqI(eAST5`RzW!TI{|E)IV(2brD5zd6{oCj zHuem-O?-o1=!ymI)5{-q8yis!4N(v7B``3kP81au1}eRZ!l~jfvx-$S5iK7)(lw%n zi4gX9*)Z`)rG^tBXe1+-VlLqZ_27qo#JIvBg>?+OC-@4SRg(U>vicsP6fUJ&= z3~XeXVAlsVOy68F0~R(u-G+>u4NdG$X?q(&3mdo-59JD|e*7cz@vYVa@vXRw9fio^ zC^h_jklApO5vh3Wb$bd(HbBm&*U**G-+AzK`8`0W8JyPn&_O2*L}Uvgc+jv^y-}Ek z$*?NNVy1rgEi{3vLcVI@`(uCs<Jr?bWbV zZyanWtG_lim99FQ;WbeD5eRNIn@SQ3hhWeHZ^m9ojy9rs(cxJM-RP-WOsq4C_WEO_ zy1{$GZMtE=aK9wIV=M0|eFfiy_do>?kX%QtwV3UZuH!aaO5r+tceq-?F|*?Yqx?E8 zgPcxwuQdi`2D(THJi?FR99`EZd;Q!|8Pr=*<%%aeSxlA;u$kfcUzvK26qdzn(dDCk zvm-5$eG-w~4udR)bI<#W2U#kSlLk@F6sHSeJ+%~H3y+Q_mMOdZ(x^0jw-G4C(Mv_M z2@6P$ZlQpoK9P$erX8ey_v`hX;3P0;;>dh7ALIlVK=bkJwulxoSo0|`=Sr7+Mh z0ogh)jB`M!$>&;RlZer;$vOg|7ew~y568-|@nV{pBrVlWG#H!XB8|7di;Da8^jO=+u#%K2hwKTANGEi0=Mv`5* zAN`iQwE+noHu3shvKI70tJ(W0R$?eRQ$u$myDs^tQ9ch7RHKieV6R^b;z#Giqr$2m zjNx56CnS`zEaZzjDiP*HNfXnbZwSP-^5DQK(b89BqZc|EO+hv0R1nuJg8j-4kb0lFOXzfTDR5lLm<1UtL^cTuj2-+7WQ+ zRjKOwNff@u+2qo9F8y{gyy9x-=xQ?J>mKAAW2cT0m2U9Ncr_4{E41|*l`Vnycy-=& zaQ`lr_8(E9>&Ns4oHLasluc#Fr0Qf^T>JDWMpfHIe_-n9%%^vI+xKN!JSXHJ_ZZ13 zm}oTt@#~V%6UQ!x4Bsq+c8eXuD*Na}<_%I0L*^ry2I2c;()Nwk9}MH4@kwt<08=bpj|F-SbRV-e249UW3P2yx|qwUj%1#NvC=C z-5`rlvCQTA*&xfH^EfDk4!1D5(!4s$_25t%e7ztYj@6^1o%c_V#O@(R4NS_0#A;HJ zu_HRD_O+@VBxqpuEmGhW92B7yy?obx#M$y4ebNF1FKQzwl-X;*+|t(^b$!lbC@r>v zH=(TWU@+9&=F@K0x#OVt&_|4(YTrUezt4g9piSS!CT4y_L2f997 z5nwbrg8J54;{s>SJ~_q!UB(1n829JQxvK9eQ5yeFKb{T`N;h3UVSx^U^0QKTW+v0$ zL$^@NBZkU~6Aeho{IuANurXjE>1I4N@I22+0D@Q%wS5p^QL{m$DDE6P&b)MfDq~Gqt-lsQcS!PsWV5DLY?NT|n(Vru!m%J~ z?(yCn6neOn?HXK<2bZ$a85zdRFGV$(-xp`HMza_$KCp{b%1nsNZa|Bl#``$#b1j@m z0^>>A!C!9`)fk~QnN=H=^UjyLeat9NlLuEYpW8ZGAe=b^)qH-GzR%$nh-!jUq1$XR znSXzM#pPx?-sqh~^2*8|TkLj-T?4o9XJXmJmt(m$o}>uI1U-Sp!L!Rm53TTK5&Ye^ z%GOszO@AlH_#=}LMr=RqMsm0Yk z_qNIMGO*jQB-RKLMT@tReGtV(0yhjP>%coYEZ!myh!Qer=ZoR7U$MpTj_A}9n5PrF zQY6hLZ)qsY4d+>bN$6N7{_1l&1lij?%x*kF9WjI)XhwAc+(T^{6?ikhKC5|@|}s-QIrtv^HJ=3bf2k8bhmgKi-f~IyhpMpLSZg}{5)I7KFL6#X$}J2 zX;Js=5`vtL?{DO!?K~*O*ea6CgU)ka?qXw##>Q}_C{BQr%s;^IJMjym7$dvJvk%ajlAfzzQL|m~YF-8uwNS_OSB%SP{BC4=c%5QT zN7u@6>RW=Wk)Dq9OE#v`-U_Eirc-(t=ikpv$5SjSCqCjn>}9HCl|h*xg;l{Po(W8t zz4@6SNJu{q3hsH|{qFtS=bUR_*ZG~3KSZvFm6g?> zweI_Sf7WPSK!KkFa5D}jjM_>u9QiBQO4mx)Si=oAvpbGb1zUSor9}7;B$} z7ijHhqZ5CmoM=3Dr=6165n5!NjS7R)%;WIuX^3(MG)x2=!_LeHMd&Vc7uRxQg3d&Y z-5%39Vw`yc_meF~Fwd((`7=`>MIKxXE?#(BOB2cYSR0pca2UHj{^urgqCEc47Nb$! zj@O)T5#& zs#J)lO9df)>OPKU+;FIZLBzV^!i=J~$OsteRHMe(dwSxj!L`c0VASM&S8_Ws`-q+? zuUiAy?v&gEHRZ$j)o{yDazg~J&~5OqT}qEjM|ci9D<*ohKe}}NrCre28#Hr&Yn9Cl zFp?+Z+HjpbkUVg<8&kQ}3rt1D9!^6~U{4HbLyEYb-#Jz#Mf~i6DM}N69^PU7@*r|D z-(8#-jI{U0lRv&+8wE~j%Ut%d{7?$oW`56x3dXzY3baGBMQ1_1Kwg({RTF; zYFZ^4^Reu)!5IBR?f{<}FtyZo*pKO)?PQ(p|5qw{Sup6^+FBLeYG{4l$b7&N-fkGWeMP9(P>CKxh!f zof9;=0l+6Uwn-w4ixf1`jP@$+=X0f6am0h6Z5UrK)E@Xq@n&uG?6dr_L~+@Q`ei+# zp}6lb=s#Sj74m_qH$JK25EF7r&du3(AJLr(CoHc`3rMOhJ~y+o@lKqwx)-g}28GNO{rh? z+W<8`QS~-pRqSMq&)0%m@@-UrNmc;rE8#cWE2u#YgIY&mN#lYZHDG@Ac}_po)pGAO zD)dM%Tx~Q<-8^LuMc$smj5dG*P+QZAO2w%P5rK^{KF`q3!UQ#Yx6mgG2Hpvj;-B`Ws%_hO@LH2vViZlMaY!ru& z5|~KwuUG2%)B_BwklDeun4PA6HE$@z%^_K7Zt_FC7DjV zumpw9KGJb69K^cspL#@$gWF8nz30%Ns=E z3UDGqNIh@0O?DUKbG?j$omc48YMPouZb8wY6=vVXQlIj(@Zs~yMf*X3iEN6udWz<| zkJhGzo;wz=3v1S(VS95f+w*Oj^w4Q`0fHEt%!D@Zl??q(0(S(HMSFXJB$_qv2*$Np zjz*P^-^@M?z0gNE$v^f|0d=L-p|c&4ls{Z!hr2TUu&O=FSA>3>?SU=2)JLt*xw_XG z|Ej3JVE$fO``#o9a+`w_P6_A|oA9W>w$T{H1%lPPj-I?}2PW=QP{#Qz;>a_A;51!C zDxE8G@I_o^jk6>A#FQ0?s4h`!(uLg1v-4W#DRV{cX$h>!Z!sN@A^8g?EyDmPmN@!A z*L92>HZ^%EWh@cdN65t`8cs$P>FdLM#1o|p0IO9h;k#gtEdqyu^&M7;C3Cv<3AzY& z<_iZ(M~}Huy%!N~jA%bnYI>ePe>L4PT^oZBh@Of-wYk+}b?`;?FLV&2!P+FgZ80X~ zU1Uq9L!&23nOS$DH4RS*gZ|~rxvKWEjW|MU0Gf|WQw)?}CN0#?F}!QU2zZ4v@>lh1 zdEY}co$tS0f4d&GGM)qgtoYB8rir@W&2sQ}V>i7MT{^%>2fGoJw9Mgt5u(x&Hn%rG z8Emp<-&I)Ay%#ZbLN=HA6JWIw09aLrr95bhesn)ZZ$n;U&u~o)Ld_}_izqNTC6td(7*}7re;#|cE7>5Q=>7Xw?HcS1} ze01xE>FQ%&PEf|@46utC&m0GMSw;u{Ikh=p0_7dQJM>-^09eI~x1NM7y3%BW-s z(OA1)v%Z5`8k4-d|FCWU1$YTt{sy0VStdo#h!RBgw`*GIFA)sZsQYRo8(als?uXY{KlO8Q^aF zJMQWo;J5rcNlW*i=vb03U+i8G&=g3%FBoH^Yu$7tZvIIp|~S) z#=@2c%4xucNcdsE1Zy`Ef&u{Ll7VeNuSIvoB;iKLf;F`|@@x;vUi(*pq@W&bdVFo{lIkm8C0apvz z76;XdT7(=FXw1yv&`8#Jvngrscq3HzPg7(Y6PC?ej7>LlF_tdfdA_nuL7R{>QgXqV ziysaxE!Yd29)9G(yKekg?YBi*g4f#4r&svv?CJWQj6Rx{|Q-9YFr+GjaR=r{~V5eTy8C$pPse zj22qlrY5Q_?^(QC)oA+^~_a(`XzQldWyGf+x z>fQ=31*dA3-jsFmM%>G1RBxUV%oo&aE&_hyCw)5eFl z8P>I!Ng9wz+TA6vLuadOa4IfL!PAD{Hn`MKq%$t^3%s0@m*f}w1o5&ginD;iLDh$l z78@v7mbbvm3I01TN7!b!4#+BYXeq1Gl`L04RP22B=OFk2B6^Hi%*HHDj)w;dkkOi? zz0^9t6q=E$Y#Ud|&zA(le|(!%xZ;Yy-?M>qN0PMD7JKX$qS+Ylf9`gQkYEm*kWfadg1@e;&6bi?Rb~E%h(H1BptktX_KDeOlz056E~rrqM*No0?JrREHV zg`;Cv3|lSnJ(luZY}p^V{a0W)Khm&e!^I#-;2P||K;|rfaK0mR^bHLT{Y2(0Fl_!A znX^c(`R_pHEO2|ysB8Zx$Q*+oDgGCcIe(FZkaYfpJ?#R*$vr8b&G5qaRYf{>yJj6* zQE+`j>V{w6Up)M0=4=1v8=4lSon<9cvQrJOPL~(jn$~4)_Zh z3rOMwR0rAt0W1`p6Pex@xh+Oqdfx){9lxPd!xj$RF4%2MO7%MH126)DH1Z+R|Z zgH~mkDGyC_B!*t2+|OMa>&K(YaJ1xX6R-2XEzXH#g!B=WGct+U2xWTR(n1uyYyY3?S9c*bn0rfhFE*MPUhdwWH0K+y zeV|24uK?NOZ_5-uUb{BEiJ^~ZKBk=IfS;a7OA=-OToLZe61nxh*-(-Q*c_-a0yn>W z-Ob)}1Q9*u1eyJ^9(c{#^>E^UB6f~!Zvt(y0dt3+Xto!)9g+pD_IAwA%>vw`vsEDU zx25sXBp3c{vzA@93ghPHTkjs8UBw;It&aQ|o|3&HuX7XQ<^zK*w+x5lIMo^$6O*Q? zR}pI0(O0{P#k%OxI&C$yz@0o_$%Jx>*;B0msgIx2*QIt{KCk?jP) zg1-z$WMVizljiU~_ho~oT3CYv#o+3RCWnt9s0 z^m1DlzH#djwf#rd*g9Ar8187dF1%!n&-d)u2PKAmb>I0I*#=ggB8lfBN|{mXtqX_d z*JndmIgP|%@dsR}E#jSOlj7DHS)ol5VxR~%&2(Ujy(qfo!nSgEY~F09O(tC2qfGE4 z1-m20JHW!%CzM6a<3dFPdJw&kmowzUpNV*@%D1yq{U|Pkbir5vGC|b@Sq30|!T}6| z@S%r(?|wuDFFLHg*4?J$Quky~iC`T}KEo+$SbF)Sf4I+~x@X|-E>MY|x02UbyXalu z*E=i5N(V`fBn~JW-U9_QVRphEJV^+|>I>_>XiXz(KXuSceV0l;B`Sd+M3czSb`?R3 zZ{h)JSC_I_AP*JCp+l*f0T6MPj@YZd$GID5_sRYVWhi<8r77y@K(cMf#=^uHJ;yl~ zhQuC*fc?9uHXx(9<&ZsWYVJ!+<*4wUaU8*(PdZovyBB&_>A{h;STu(XaW3tD z8iVm^oFGjJi}4AwckO#1p-mXC#_My5nu3Z~alM8!^wYP&B{D14Y}yjOm&A%-R3%QO z6UUTB0AfxzscwJ2_w?h<>)B-A?po;V7jy_$Njz_ZMzv_7;e1t6u{W;~f)Xf+XKb+Z zO4^=E`7+&?WWdOQ$HvoS@f#&V%Ge8?P;BX>E~Lbh)u><3;|>L&^k{h?v?zb7f&Hg( zvZ`Kxt9xA$)5b=SBGe@Co=l+GujI@fd1dfNSgbCehL0+t4{MAOg~=1X*A~A3K$#qW zTvn>A(%H(qmttc)m3o9t!XYUWp9jL)okZ1fQ`Clhq3s zf3~zXo=9yq!lzK0vWHg-`Kd$J@x>u?E;fZz$H;RN`m9OL1VWxWY}-oilb?xm54*$` zbj1*FG#~IC2gcmD!(fDYgm>fh5!Pu_(;@fF-sS+)<2TE0tT-CFYNVI@Wy{x$2LV}K z4O2Xu$3z~9!0;6F#oSgb7AOWw)C}Sf#p7g-YF7yzRG`$8IQ1&n%-E}JeJ_&Qtfe@? z9hetSp{>KXVnn$o3NMOfV~-Kj6asd zuf+=Yg=PBUOVr>lQ!b79K=U0Cm0^)p+FN^L(y+oP_NbVb8$c3`RP{h#^|9t-phDhR zjA@?FjYjgo>7Lw+C9_*?Oy`EnZ=+zwVQZDvsprHfgSoJ$PhRXlYmClkR73mt zM7{2a??cR`?SmLzmL{&h8v#P~eX7br(@$Us;%`-u8|^VwQ9_2FJDOXllVrmF%c?5u z^3dt3ECk&cXI!{2G=YWX%kn*{6dpCf1KE)q-0rS8F~Q9kA{TVTTNnF}j9NOvM^5;5 zi;=ETT^V%!gi>f*YrvP(iVQp4^L9m5VNqiu>n)Mbfv}5<;*$=*TJDg#8S$;rt~lp* zG}cWYRMa6#3llN5O+7(<+XAo>78nvr25y5;p8y);mXk9{|jbOau z)1j@Lfx#8#)95euagR+umX~%Kf7k}`jqO(Tlnk_f7RKLLv4B_~K6GFPks>=F# z4?26wes2jE2|#n$qaysr$>Ld1pZ`~EE^nG3{F=+A{8luQLokY$3V-!$CnLlAKDxJt zxMeWoL2F-0Voxv9SvVIbJWLnQqUVSL$Q*C%kCPVkY-4~bSi3n$Q z0j3U3x3@tJ_u`O~tv0IYS$&(rNe4|Q9_vApaP)z4*wFk3D8KWC4RGak1Dbv*j_6&M zRuWTof9(Z-QMjpmR1!Jcotv;VYFf}@JXOr>j(h7Yu7D#u4932)InmYxAF@-7W*!6* zCcaanbG6QqtY#lvTf##ns+o*F(s^s+l{Lp}-I-q!cghskhwOg<1jpxIZ3uG5mx^oj z1FiGCs5h%%YN4N|3WBZpiKO8oeq2HaaZM2Wo5xDS8v@+vnaA`&y{!S&aGiD^1m_v%S=gvIlFoj| zd~2Q5YHcu-ZWH;!ARp=G#T)DH3f=d-8y-Ej?<)0i&3fxe1RYH=EDz3nd4kXUWMk#j zsaP~HY%NgrV=L2(IAp`tv<8AZx3o4*t$TYTmT*;A8t}FNVf38>fRIL#s!JGs4cpJ# z?R!U0og#hSI#V#7FE1zui*4vhA`f~zr5Dk8snlGxjo*x6qb6NTLGxzxfe4OT;Ggtm z@*+GWwElHR)r1G{NVa_+n@X{dN@#EQ%)M)F}LKn#L4jaM)P6JcbLk#9Uk0 zz=ZKmqdD2lwUGS-?`<4;Smc`QD>30Vza7hQ5k}sXHiJOb6b_fQu$& z%uxd~%NEFL8pmCl?^qiWsQI`l@v*S#{73D+j=@Lx{Y^|?A7%K|E?*B@T~2rqt%K60 zsDkKtDX(^cbiINx@+d7&9WLI%B(gfol}rk!U$;Y&UbaM$Mp-i5eU@sJLN<}#4qoG-{MR+9MGQyd9)Ow#T87d<(@d%!pDM{SyF&6Z3ydcQNr+3DMA43>( z8qQ-LpPOtoY!sYu?KU=={n|6u@Z6N1t;Ly|FdQi^!6y*JRmM@*59E&Q;L%^AIdvst z9Fp~zbSN3(Hxz^M4!I$uZm6YGW;$KB>SsEB4C4|qdb%omP4M*3-4$UW6LH-YCOHGm z5&Jxv;bof>4ahC?_&GDK0I>PDo4=G_Lrk%om zcqg=bN$buiUaQ_@70y=3w!}ww*;(QP9D=_cfTH`tOCw5iInP}~A+rz2enX+!rFl$m z!94k_^@Ok~A`~-E^Cb*4#({+4%WP)KiqNxtC*+0x!ULr?VT2f4ieV{-?`lLL1{@zN z*G3BLlvJ2~HS+lj{p_Kiv_JIIhxH_6HwDefbif+Avms77^Ieao;q2G;kWFYN2OLxn zYaj?5(op`Q4{5z&f~7Z`izA;jYaUrL@OGF09NR z06WKT%7oL)p72KZ^uj*p-F3jWa)t;rhpnn1-Km8E)8p)_AVeg#rznFiT}kLfm#^R!ZE`3-O)v=B^6n7}2!JGS63}?!4hR{&!MK9&_QM$b*1o7P&q^VoR z1;ulT{i0ZyWADf80K`n7(K&Sd9>W;h! za2L0x#R=zIbj8evZ0`vSM4u_Ie2Pmh%)o+~8v4Tewt$_A^MSB+n+`}bFWy!O5hc<( zvY-et)y6jzvtP!8l#dmTo7i43ArRj)xBy}aSX@yH^N z*}*sZSn|XE=MMUyy!pxlQzs%QA8#;Qp*IB2h6;p!*Nyv#L!+iJcM7+$^bI}g?s^Pu zVsk#Xc??uEb!gJAU{2LUwC_Pov%L3~jNNMJm?fL|jkcGJ zA&ZYSz6;>*OA)Uo7ji$q?MNR?{oC`ZNUS%SNeL9J{^(mpOL0XWryCXzn|3hn=vua= zGrbS(%D)V)x^jsUmrnLOOc-e}JWm!k#Xv*D+MJ-{=i2!@S&8j10G?x+EHt8#0eDVd z2{w52ZckAbaSY1`vj*sD=&-c67tdNHk&R(KV?C-c7Wu{z{vYieFte0y+%Y+y00}UQ&n#y zJ-5g1W+)i!VavBIEFI!w#RR&~^^QDxCoygUePz^sisWQ6Sw~Adr3U+^W!w=oGisiM z9xhOZw|2^evZqywLfphX@T$8Vr{WEn4K*E(e)TK^r30*O=JLqh{9RDwA`scXw_KFr^!CpL)Qolfv3|C_C!84J6bIH4tww zSoV)L_I7g}!)Cq)FW}~iHJeb0L3BN7{&jM&kHW@17mTOcSEnT~%C&HliF#RQ&p%S; z?6Yq%Mx*Fic+q%zh8lRNZm#t$uppWoE0j&?Dp>wzcQ-S{375RO~Ruvi2J!+5Md9$9{P z3g_B)sD%EYF>x4+06phd=u)Q~x*R^r}n zo1&k@%+aaDsI>)@jhd$=h#RoT!D?^qkIZp064L4BbW0oUY z-0O+)vf6+@UFCcb&m0f%&0#jb-VxI<-k;YK5AkP@6S>h^X_OFa{=>FUbm1eBd8ncq za!N>h28*JQ5lKiS;?~JM?1)Qv!CX+c5m=S1#*icb-0{~NwyJe~ zD-s3UH#%_xw7c71k8r%h0$X3&CXx>Kh^%nIf)phRgcMM%=bKZ?ZBz1@ObHo|j!^4t z!nbER9^#&rXFcZC6|;9IDtjo0QAY7Or5rGNB&E@*=C!VpPgttZ_ieUsV{e{c-@_uN zomcO-eT5pti4Tz(aV)25y$+g;wCuez$y!eNBdHoWxQokIhs5{6JV~p497}@xbUVBR zf)S{Q?@0=q3R1F3=;Y?m(TO?Y=c*9lz?|p#Q$;uWtU%(HI!u^HyB{qrp$Y5-E6`CI zouGl7A@Jt5xV@Wn{APE>X@f^T!d-nX1P1-IZn+FEuOkffvP(Ym_a)_D>+yW4kN$Lv z%Pc7MO~y=PJBT4AE}}k}1$fRhu|usc26iJlF#^@+w)aBeyS|P49QXT1#8EiAk>uj7bRmbA8s*o6lN{DCDV8KW?7Sh*NIozf(zpr*^cH3 zf$eNxSYMDGA_w^zmMlEO= z&rbZC9dc#hj`YD)jVv6Q_LBmLkRrYeB4$FwBDxrbJ}YGVirJRVjHhg*IATha1l&Se9=yZ(+CLVrQ`Xva?i<_p zpkSIVn$~ijeF$7}$+9pp6Uh^pHoxKV}11UwfmBBjPxK~Zv0{6F}h=<-fBv>3fr@Fo}t zy863lae*HY&@wsyF=By%6ZLNloa@r%35Se{)t88ykoiM45sMHEKs!0ZYPG?qegD*N z|NJTEzsw$GXk{0^Hg$U*bG1s@unwT+1PgvrbM}XX`=Xffd$X}fb{G4vOV%${p~L&3 zkBQy0Y2_)42oQC-gW26@?-_aoheel%9pGKBN>aou0tRlcov+jXI=x^)(v+|?=Es@S^*Xhmc5ySTHLhyD2!+LC>TS2eBj?`vLEsf=I&_W1A;fkyTh?LY5pA$3EX%@=zd zk$jWbEd!Y#AN*0`CR>2bW9zKB#O5(uhRl~owUoLo3VAc6^NH6RsZ?7-!^Jjn(ckcU zRV=aF3No~Bag`eXcLix+#cE%g@_;xHpg%I|?^ro`1%Tl|wI-z&d(H;9IFtDF0;0Qd z^Abp?Gra7{7a;HOoQNN^i*Qpbmv;c>2FNO4DJx(!YzlqwI`u%;Ir6cKR!6QPr4)>cdmV!q4OnZXX8mOs7{ zo(0$Wqtc?l-}^_wq{3Ad9zRLmGIKCEY(#C53$*<4q3~rfS7phDExnFQ6R7{Lw8s9| zzXY7n4%3)kB7sa^4F7bfZrZ;tJC;RVtSWX-P6?~U+Ib8s*u^IQ9OIK$-U&*=Lh7>U+ga9SmL>5a{oA$$MqUvZ+3fk0UHJ z!cW;gHuY%G$-lmk5o>ofKf7}B*~o6o0>}1J_2swZHeT>rBm2qcrq#!IgoXdHqKNIV zk8ldbP$wax{TljmHWxW(EA->=9aeHuYZ~?`xigLp-;*l5q~u}CoNX; zQ`@a1cH7W-q<_rD4dXiuIp5#3Qs5QqwLYXKPCDY8OOFHB-6C~F%SQ*^1w1$kJiw1w z3DGC7&}fH9pSCTVg`N#}l6&bpoW)_=Sfz3|P;p&6VbuJY{y$gb5fL=~K;~-E*_9rG zxC~sIfa^s??s&4tmCRdDkDATwrhs%x^Z7N9p(*}iL*HQThB^(L%^QVW|P3-jwt$>7YTcC zXNkXFLxfXHFP8catxlj1ol3R0P+OkP5d_G!)M?PJfBVpO9EDe(=nf6ypGn>;S3pj2 zntfIe^ErP;_hZ(RF~uw9YO{Aws?Nq*ZW)Q+7^MbXsUjWDxVqQ3XWfYtsYdsQS7({5 zG7+!6;-CiC#AjG=G4aB#4t#h-XSY*$me^oVzH-mku0ckhOA8tNPB9?vBi+JcT; zl;O^TpO}-sMVfq!I$L@KB)gRTT1wmC8W|&7u8?Fb*v%$I z*ApB@Uf7Cr#gkH-(6Vw5%g|sNMj`sRx_Nxs1+Ivah7o|wL0Ou1egkXchD~F{*_qOb z8Z)36Q@;;t%G9>CscS7(xX{hgP13>Cm<)rEFRL?Jnc`MMJ<;}+f=0mvw(uP0h=seZFLWA+y{Fa z33()4>y8+@M=vm=A_xe%GyA}Ulh@7F#u{+D)6FzjWMUzBcXb5ov?};(1zZgrRfX)M zj{8ju?&e#6oOM6#G9@j&3v>AE4vX_S2=z#CdbzmDVo1ub!%kYPmfX9i*G)mC)%^pi{%t$*6_^pNr>VZ?E3RID>z0d zFI6z(lZy(txR}vG81|csdc896X<1^%jwgg)9*n8`#p#n-+)YTjj0Nj7WJ_=H{I%g` zG%m(VVE=1j2W5Gx-}(${%E~KvAY>Rr;8oi=jda=844t90iD>Z;cQ>7oj_=TT;=kH| zr}TTZ_0JkF#mZFgL*`+fZ8_PY)*P%UdZ1;b+O_|%X4ib~?=vpy(nVntpSihykZ?RdD=tH9^Zg?0;DSWO8sX!qK>qO`A&_j?2;{8jV^m~l;I(y?$@)$x0St2}8^ z>qvWI8<#UThorq$b{lGoNUJAbuWSG_v|^9Rg6_y)0grc!-us~?2wbo zw==83R2%1@AiD^RmLL84wZJfj-;dgd_=g4lK7FZTN2qi7IebWlOm#La#DQO}w6k); z7Hrs^{v-0@Y4HhWHjN*!T(j#)n9imXyGXvvVMRmVDJE`I099v#h z*ZO?`^-r8Ky!mB=g^A32T+`5z3y|)r_Pz{)5ouinX5hnvi7w2qw#hNF;FpQmYONR7dA>-Bf4NCDN{hu)JRerMoqvCQrfGI#JRX-`i>aJwtL_|T z2|lMKUKwh9U6!W6Y>gRNS=#$4-8$#uz9twJ+J-zAHj^GaQSKnSeQ}uQ=c+J*9X$jy%G~^E&S_LYPAG3J3^v4Y<&N5Y z?<;7ZV}rtz=vUMg7VtkVpcIfCaC+5Pv$^QHH#<6R%#J@a0PpQ{x?s;Q{ywqhL%rR$ z(PtD_e~IWF(zpPZ(c&4j8=$<5Z|1R1`_M<-dopU74<@)3u|fQqy=|wZp*Y;0hAIt~ ze>fI&dJjp){|WeO1nyqdPWMq|yAIOC?<(l$P(qnLE#nbWC&sm$YpEWm*liw!(BIcM zG|^utXsLIghz1YKjsG6*>)Yq}6@2{b>P+e{^csQdAeDx3YQQn@DT6!>;Q#Wek=7lz z;c#LO;VMXVZgeJsTZ_lH53aCqOxE|AsnpEbf}CV*y#p7XMj59IYV6)%7z2I9m>$ZB zg|#jWR?=)vE_=9@@CH*U^SL@)KZHYdJ(PsSW%_oSYnB=c>_v>eO5REEVbETXA36%W z1w?uX1!Kf<27V~pC{VMxi7Ava@4T?^_VdSG{S=Xbagcj3j?(i(Xue4!?ki|2hNKdk zWSxhx4t1E%{U+^z{LAL|XOQ7BDP)4F9k57gh6-k^+ThZW;K5}Us9X9Xh$>5Ecs?3A zJj4_P4xUMX3Y*}6h>nu3go6eJ*LOi)T`)C+Sb);DfV69D@HStDFl`R(Sxc05&|sse zyfSP4&gBUWR7C;rW(^p0!?#qFgRu@fGOu&E3|uzwr<62%nPPp-_lYB(dVv+$PnJ<#%Lb6&)UKWyfrDUrh z*(pgjijsY@}7ZBw4Vjmu2Bw=x*d=tA;x5zC6qk z{_z=TnB9Wy>2Xg44sOZZY_1U1j&?lRSi;k`X#9K;#YuE zs6T$LtzyzOB$?$`zzKvoq9=Q*EVV)JF`z!v=Bf%}Mh9bAH7m?SipzU)a2}UcmMsmf z8p3cVsIx9m6Sc{yE~*AdX*vY_Txq!_sLCeT7WtR_os{)w0~EA8p;J67LBvXxGvT=Q z^BYIs?mQmx3u6|j-z;^0Rs)%EAKbvglAbG>-D5~2QQXluN|@LVEz~E8>V451JetE1 z&+s9FArOF27Ynq}yw)VK00%gC9Ks=Dt__+OhZdzlM6)0u8G4>i;`dO5Y~a)JBvA&P z#AS>!!pOueUwcZF8^?w)*&$)h*$_5O1LAUqcVFqb<1YQ2o$h0C=R15!p<`sBzFMiU z0f9*}L9%D7l2Gi7M$-I2XDIhfvbP*Vl~*xF;!U<I|y8w+$yWKi8(pu6s)i<4v>4OmYpQFGHUsh)l%rG`C z6>`;sU%Rs+JEn;!lHzbptI3@(L5*e-iuXcWuKRp{s||#^-8u`*o0*6)!tikvr1wz! z#op3~wHQI*<+%xVVQEQYRgVMEB1+4d>!;h~c>N2e>M+Bb=iD!hEN2)fZL_z~8?+1$ z-cSv@);`O+ZBi6UtEWz;tAIz-m=i8RaBPxKV-?7pGe4)qTB{$Dq41=3Ru<`EFg?>Q z|D^CJCG5{Ab$Y3I{>CHr>l+$`ih|SDI*gua}#~p*)g*{ zr}^x)N@mW6Tl90RE9F9qq>2)h)is7@mzyf7;|JFbldmRRu5ikPQMB)xM3&!QsHr+R z`Armu5@~GbOY|ds)xd!V7mUsIP_;~mlYe@1l_gxfl4QC`1H0)NMZFGeeH1jZBDAP{ zD=g+FM=H+PE+!oHL7>17sYHY7CF44{Xt9` zV+F6sU!GR!qGC3G4}-~PL`b7F_qI* zqoXv=G@;;wUxte5;AFZZ@{l#|YhPb`j~#+@TDW#+oB63hSsFFp#p`?1Jx z=r1;QLGrZAy@RECYZ}ec%{JPd_syn!{bRbfG|oJ_p3eaR^TAtg+I)-Oa3PFi-M&^H z(-vD{go*w{;N8z)GD=PdfkyBt!6-s$FX<~qJ(E5&y5fA1bkVPkO}<|?pWjd|7;O1U zz1Tb6SABH4H*%=Dv;(=TsX+R4WnT&GV3bMzMF%JQiwU?WH9uc{9GEfc16Iidhs8!< z7(KU*qd@gr3Fco_$<&pmNw4B`GS^jqo9q>Q9`xV%R6g2kyE6=M>lR3J73=i|o1%mE zRDE*w3BK+h=5^&=f>UffVEA`T9Bch#sswUSGNZ1~JZQ78rqOwXe%uW- z5(f#!I*)K|=VXDoQ)PV!XSUCo`beWX^3$sUlRKv>4_paGp)OtW^YDQ0fM$GOwHX_o zoFD3K94yv|QhgIOU{XXSwZL|1H)LdB1Sy*f6hVAebKxHtrAxYM>zMjU1e62(p$0{e$Ecm)&?h+b^}h4g_^B) z02Y~Dp=yVDILhyLAD@44s{ZKq+<+GkfGK^!W#8B5i7#HH4{pk$7Lq9@ps0Fd+xze4OjaUgq`1e zxD9cLoSC8lAKs)=t&@?dG3}_!ct@XlmVq(V2E3Goaat^@)Kg9l)vN&vK_5`uhO}d< zKOM98+q8L$n%d^gk#=Fez$)_IjCdsF@xZHV8c`}8I#C%&znQ`i@U&xWig`_nsQ#Uh z@lHvdTXil@#==wGFKWYG$LW%Fcdz`W|I5LrA*;X7&~%Q6ivCFzp&jnahoLiSCc(p} z!QI4;Hn{U`z~3pDK8LE74gVr<720@po9%CJqVErf{^*NDxk0NfzHJ6RU!sRjZZNks z@9nH_j6G)qPDhmZ&38`a+I1Z#rfadL!p|uKE4@ZEQOhpff)Ve`T#!8s8y|v3SH>D- zJ=8G&5?vKV?Y-V%5?oT$vugXwZoqYZ3iAhbp~bV0^A5%=2gD2BT7QyXbDbmclW&Zo zilYodChJ^Dz~q;DuiebtWdUDxCcC8saS|vad=qe?h~@X5c2*~+bE6_M9%-Nc_AxKz22<2*m9fSnh8?}MUC04eU85;4#U`Q%=jz6 zY}F-azlmID?qsfJLN(cf4@PHVyu*iGpSV_GlB$nb*u_>)=yX{;7i-`tU&`Famq(c`}O;Lw1qnpnMt#}IiKs{1jb2i!nrgkjU+FZkS z2Uk^N1JI)xX7ER&P=;x|_ZPUWGc3WVD|9Ag+T^ADnqSsMJXx=4`CE{N{fV{{C@7FP z*NkYF^0+wCD2mq~tshJ?!4A!Q2$HHXV;EW>m)GQGKDEGlxNRT#^9=Dl`ZQ3suUqvf zMQQ0klb^QE+A?;Y+dovqc&Dfik93wl)9_(%yH@s*gVEQvM``SMDhQt4P3b26-tvtOK_vNm+$fIPW|3hpQSRa>eu5KKqK4Ks0eDANLCp9*oAPySy&LmIC zrNcZ=X!KMYybKyHYCEqM`3sxh81_&N_w0y8(5m-aYKAN}oOm{F8Gb~g$s#51w5sui zsz;4}tZM%PX^(^}6+srx_rGZM)Y_qR0QJqraH^Aosy^eH57u6n_HLgkHaF@x$RXkh z;ZKZRZgji#7D|Ws9I)nn75izU-}n6PmzQv{;_xL>?ru?Ix`u^e)$WKV{@NL9PawB< z@uEbD(h-N%zy2N(8KN;}YffPN_8J_bk{mU<3y|Nu_i>BG*{$;keoAQslt_nNXo(Kw z>Ux7MK`MJN&;CfiZDFY~`vy;Zfle#CwD#J)wdk{oD)mRI4qImxSm#k=GUqY8i~~>G zea9$TH!jG&^c~IOaM}?f7c_ou!^JJ{iK0u*GnBL8zg|0kT4+Tx=DS#V@hLvSKe(J8 zBIa!PksUcgAz^At6f?@kO`K0&FN->}3L%U$TJ|OBaQI0V9E{sI+o*fK|Hevz3LQnd zC%y9bFcR$Tex|+Ukg+}WN=Vj`@dOi*K}Z+l$6xxWYK%~6*l+HE|uL}CiBaxP5WIWzepNE zG7|nTodq+SHi?EOSO0qnvEIU3^<6@||KQJyIrWxw#U>`|+Na!n+yk$v>*@VZENTY( z_y1hf^!4@s+ZQ#7f>@#;mMDlN3Sxz71A zNCH75aWIlFAW0OIBnV6r11AXqlte&E0zf74um5TIuS7vCQ4mWM#1aLuL_sW35K9!q z5(Tl7oJ2t^Q4mWM#1aLuL_z$&r669=(EYQ5SkGYb;orq}3#wuXuJb#+Q-bT1;5sF^ zP6@74g6ovvIwiPH39eIu>y)UPB&sHfs!5`1lBk*_swRo5Nup|!sG20ICW)#^qH2<; zn*LK&ljI%*$u$uF2i}4q5!*?`b`r6jL~JJ!+eyTB60w~`Y$p-hNpPJKT&D!rDZzFA zZ{j+a$ee%2b?PtS?*1mW(?9S-Y-g>mqpp2;;jU_*g$u10Z@NBX{>T6K71nL`?&mht zew==x8eUpss9`vkkUOk$>{5)5#Vi=$Q@lHr*T4d`+e!B+kapAI{D`7 z*H3Q~mNgo3h(Q!SM?`S;3?;r#&(404K7mbNcGE5T*DYI?pOsnjtIFD|-tWq%#)s=7 z<7J1XWbR8T8Ca+dyy|}T>}@~VJHu6~+m-k$rFD+ql-cl+@!r#F;QMN?)ub+TyV#Iiq{da&W)2KkGGuSQk&0fcuySQrdE)Yo{$hPo zu=w7I?HqLAQwy-TAHuoy_~_1drh?My?G@8d0W|n(mn+V}F6->R!&~-()_7%Jp=q=b7%=IO*dvtK2@LsFQPi|G|wPS4B2;l~?QBCLGb& z<1K!z`Gre;sqy?~Q$XqGIdOYHThbN6n9j*NDD6Eh-HM;Wmis7RJ~o^0Uw696D*=~P z4n0_lbq+;0U+U~>EE~tHIz>~yl&7z3I>?k+wrwXuPd(t%$}(A5Y3(&DK0g6(x-WA! zS%D>@R)p)TZ%g?7j}{Nl2)d6J2bMDT7;!_7C``I6qr|E;$a0Tah7 zOmf}`MMWYdg_}_EW#J%Yqtu##4YvvMQsejTRNmuq=a1j;)bP!Y+k`)z6LDt~{_$UV zlWKgiRgXiiXcNCS6utM>CV9~@jcuM!pRSS`HWI(St4_DDQd`H16CGP`Hkfd1^G!s% zTJ)vUXx1x^^`zjw3tZ2Axa%1yfHxK@~!sj+3S?$nm&Hi2E|AW1E4DPJy-bRCoHL-2moR|~aHYPSF zwry)-dt%$RZJ*5j%zfVH)c>tIAKp6WQz})z-L?1X?$xWivU^>9?X^JsbdXvBr#A>6 zfD$?>7JTu*!Qk;ZfAMj;GLFIgz@H_^PssqySSO>r$0|>IWWgz1qG`(pA=Cddc zXlB5uVEr36uA9^~BOc+p@u#c~gs?RM zJPj%?GN90b(1#GD5a^)aIgmM?IlVaodT8{9RXSC2RX=|CHr6}GIoCb7K?p<02O9*t z23yCt$Be}+#;nG4g+n`;ygLx?8N6 z&0I)bc3R;f@thhF_dRJ$Ae~tgdDVH9g*z@ITPr}TgQvVb{mt-|+z%L(2Xq!xBH-#{ z%9mmFU{kP0cs?TG>+a|(7}gq;nP6G3nDWzA(KlIKbt&{Pjnoc8voNv@)4Q3ES>sq} zSp!mqQQ1HnpNs&8NLfokJ8N3Y~hY? z3-yS9P4Ua<1_?A35$kvE*CJISU#e-&^EUBOzhYPO7}63x#;b|SndxF?3wj10xm=Bnee<3??rX`^u-bt!ez zzR0+jy&t?(y_mfjz1O^%zHK?V?|#qn3Vv7f7U~T5UgZnyT*7mYQkT)Ev$Wx}F$Oml zl^l>MGBHs*xRH&|brDJYE%}?`clJg1CJg+|K)POI)9pe9>G(9^%sbB2Oqx_r@>iz-V`1q61tZVB zJM>6KZsYuMl(bdueUD$f68OhME+>y0*ZPYoi}9!?G(DP0gY?72!@Fan1Da!Yqiz|r ziQ2Z&FM2z@hd|T50TS+sW753tWimZ#)MvC3D(X&tu z8dflCb1kbfgj#mx2~{lDu#Jc=``4NcE&BJ8XLak!&Dz)A@82c`ngh`tWHc>S<=U)Y z?fvAtWpaP$yTzJKcZ(oIS}|QSq4F3xr_J)O#Vl1XW6U>Cp)A!u^z08xwwOPs!uCf* ze=i+-qlx`xEDe+4Xm9S+z$5Q9_oA`uq8}+I?NPyRt(ob*-i>-ii*rYLGY>-s%LGjU z#{yFfQwMDh%j;5ne{~o%DSBS?crcN)x={Kf@$yhPqhe1Rto@B1p1JClWY2If6%`rdd2oRWOr!BY~pB6t&d~a zbvIy2_`aZfZ$;^b#i~U|#JTXWVeq`6(p{}(xfae;YEjTHW6PjQ< zIobOT(ldf+GY~!lczqyI7Of2_1&F2JEzhoA?%ofd(PtsJQ=DI==zeTqjn<|Jw>9^=QA zf!bN|)%5-JGQ$%?|5z(0r_-7F-1s%+VkxSUt&%P4^&~1fWDgCx)*YE76$RO^rYW^4 zH;0`i!9)8+{zqGoBT#{S(fBc`#G?cCriSxb=-IbM2|MY#_EEo!!2RQrqg0FxCP$_^ zZr7QYiyxK}isq{7m$9vPVG-NuZ<;L9$j!+utQk_gxCbsv%aivzLUvxKd|f&ZQD<~N z9(IR+!=KAO(vK`WIPaDg&8s0U1X~fc@2rnW8A%s^AN^3boa1%ZV-V~ZeMa)MZ1tqC ze??j^Q*FO&-)LW&MwDj6^VbVPD_Kk9Roz``zf;ONTq0E>&nw$o?BV{jw(4*fWuBrn zQG^j|izAVv)BWo>)T+;`EJKmYjiw~R9DHE}Dk&lnY91S36hVoMnyiZq=|tQ_{RB0g z3?l`7bdq!pmrlA~;YQRhS5JJ8M|k0FC*~TmCnO-vHy3=#Wr)S(ani+6yA+3>* zY!Bj(@GmH@V8AIrrM{4UHT*FG-4V?{P5tfst%bsb*CND29U~_r<3qMN`+lSmXW;vA zz^68*+-wR;U#-Tq&K$%BPKQY!rn5+q8m0}jdhQ)A7Tc{?D~(kcR%krL*Tg+DThqTU z_ufj(B*sJeg;In(SB%6_X}mh0Y91a}XI~l5t5c*{-za#t4a$2wC{3Qu*WEacoM#9t zRfGp3IAq-V!*oj}iP(<*ij=NbsAXxW<7!&;Y$t4IY^FRkRdTwlsoqz19lI62TWtM$ zE^;poy@EM{b%k5+TFjfnYsS3CgY!snds`g*z`ADbK&ncLT8Ocpp5o|E`v&;FIW5_5 zaoL}nS-S^rM|f=r6`c9n?o9LK3G;;V#BEQ0BeF1Fq+K;UN$FV{V6I?(KYu&##+t_3 zZUt+F=ty$+N(;$>k9dH5;{Q9RdLrilP!dZCp~br;;+{B`Xc_N3n+#tNv7Fqnh^$zt zSbMs5QfYE`qMz}BPK~jc5vqo+(xPUp2BxOLX2vGr2eR${^$yO!meh9W7AeF5lr7XR zs9T7{pr4^QNZas%y{JTe#F=8uV(W3_QBpB>vC2xF6wqXQ zrIIE1(}ELgPAn%TM?D+YeGM0~FN^Q2u)I7mJ0-^fPM8G9O<>MNE(lzttya#sx3X7@ zcb2yjSM!hnfR;X_zV?2TU7Gl$0(AoOkxGH=_->AhKZSa14Zg*x%_!K*L5qxRt2D6n zH3sX?_RDW!BmP8CLgb9G{r*67oFA0OkeMe6Y&u+M^u0s0Vw5dbjDye##mRANCA}={ z8gMZH)r6L7ls&E{2{W-Uy~6JDhWKSS?DwKx0wn|SkaB#*V4`>eMEtdeadB4DH!U$G zA%DS`C+ddfLNlxR_SPB?>4WxbKPb4sqeILzjL?+6RQgDNb!hd~WrR!(Q|m+L`KIT% zLiPLP@oPqIC%675$0vU(D}CbI4ru{mhwPFZ3t{qi7UnD-ac+riK}J4v zzUQRx!M`H3{M-GyQgj38V<3j(#;H12I`zgF#$8jSQY-`7es-tJ$JwPHlRM!=?gO%G zQJrJ9KfkB~`S_CX=lmAjB#xGy6wy=eK_t>3iqAjDPsr0ASc#KLypCs8ijpyqSy6l{ z;mT(yTgsiwUn`z0U#wux=B}tI0lTRh;0WXmVkKZCNt#H#N*YW~RsW*Cr^c-ARZF}y zxX8)g!>Q$PWS?P|%|_+Wvv%94&R)Fku^Kx*-1nR(U2|U0Vbz)68Lkr|08W;qO3NO4v(ppBZiyi#`WMd-U*c#+RIjb z;X(ZQbxyjHs;;E9z9qV9v68v^)uiym>EPGa+Y{jFJeCO{=2t#5n3PWFM!Y)zFHtZ< z-w4t8jzBrT5)wh63#^F>Wg!&?8Y_J+nAnyU~T)fRZ6`Ojr<&WgYW9e~NUs14F$+MeZXk0&zn09auS}e_P;!&|t`*cZW_63O#=! z*I7`8gbQB{fmfD9{!*q+wne65Dy;LNytL~pucpw!Rw z43AL#m>QpBAg8a9hk)c-Mm$vOpzm-#=e`|39Rcc5@UOWyrEz3X3{ZghkGuH^*a$gu2=%!mJtWAaL%8V^TGJsjdkSSU zW4N(1cw$VQj5b#euMrk2?7r_8@4b^1HM{2pwLS<3Z_W1Srx;q!-%_|zP?rjqSX#r( zq0O+YAvZf+0>0_GuR032#&+g*^$(UqT0)%)rK3nsu101A-iO?c-f5%TV-40AJ7JeuD7GRM`}{M{kSvUp>5MPA7)h^QC=&1 z`t|FVP&sv3OBtNSft7+a0;>RPV8c!WWWA>are&g)_36Ud%3Ju;>BI9JO|5x@o89>P z=32FA8-nTAZ(!uS-%rop5C8z20KL;sR#(fXR#(#*h!*+Yd}=}79<{4T!-UMvgwF3K zYH~`F+O9hq-hujy-Ld{>Vw!(Y`9I&vGqW=@|9SkU%)<2dTX}UnS}_3ueqB351H6AQ zeK|bMe}z~X{tEp!#?SbP@qc3cpBVoq#{Y@&e`5Tf82=~6|B3N`V*H;N|0l-(iSd78 z{GS;AC&vGY@qc3cpBVoq#{Y@&e`5Tf82|rI82=ws{(oTntp7WV{|~1B-x&YD2Lb<$ z@&CzM{}D9zlgIzbO6JpMnZ{QtoC|AgH6bMybfKk;>-%Fg^Y)|HT;mMJ8H`2+apvs>jWqZaF`yVlab*5sLVi(k zUnvkMkm5n{Dg5K`*V|Lp_C4BpKmI&2YsSyZ+U_{a%iG4*+)kmq@osiMow^^Ww+y`Bnu8 zfHxMk%uC0Dhp?pvKnDak$;1J$pe35P@;%aMgFUFpMCKcS%@e*xWN z`}U4cy2DH7zxA$6;*W5J`d$rk_mj3ht4~-&24NoOjkk0li0z=FjsVa+K_(>}s@3jW zM|_}ljlK>_P-@N#b~@hP&j%c2wHr)cxbT`Efk|Dw*k8?IJs_L`_PLQd`bnkqqK z;=`rTGN9xzKbph?3@x=h;I00|IWhu1tfXC{B%2G(9#4Vw`G%74RRDX!=bP+Vhl4=( z0fYX4!Odt;gi5HxK;(x8x}#YFyt%afeJyW?%hH8S^am4x2duhrFk@c@UMJUc4#%M1 z`Bv%Bbl^sOK)wS1xVQpa=0nT6lbo0CF4U%0@&+=&`|<^FcRh}mn`>SzN9PnWrc>lA zh>PC)9izHA4A5m%`&HsoX$1qgmU+1LF+A*AH>;rD7dl}y;4tnosf~P}$=-w4L(;xG z5$QDIF(6~Vn%{%(+1>y}4qsYLyq`KIPIT12)<%FH7xA*Z#0Gjqo_4o)@$^RMWdg!o zSV;|8OEkz$n|LujP%Z+7@tbzEB7EUS0U>$6&@srGQ$u46!=J%DirDM|2QVDrFbO8_ zLt82UDfVjZpWryFuzGiY>_7K!`bU*GI-0ZVmcn6Puxd;H6m>!1N!4d%Nn$r)= zTQ#xH1#{EoCK9Cy44`fMf^+$!NC(OHiVBdl_MR)&-B3jWJVB5ARU}j!5sWSj6Xh3% z#l`Rj7y%!`z_(N;Zx%WLl1>B*fbX3!&VJMr$JuxYW^LF+ehN{53|+D|Kxv@|>?zqm*+LniqR=7^1*j6JTO{U?6#mg%z!daRKNJzlT!+a$6Vh5Z z4m2r&b3t6e{hZK=*#lv=xyZ@f1JfHgXjp;1Al*1!_a&VbdcY*Kk?)cydrSpb@_|jE zE@3X=$z3l!F_ru(LS;O2D98RVT~_@@I(Ak03&#tN52s$r*C7c)U;CHW-zUD8J~SW+ZOJP9Kihd!L18lF9|0U%S42m=qD3pEJD1j}Zo63;NNhPCdBu117 zJqBVhP>>XxL@{bflvZqAb+C-0tiH^rtVQKo^;qRumA8t%N~|Wi+EQ0SZ`iP%<}2tk-ZK|ivOs!wFkuW~Xl~3lPyZLv4EccR7{(~Z^qQoa@M~&x zsRW|bSl|J-0pcCUD>T#yiG<+<$}q~Eaup}^tH=yOFrauf2O6g!k$a)RV$lyb=9WOwAc@i%cf zaUpS_@v3oB@!RpGaoVL9MGK{Q#WSVua`AGvvZG3;3a`Zl`6$^+IV@#k#qHm?rP^d) zO9Om`y@lKR5T#-Y;`eAqK}Ttik>)|lIa{nmL(6uv>ZD5*&4tuOQVTT8xr+(&w+rR7 z7>kDUkIPc?-K614jSCtiD#XqM+v|BW-%H+%ferm^{KWl&Z>x{}<`T=i%*k{`>A9@g z%!rJ3jP1uvW>i*^^fU}!`UIzlCh}$sRutBlMs9KrNg0_LQx+X+KgnSU9Xl)*se{R*4t$ zr{hnWXX~bJQ&W?d;Tv?F*zeiymEc$+M{$sGpfXT0*fVmqO0>weG}nOE6wX0$TO$Ld zi^pF`hNVbZ!Y${P(yClKmFHNy?%z;+sNvPEEDe{%7hOl;j`t6h4;v(Z&B#{ema84*;Tf6}M|8&~wmgeH%P} z9{$ht&&AJfuqHSIoEO(R8(m<@X30&-!>WL)aInR=91bS8HW!;2gi9i0IK9~692`-W zX_^_`(XnyYcS+q<&D(nYa5$NqRkuB_D-KQmq`{=y-y<@rd1s?Y6XOu4quSFd#6iXx zCH#sLiVsg{iCZt9C@v~OD&dmzF9|74X>EMeJ0}j6fSDbd-8XkOW1#gL{*lP5aoNIP zGka!s%)Dy;u@dS)<_G8D=I|YY9T;!3Z*yVRU_3syJSLV*Cas?GyGE+9&hl^6XX+wW zh}MPcT9)6>Pekg*G^3v%sb|FXD8=OmloZ}FSMpTUY}WU z4tR>rr_M@_=Z@OnWR5p)aZWRuMK~fcTyI@5pXcsZ&sfi_T`Vpew}Ve(e-%bZKZCA- z1%R@`MZkiqw;lQAY(yy&NBdrt^q{30peA^4Ry@1Z8)O)aDCm@8Pf%H0*r)*??El* z1B^pGB2h!}z~~Mo@1)S>{2}Ws`=b9Ff`m5*k}=?scoegV2JYK#!Hgg~U`|N*=0V-EPkAFj5BPW_-LNmZIM*!i+rgomoM-#AJ?n z;DN=A;zajB+f0XUR1448#Hwh&%ET8#21^c;IV;cAoRR8IivFi8sg%sEAgiccfAzxpIPz7-vh(ZqjCkOWWMM z_aO#F=Zx#;E_hcP?IST|V*;6x;J6NhV?&1=V~)SMS!2eb^&d_U=QDzpFo5zb2c&if3Rrwo8^-;3sC@5eD0ybgo#isY$w*v!Ak)7IC$d;mXXhSih*iN( zpY;5QG_cJ@9c!(!;S%7<(r_`?bV+cgcN}BD_P$DqS<$IDq@bz=-CA4NoL8`YwWB!2 z9IlplJkuQabP^DQ=@6dI8kj<2^=d-025%;7I%^TzE@1_BI*sj@PJLf;hU*ozf;@Bj zAk!dn7VTUigX_inuJ1!iAWaOm1F9HU`|*#M6}=wghx_I=!^>>OBmo*6<@rsY+?vz( z3#kAvljMX~=eL@tk<^O$y`gqykN4WV8rzSMU-We9GQd0=XlUPl!ov~4xdf^Oas;Ia za(?Ve&63Q@Q0kHQ{ZqSfNzuNNB+-0DOnOy05o<1+vS>Xag5@IR7q-)F`oU$<>g&$% zq6U=Ui^H$52@dZiOH0prd5d5hV__pQOYHHTL|jSvE^x)+kqpGt|68x7xSqIE963dh zcyLMhQLS1;bHA3A(A2Y32<5^kY$Kp>Z*5Zl<-4C0$GV#KhV~i)?UJ z=w*pmI{Bz%x5ZrR9Ko2}vTaw%8pmW`r_tcuTtNCq*rm?)S^U+>zTlmko+cgrpwI%! zp*pxe(X_zw!peQp3ZwH}9zZ&A@Kh1^3X8=Khtf1HHI&mKu{@G*65S7To86H?m*!?appS{E|6tF=w!E21G7DNUK9lS&d8h zQg(29?MK_5&`F-l?v}A_cn(sdY`fYh|)!EwJw~Wum<$Jj5rq>=1 zL1v9Xp}N=?uVIC1w^m{TpvJ|Ohi55)D5aGgw1H-i&59DowOrg`v|HX>C0G5Qx-ccf zpIEz7zppntxt&Frgi4u9E*H0qo?3HM-S3=pa*Li&oO@0ZUYJN&3$0J-Cz4tMs|P-0 zP)CrpT6nIq3TKwR+gmuE^>g< zu$cxXd*kx1#Q_X*xLv>XLniASVF1GNQQelW1XqTKBEn)1&=ANVfFc8oqo?>PJZ(7h zb!2sC^49^9J^K>`sEz_%Dm@r|coLk-w=!TBm!?5wGz=IfnrTLz#XbjdKj5bk`4LjCJ)zkCXSSiqsSF?n3UW?Tu~9 zZZr+I#5)C_BXz*Od-Jv8W$NTkpy-xe5W~~TmYI~RR5p4$X9^bN)gdXB2t0X*#ZpC{ zRBB|mcKF8qcI&mxr!yqpm8MWuY$!!9Wh{m>(U@3iA5)Z2Pt|@d98+&BZO_Zpuf!gc zClQ|NlkCfs%1B~Knf=YyYNcxJ(ESuJ3bWh{qkKYf3WXiPUcfn-4$Q*QlGJF{IM^8K zeBpBCeCZ7J5M&v%Ty|*Q+N*m^(m^L4^8r?@;n`M-3=~fo>$YzGf>({UlwHp;)aNpB z)32D)?i;p@lsFJYSotRH*(&d(EJk6i=E$+X*6K0!dEU5>`Q}(U(a61HWOQm@%Y#v6;OWgET7S@y-7x=Z zzjNuO3szy1T@{Fn(*#WZLP3WcA5M8VJLpCBaG1)PFHdOVDn*Z3$j2{lAQ za)_mj$872pA1{3yXijZtwE$YS#(k|pdUqz6_KM&m={os?u`iO4+_j%0ty4l3oBx|Cv?ikerOy{X)P zJI=q;Pk(Nvb`5`;hoPzHFj3J}Fw!uSGgC8C()XO+%Gk}CZM=0--vY(wRCJREQ|{L( z{IWk1Zmcn+X}-F&g6r0LuW_??5xs8EzBteNLxN_6^@&^?s0ZlPcMK#lAVjty0Qo1J zkgedN#WK1F@t!3W>nZ~c^P8?OpPq`GJcFC~#n^I-i@g3+^R(gp*&y1gwR0AOJVEJ3 zWoPt@#bnylwi&5adM)qm)=fRoO|rbd=l*Soi@0Z8L;`P_MZ1c+rbpA2nTw^Vrjmet zu0-sf<=9?wLPovBX&^_#s?#}xE7^NcsZ-PYY;2!T8GgflTK6e!j&`&NZAX;{Cj$z5 zL^|7@k1>V0>s##bJ|knd_M(x)p2lABx*lpwJLzkXdYHzQx}z%nTXF4B8_SypA6y0s z4iL-+_HUmgyvYI8Jj6$!afg!)_V2`IXrm!4LjAe4+3UJL>2Q)PMg-W->KCX^0KNmE z`kDKYl2tu;`od->1qYI+4oFcMC>i7EiIJK{lc+!~wk|X+JhMmGxkmR6YBzB-jbEQ^ z!E7vdR#4*+l936bsKI;EPLVDVC{bz=%TlNkD3W-H6=>B9Sc!Uy>na9IsA~19%xY5e zdsGN#?~OX-E`7maTwY7tJ&kqtDa49>D={2fD|gT*t1vUQ~i z`$xCbIU3x~WYi%n6;Cla6VBp!FOEofEWF~Dj8{5d@;vd(M7I`mHy=>BXe+|h+Hl-4 zAI_%T?k{74i{TLD@1|!Wbu)o@)klKHS|4pUORwi~YmE11_Rhvy#^F4!AMfMr+BNq%BTWp?r2P@cd5&%o@pD(f_|N7xLi(e><4EumSQSNpl#z~mO;#et9(Ua zY)p12H*knjz5{5&Ci*gjn_-E2m`Po-J18}gf_x@fy>JJ>GKgp5CQG}o$4K! z=lcTc|0ZtHzn?F#FfcIw8=N)W+@)dlXcLZD5GU!vkq&Z)>P)3F!>Ds9V9y zY=)b|)o8FdXS5SaG;hSq^d376lO+bkh&7eaTBoXfD$4z(c@oBZ6%6dD=q;P4WNx<2 z`XsBY-obk5yDH<%QnD8M{H(`uU2}^PZ;{i{Bkp-!bF*^F`>M9sa>;2*^KrOx!_eI? zt6FApgJ)S1j=L$xnHFX1+2iYy;^nc&0&E5O=Uf=S+|ecx_zl`hOaWL zMmgX^<;8BNu7|adL!8rY33UaBig7SXl$^B=>-N;CCLWAr`_Ikj6Vxz0i*uKJW%mLO ziY3r2-R;vXnDvXW4(sUsIGC>MG5s9c>M$LJ0AHTJf+jI1CjTN%ZCNt$3+m$MYz&b+ zOCd=b86CJ^;gpQPa6zL&Oua0cZVtRnzl7!P9{r{O!m7@)sDpBYnAwL%*q3hWTBM$- zQR1fWr`QK(9>&~U4eN82zFi>+7tTPnplnZjhn@n;y@={bmxMVwp z;gwC0ZPqOX;$m*aZ|;`JuC6{jw8qbHi@|w)?=@Jgofr%~X(sl(m2_KeL`s0B#zP)+ z`Y9Pdy_@N5=mJz=DY_{+%1@xYLOta-6XA0N3*re7j2;+p=vl7M!gpv( z(rRa&wJMPH*lgUzMI1N8JJ6>O?03BxM_u`R!@1C05XAge>2;HzI~QWQ_GnAIDPj4d zpYi2=ONqOqF{}J!tL~|ANz(%cFJebxln#=Z70x?bX%JvnvF{W_Z3aA;^)I-qP>P7As*7Q90ip{M1?rmy15MEYQ@JcWsh zNt#%WRAbvUV9SNQskwnPk;wCoKkjs{m|*t$;~BVCe}4=Zfg}Uh`@BdYe93uuK%vZxSI;HXa;oC|`epQ(8?R%kUXl!2d9P5+fv9fUziJ=j%keVxxsnIifu zZO@gd(yseLtPamvNv+2?=hHmI9;BtYUz3X>$w!kKRTOoWwBz-bLMXIv*+Q^4igOYL zmT7FH*qrFdyRHEgaAU`=>a0acloX0G?fCDqG(%+b-xKXwn^^I|$iU?M>u}gaEekt+ z&OHFJf+X!vq6hX}1-Pql*e==zeSjlZ*uY>#U0|^)EkLoN3}CUMh`?YWTO_(B*qyoDGy zyou~Kyou3mWE^Sl%0XaTPoXwC34;fGfaNlQ!3Yo&v(d<(5MvWQ`i}p&fitTEixo6A z=&G{_&4xFK#ik<$iWSGvyAc1OvLql@WdSrBILdb)-~>7V1Rr1&gU)Y@9!xUgEkBz* zcx*OWNp`YcX92Fdep>1@M;sFEU{X; z`pn3mfCm2it;F#i)Vtdk^R26BwS~yVZ=SQgTOeDuju0srm*fF_P5$ToPZ7Z@7H)y4 zue?;_093#4Djeql(jQV~6&E$sh(onShId033YN-ck~z?sLtO4>X!~9}m8AOP+TrJ0 zx9~5)ud0I0`E$)k!-eB3-M{ps?4j5QpGG4$0Ul87Ij5=XM-?AQAwp&;e|Z$g9YX6h zUeDC!{Py6r7kyErPt+Uy<@S=%I%XOGMvOc(NHKuGn_?~<`iJ`e~+GtOxL*6No&7Emy5 zZxO&u!ip1b0ws5*xWf1=yu$d)&FYRQMG`Fd;pUMu7K3=v6bMnIk*|Zy5!hzuItO1w zkdk`=6TwRQz6V*7GH^tQv*{s!?G(a-r)2^~01?qB3Ni6yLFcOSCZy5P%$*A&^mG*a zsp^2ChB+&Qby+jZU0)wtx8R6Xg?7R(h>KW7c2n?5J;Fbe8Rj6}X@{Ug zKl}}EZvCeqs!Ft^SN+_O=mTI3(Fs>9qpYQUwsDb}6#_RYF5EN3u+S`yPKPWU?>&Ji z@=JIQ-(#jDNzU!ZgX{|RuVP6(oi^$CJ76n-TU3H((M1~ic0{8i&O9fyiI?s@aFU5S zwN@kqmA?o=Uw`iA-T0bsu0Md5r4+xkCt}8yMvd$r*zhgU)xf zS7n%Ig`!dLAbK9i6mm@<2L=q6!h=f}Yx6=Gov*6(X^d*$NxA6CfS@^8ad-pGM zS=>!$ouSJvcmY2U#_fl^w_N`(vy;NM2qM1u=IlJ6H@RoZJ(ujT`hrU_iUF~m+R!DG zCqWSXhyo7&OE&?WAhVi+X%Ya*2)$xt62bIBVs#P=ii@G%DnO88tiDs=Q`f?k%|P++ zYjJ&h;LUi}CBePK3@1WjdsJG=I0nBVYA6RQeGEo^J-`%$_O_J+ z80=VFl2u9gRnEc*!l7s>BS@KOmUl(}nqG~Yi#OnUf{)OpYREo)csN2(L$wWAO5>sQ zG*Cfa_;tpmNa=+&T=>`vdm^sRj0Hdd+7^`@FPyy z&n|nVhw9+BR_*1b@e$lE!aY}N*jO7}d6Z+B_~(^Ue}T!3A<|qa{*jx;d^3sP5`93# zM_-t`bNJR&_)vFk+ej^u=i|+W$7`-AeEaYESHa_j#Ukv&vH{=w;lFiUHiW!12Wod+ zBH4^e(4?pMD^S0uw`d=<(sasYEj!%9Wt$VG|Le2`lz$_zF6v;nFC_^IwsUv|`(D&# z6Tmr-xR(TB=2Dl0fVU~wvzL5b_`LBh0#*6t`sxIi-NemUJH#puG{hZ;3G z%{)LRg08xik_MvBu@-{Ea?=nom8Urx1ew7YSfP;X)JP{8wpK-BfJ_Oa08BA->(qcI zD^{Rcn>iZU3?fufHP`}Fd+w}V-*oJ^T7=HQVr3&Xj;17gELZ_27W67tzv$}%)_pj! z7Oc_1z3_Z~z3kpBZ6vHylfL8%$I&^^eERTJt6%sCA!Vgo7#20kEJom!57)FLbLdgPXnvw>0H zRA7^QVR{F~+3-_+fN%%ISxca-=&h#XuDNm0Lz``{Eu}n-R1E74mk1i z1!O^!H^BuH7Xw**`Bhry8C5y_8~ zH6ou{_!UV!=E)nDAFDgMkK#CQNBFz~)<2heI8oEz4o%m4Kb=@sI zJird7neD}sBg-3Un!NW0HTtQ^v6wc0QcbAA!CXe+R@eYNd)F+1X0L6@?DQzzW5&PU z+!=X!G(mBA1#aVOa6Vhgg*_woU$*{8qNWM5fAIUFo3tI10Yg)%91NG#M>L`tAc_h& z#ji|{4-?@78Z`meYgJ&|H@3>q3evwMV8#fW2<_%4f~tTqG0E8sp)sb2bvzE4$_)9# z!tCqs-{m!5h3l^q11^$&kwR~3>}LBnBK`g%{xkGqdDTTU6BHYb^#HD4+Bzchn@0fR zP6a}Tescz$r(JyDiwm8nDJe|my6)SMQe{A5q&^*;ZB=2~LI)$+ZujbFOW^QogIAM_ zlimB>(=6-y_X-2AxnHO-aa`mcM;`mcNZ$MaQivH3{8C!=fp&#$eamHkIv zzJHuxIYT>Z2U~qZJ3O|(DfaeyfIkfje~kB^HWd_@ z@aX^6RZyVE``f&N0t+7fe_#b#1qD_}`oDBZ1qB8?`v298inN}Yq5gkb60>Cgu+x96 zCuaE}#P+wom?aw?+g~-rEEzr~>>r^IHU7(*f1dwqO-Vy5V|x=kw!gFWpLzVZD_VI6 zJ^O!V_8+t2(JGr7{1K+3!=n{7G&MG{$75w>{V?{&gxcCz|A9Fm?QI=C*1&%mo$ViM z|3~P<5VSIeAFIK}-a*#_k5*nv*UlV|?XMyDP3`SIo(fo7+E`nCtPn`H|91@KbQP+0 z%}{s$`Be3kszs?~Zba2Q!5GW<2ruzY#ay;isob~LmjJtL1*x=1g9-0m!aM65UsR|N zS>hK_@Gsy^QItF4{CE(FHun)GA|hpq_6B3B{q>B^e_C5_!)4R|%gt2>TQk>h&@&!L{VSD#?&eREO7Zo;1T9 zEB-5XN?r+5Rimlh%q^8B^tamuN1xLaaoX!j%Xj-VpTCtS#5W8B#_yb6DIxa}{tmMl zVF729shP3)NpLOjuN)o97hz>S5BE70J{y>Sd$9s}LX++|EN^+mTl?2ibdFy<<-u-u zFRQLEH6i|5FAEpQL#&9p!<3iD_nzqQn8TQTsOM$+Bg5+8&RqYs@hjp1Tb{6M%bRAa z6Uo1VQa;fsMK#ZTdm@hi_Xs_q>=Wc^U2;9Oo9;>fmtdlSEUT0Ko9;O8`wO%A9M|;- zBd-nNzg8x?NI!QsK3%Fq)v)=te>f#2YxzdAs%7vvBhB-;!`glsezo7f`mZk75YS+K z^3vS1E_#+)!r1P!mKyO+>P@!0h|*k_MVSAN4GxHyQK?L2(xub>tKua}y0(^&#`(W< zeUQo*96kn2vQ^}___)h`H9!a#Y43KB9XM2xoN#V6n#q1mDT00b*wFF%v3bdVxom3a zXmeLRqk@YkjVlblISOQLdpS#HG{Sc2DR*nVyyIPJdXW`=tX^RsN*qsf>Mx|_G|FUL zd%cstf0>qFdpcu$dtpq(kw05`8Ww3Ka{4=|QeVU^>~ZL@1!wyj4qldqFnJpNmtXJK zJ1iEf$ul#Z_b?sVz3x{lR^MM6usv=pMX)_iJ)gZcM_V!<16bn%hY*LRh28x&6UVvF z%a)xU(;vN>kB9#n@wR|<_{bjj|VzrwnUMQL7e0ThIUB~&}b#(vITjS-{+u?rh z_Wm-$IIiWo*ml0Ozm)Do{U0+vfbPC=cG!%aXo4!8Umu-k)b88W&_3)&cHBz8|6lCA zc|4Tu+c;bzBx#e%R;g4p+K_d$sJnzpBFl^xRF=uUj2TOdyKEsOp%Ri9*_q8!$XK$D zb;dRr!^{}Vm>Fh%mpi`C^ZefDd6(b2d_K?T^#?BJbzbLkoX370*KsV&Hjg2xXk`I) zf{iKHy_J#|mjHb-<%gD^fs$Cy!Tf<)wy8h!l_PS#F_S+S9cF=W#b?3sR1CO>^Hy*( zB`-Z8%J&NW;P3NxKM!42EF_<+E~$>x8H>@eh@c;%m$@Yb2k&sT(I|I}8oI-7)^^1& zX+VCR3w0^|{B#~pJeSb0m!ghcc=ITeZjeVI5WL9o0PS=Uh ztT3l!op0sEYYD`WpO-`}Hh;N+M=NjN_dBAZCY5W;_p(Mm9-p&?T*p{&)J}){Ch6R- z`H}3CG~Ywi<1iq+STHvhs=!Nx_WSpuV2ON!sr+0lcwtys(C<`#fg(78=7qwGX#FMrBHo+T7qc z(z7yHCPxR}a=O4FkTyEaR`6l=vFUnCE|ia~XRN|)P`ZiG{YwKW9_+oleS7aJzkf1` zLrX6GfD@@ z!NE|;&71jyijoTcT?3(86#C|*>JunUtm}T~{d)d}JsES9vc@qgOb;(A;!9_X1Pm`2 zmog=~IFldC_v`*8AcspWf@A+Z)OLUr*qzO|=?xwv#CR(kIZN7L>N{|M4D7}oQ`Dih zIZ1)<0Zu731kCS??nhmh9|`E#inrS=z3IIhN!}z33Nb|^bLY8Xg0G8xy^gG*=v>#1 z;}qH3nZ|g>>ig`zn+L`ldM)DA2n-E5s)*VQj;G+ua)JuDME?>)=weuKe-qsKVFFs= zj*s9W*$IH3OBG}T+Qd@3T*g#y3PGtBbjXY%X-=kZ$me+rJ4_M7)~4Y3-|t$m{@Kkv zF&#@Z{L*Zjsh;kHX-UTg-M@k=G&WuI_tdI&hUWBCx%8mfWo&hnioAL$H7Zc>u98(- zqn4_;ph*#Ln@2YP4a;NwO+?ZbEWm*sxp<6Ub6}ZADztxz4@I3_AhH9#gtP3+3YLkH z^|#>c5JAAjY}iujkg7yPGP^EsS(@CTs87jKYFg}x&O}Vr#inWxE!0X0X1Nz4ZDuOj z&;nE7WYm0=gHI~uJvdLzKAj_QvR?+JPhhPKz}JpM>3xchS_-0emwQjesaF-nR}AP;6OiN&kpd7 zEq&DSnaHli128?u=3v|A?kDRdTo->Z)3;1|*2fhR%@FOx2s;y#!tny|sUe3WipfYO?guXdD1nc9@vjbFJSb9(Tdn!L^;mF)K8M_Dza z=umdLCh}osauddFAx#zQP^GMaqf{Kd;6w7~97V(4^eq%(w3F5agG4m=&a?$oZ_k7GRcBk z7q_*h$E(~y^HtVyZNu`XZ0{AqKu*z@nVdR-< zj-oClD=Kxa(G*FirhyikT4Vy*U12F&qY`AT(LR`>*Qh4gk7X7(qd5aE6&N!1OjGCw zPdEtgN-ZE(Kz3v#(C%oAl~?D$OY|8|x znwHT^A&c_9Jr?xxu@tSg%qEOew;mybZgJ2w3FAMd=aCT)_h*b;3NjD~zd**YDW<(K zmWZ+sA2p8)c9H%rF@%wZ89p4ms9?l&Bbn1wxx`k~9eG`88gP#pn<}@+3>B3+YxjhK z6=in;R6m%s3v1uJ4T?kd1uld-%`ZZYw(JfVU{)&Y>n}v4ZA|4~V?@CeI(V$$Y5_53 z1K}UlfwMo57wksR*PW)CLTCHk0(nc#CR~QHDSUqRQFDs-R3Mnj63ll?;B{Pw+G>#w z)KDotYrPV#FIl)IyyDYKth;Y@5?OaK)|Z?ulVgjYEoc2ij`dlBSQEo!^RJKTz@T$cnxLMcnaiGUJ5|0E5W+M_yW(`__xcOmn}4T`Z3b&kO+t3{=Z|L1N$Fol z9%2~EXiZJ(iF#A9&5Ktu<4rvqC?!qFC*dUd1cvsBCyVMnt^qTHc#`*DFB2m!Zzih? zni74Q6!kNG)^7-fl=HJ{6$0$0zETKuIP-gLC%E+9biVyet}4TOBElmS^v$NBHa?)p zrlDL^5iwr1JsJMKUB^MIZX;Mox~say!|0R;=4 zKv<8r`KZ3ViM-GW8HPczp1)$AYrauV@vcsm%?)UYpb$>G%JLuc7h1uY{iP3ng@h5< zFXy#k-8E5~Iqao$L~b(v!LPbz@&cw&;NNy99o1yTtV))sm%qRu1CT2q6;NA}ntD9! zP#y{7g6XUz=!h|;VCobO(`;K3;5rlNOxJensfs}D;nFZpMzT|0Ri8^e=%p-zmrg`d zFWPBb=x|?gz;Ja5#H~J65<6^yX7jzO+gvC0vVBeh!qw)Re~G?q-AV;$vPyh1x-a+-RU2dGflFXiLaGeW}>k2N6d+AQMFP#W?@@BJD(m%L|fP} ze{Lh&QQ|W7{Wv7NRp7`#+pxd!oRs5ceV_ROkFm}Cg@#JS_crv!jB|Q)oDDVX~X%QkO=`h zjuS{plYSGDK4k0&cZbn7IpoX><$lCc7R6AsukcAV0m@p8XzpD^nGt%Yw2>qUpDkFy z9Zkvp@61*u(T($c%<-_)GLE6i9{go$HcQ__IrXM~(}Ioycj85_nN$vhTh*ITG@I)I zC)dKq(obvl>oGhI`OoV*jh}h}9+;C=Nb;fd5|lEp!H2S;h>0u?#VeEa`~Du>Th^UW z*O?}NABHyEK*>6ehf*U?(h^nWxVJlaO%YLj@F;1v-fX)?s-<6T0z7W+T^czD^quRYM@g1(9W0*6MbnqYYmradZ(!dYGge1%2l~peU{|yYvz%71nU7pZ zZ2rbyh+bC7E9-xTDJ-_)z%~nmm3Xilv-@Kyms9o>tW%O;3D)*tGEBLHpQON^zi|I( z@YAmjr6%*EXXskoPDf?c#a|+9{$jpp3f{ec26|_1#%R~#$RZW2JJu(CIRef3`(H}A zT~p$r2$RIwPqaJkj73vP!4Lg~e0cm8y|eI}SJHjt16!s%MrUy;y*$>ND+QqnVVY%t z0^AQx^>y>>d81;YLSDajq5X3l#c?n`1w6}@S)#shH%6yuc{VVWPMaPT(1-ZSP#t^L z!UYH!or}=Wdke!D1|~bB@x32!BpZZ&?2kb(ULR6%M1Ev9 zZGcDN@6|VGd5reyQ%hOmY+VlrM$1AFCHteJ(>bGyMd%kXSlN^9p{nf z7$0`1rRaM!jf6$1@q)q}X8GIl(wp^t+^N}Shnpe3#QH~$@o!~)$!;QTe4p?aE0bV+s zeflucByApqm#4kxzMvK`XiP76?C(RpKQmiMN}XS9H_Yzr?}az*N)g0(zg1bx70Ne)#=#*cjDIk=QAe$>>a zzSDvD@;(+l{Mo}Bg&>|h`dT{W_v5(-JPOBL4~HJN(xrY@Fe$^%3};5jzEi{paOWJ~ zFf6BLD#41#2X?7$7UU9#I}DCBcd`I=TIH)XJ1^ftnN7#>f=vm2ZU+5Uo}@WEb? zs3{~5!@do$$XR2%;pP(DqSxm6j=tl4^#Vj$0EeaCmI)5%>?Wi6FUA}jxe3oD1onfU z#vGgZJXx3xc(8BPhC8vyf;$=`AF}q7ZQW)C3*4iE*`;aVr+{CpX|hDptJMvt{z&;q zUSK5>U^Lh(j29h!rW5t9SJdhb(3nxNBwC5^;gTM249Y^~trA472-8}h13Z817A{eh`H!}3>3#2Ud z7r%;jO5M<9)m@+|$XPkvR(%)1RoDPWB8|1uef}yNfNKUkJC2y=s3;%?ukOl0+AS$j z1dbCutom9a>W;n-pEVbiAVGf#=67+;!$Lt13TSg8>xFDL&8BB-;HbMNv$vmDA~{I) z*Mm0_$$&kWoogjXH^R;PSOiW@I4R&}TS*BQ1Z45h)PlJLFvfe1b#yGJY|spv%$Y_t zX}eFoNh2(q+)ZhIoSsmk3B;4~Q^Ev0OCMG%<1K`ZCHwb(QXwQ;2Xg*S7y&#Cm+eNq z9OD9y1&qhs3Ddx5_|3?uz6HZ(c$c^nO@5T55{Xf=R_pyZcE6VA{6h#PE^Jb7HVNcZ zS!GBmeli&1XN_I_X!at-%~2}-Tehhx{uL*Y3UELD#fNVoth@C0WHhC0W|U1@JY?!A zx?ZSX!ui@q++xuu6xUsTI-{UC06iS3Q~#8r^PGZLyUm9aOgHz}AA!c}5H3^$WGh>U z;Kb+FFA3L#RJdrGmXB0r?>dfkQnhJNq3j)PEak_rcxcGc1e&(^)-IcUt!ZjAl*6~7 zpaZ1BTfc9+o_1*1jXV?mg3&$u`z?ZV8`N+?xMx#C3f`CUl``X4f_-JtMfKPPvMpP5 zbwK4QY9tuhr5Sv_3>~$kWyf3r=;a@ub}(+!?4hqi#GAAPK?j3 z&a*!_l|P%=y&LiJt#6yI(-|E|PeLN`#G=nd()}GPj%!G+!AliHk+?C`<FXmAlUsx=2bb{{U1=uw}_%g2|S~RMdc^P zB5xW%54~AcMy$kb{3vnw86A8&%Cg=AA5b?< zS7DPQT(60;lAr1`0hFLq6D!#LAub5__z=0HjC<_R+$w;s8bFI;7!x*#xR_Pt=;5Ic zD63ySUb(odS5^rqIU9BJ=D*E6Yp%k{ZR)T%n)PoG z<9>|`uo#=je$&2s{3`1a9anML9&_eb*Os>iy*1ohBaJo2vc{Izq{f=eT~i6x6sk3K zbWK}cvo+Q%wf{bbq}>^z9m*!E0<-Z;AFP8duoLEKoZe=Snr}h4dd0n~X7tv5*Ofn@ zTL0z55Eg3}AJ6t&^@;#)4KKib(ZA}x0Q@A$fLr80yb)P@{Ez=<4RmX0^XCoY8p*6U z^VZnK8mnA=alR%d*2Kh`h+GqqYa((@Jy=r@mftw9SyKNlu5L{|SW^$y)Pptk;QxQ> zf#;zUzXiSHYDEI#sn;@T{}urVB-m)WQZPp#H36-~{OZ9Q{|ZjlQEu#1bJu}}<9fJK zp_f-8iW5|rKw5)03C?4mySaw0V__{8)`CIikv}FFGhg_sjjeaLJ>^iZ)}vx%bT8-L zY)5C{S>3CD!mh(113F}m$;<4q6nHM?!GAu-jZF`1;{J;nPV5ba1@d~6a2^ykl$zbL zs5iWlk)-0bFpkp*gZNX^tMRJiY^d~?LEK(GESG!w&*BX1RD_fc->&IsGX-O*XvBsrSisPq}7gzs08}cW(dmj^JU^i>OfEuXg0-0m}gvn3s`+zFm zkgv4zul!ZJS%i5?*@a&Vd8=JE1t&;baKE1KGFt6qYyh2l2p-Z``?I#+Fdz^Kc9*dd z3P1T!i2L|5ZyVch<&2RMR3)Uv&d7 zE3sDQUoVs<^W|?9gt|YZc_l-Ox50Wu(FXnpUfl|?pdz#8P(Q5JpAF@0*fgFk&lK&y zyb=e`J$9XFK`}>QkHJh<;{AP}Z@N_*hx32V{~Ns;f&af*X>mF#K*H%V5B+oO(4R~# z$g~QLnm8OcqAF!2bqfHlUXsOjpclMmwO8?h-&bs?**RkHzyF*auvv)0C?_Rm(Wn>Xz)79b^DAgv zQ7qw{n%`>C%U7bvuON)YtBUzamAJX99CVe}%CUI~_2R$Hn)gS&u~;D!)Xw1Bi1d8O z(ZJBsRm`3hav?l!qo(2QR*z0B+&f~)1ES0~SEX`KC6VzK|ETIt!<^jrTVzWP5%g>^;)NPo4G3QHZx`Srh_ z3QKDx1KM)Ftp7X}mexw{uK%@ESp6Qih=~lhFE$5XCmfsX9f@KZ=QjDC^7yMp;q{37 z&(q%9Q#~B+8I-;_c49v3tgvZ~+uQKrvp+P1bujf?x7t@j8ZFHPNi*#T$F<%6B3+dAp43zG%Sd?_j6tp@AX z?+9+z=S@y@WD9<6SP!&RTpx%v)h}yY`Ntsl8~8YL_wI!eqP0GMj8ekq!YD?YShH=x z!9wbuMCBbD6n*&Iv@P^i#1k`d|#(ef>GtL=C_IlKFDHa72w~#v;AA7H!1kiuC{HH|I1tVa^xA? zqe$JJfL|NXJ;(>mvMB6)4XQ*#;Zd3U1=&}SahFA+0GsJ(wPgKNSph!zU6Z8vzBoBk z?3qxB17enKRKd5f?eEV_#qnm@bfntMq34;Y@e%p7c)8bO(=C>G;Yoqce2Gu*V|uYF zmfdk%N!C6=?seuw&Wr``X}gQ{DU{%s9|HISFA=5uG}FcC0dN-u>K)tuwu>F|>>T~R zhoBJ?cesfG%$=HoPth9iPq@|JuO81HkMX|diG8E<%9)d%`|^|3OZ_~Wj3!vtbH2(n za4tLb#V)W9I5W3jO&49@#Qj~{1Vd6YYeBnwuC}SnU|1sh@8+gEGX|{KkO?H4&K@xe z(X4}X&$U=5IpiqI!iw>SWJ9p4=| z)hFTQ#h4d1b?vLONE?~5fQNvzbK`Hj#RnTF->Q7!`kr*qadDE-WGgNuJEb-MO*b&J z$S$YMCk4)a?&vdH=ccLK+R%Ue@@MOTQRgUYL7{4C^;QTC$wvFksWgyk6%#f%WG8gb zlh{vnHg7N3UTkc{;3Kav4?Vv&U!R-AK!BnBu=iF9eU`7^#^vb=q}aHsNj+8D2OShqlT#S2mNH1O#u?0Z zS8IHh$3b`iw2d@YAgWJ(Qm*#!!6#lv97;j&yN|sCuij!Ww z)5oLc7;=(F(XySWzC!$d_`(d_8YF5fcD}#{?rl4GF`Yr+6qH)Gv zGUT1^*YkGn#kH5E1jbLyG)t>rU+HHAjO7MgS$sjnlKrl3d7A@q=$#LJ$}8WFanF&> za9yxX+4yLY9owteWWf%88um1)+&%Oh$n%gdJVgxmd7r8MeZ~%V16;Xts*#zFO$9BY$&+IObo_+j9eJ_T+_GfjJ!IM8%+8>ov|JB)_taMY3MmnC=r62#u>zm%$Pe;#QROsh* zc62h{yffZ@)X66_^sflJnfMG^;?t61(TKV{gPiJQ?ZL_AaO;^6_ zRF4;}6T8SNPbh)xmSE%h^tO2`1f=dxdi%P#riN<*i+<&Iv%lZZ1i#1GJ+0qVteU@7?)Wms$^%o%?q;d*t5`J#2ZNO~2!!(z6MWH@@psNp!TZBDS|X!{p!g6xpU+xzNb? z_T|n@FY|S_MeV$xG{d2K@HXmj3nDKm* zcHYM=TF9S?lk4nNEneh?KR33=M|r_sD`}+G_xn1`ym}{H`SQV6(dP~K$4k`eUryrR zJ{qh(om3s&M`UzlC*$J^5K~oM9i3B7w=r$+a`uLM8+*|6YPHkJ#4XVG+5`8ToW?5J zf7iU&2r9%W7dsW37QNPs1Rt}p3n;Gb$jy}{+#Z4JBu>WsBM&rwdo5w@IV6+A=o(R0 zr;FmGRls9=TuJONkk&pJe)8=FyC=P@bXdve2LD?EYDvPzD0O9C0WVaCT{mN!slyX} zQ5$OAscKv9@|AAK)9}+ct51Tvr^yw#HB(7^QbvvOO_FDMU{B=~8tA1Ur#o}93uol- zoY*6C2B_PeiS~!1O<=E!<8iwu%kfT+9?SbV!IxzZ-5z+^wwvqw(HG(3C?>S-pdlcl_- zB!z&iigWJpy^V@dc7;yw=(6+Ug98sb&uAno%8mC(hqG#vEwt0SDY8=YQc+txli#?= zZpqIpcxKM3eV9_a(2^G0tSXfYX9(6kcYb5*cg$WhDjDoQHE`O!U$)Pqj`L6Ra~hqd z!zY_|iW0Hxz@YPh(pBZvZGGL&ZY)3D`W?8z;AkwJHJG7OT&UT%`p=H;URT;QM+53?p|tH|dpnjY-All9F?>A{;ku$k9mv zEuEWb$5l2dsTr%!O<1Gq9){SmOLnyrPUi(jUPzqYXsimicN)W|#Ugv$ zKdA3!jz4VLBVuZQ(9HNaTxIu_6Lk$IQLan&-p%%qN;=AfhnMS&`+ z=vTtdku2v1sFI_ppgY?b1tkmcA?y>*ftH(Co}ckw%8w^B;kv$0qap*L5U1FG6ympS z+J)3(oFVxuV`4lkOdf`j- zHmxk4Re3ur=@4OLOY!92r+$1Wqblzz9FfRi=!K*P=pV`+|aUDyFk)PbvVH>x90GU$b{%j@kbC@1Lgs=@(Vz;Yjd0;K8j)72m*z z?$IJ%Y%^FF{8;9-pcQMtY$^|n_~(gek%M01q&ojw7uT&9J|MOgv+ehn5a78|;1cBD zZusAh^uUMngk(c%f7zms*&#vFt8Q)6PiVZ+G2YF*OLr687+!(wpdno_)1SAB2Qa zH?N=A@%oI!2A7skhHdoxdhdd}JIOcb=F^4I${rOzQ}|-NCYHr!v9I21X;~$BJZ+j$obhEY4 zJuhrsCGFGY{wkrnBcmkKFX5PEzs@qvXVpNq3+A;$#b4G{X7AjI5gS+QXC?W1UApco z^Jy=#&-c!Wj&89^>*N`Q+B-8wKDl2>!lSz`f+Q%{g9hvm`EKhffu$a70KWVDY=MEi zGlnbqOMJrNAORaiMca^E{LD2KjFBqP>anqG=5>Rg+a77)AS_OLQ6h5#4iEiOP8~5U ze9)A&XlYaQIIbajXN=bQOXe}_Dy_F$q${XKs|2D{<|dDgVp9Akj%H+?a)=$s3HJ*R z*kyCoFrxrfr*?RL^yJ)M%o^dOR}LHtnVTn#%bvDdPshf_mh~RZGzuCpCIA7d?m-)s`tLK`u49}rgdo*Cv$1fe#s@;nDl^C{gsmkz1K(Y9v zM5yETQ`-!;JRLZ`{TMcM+Ts+}!=km0Gi|lq!cXe3FM$U8%>%q3ocCG59_Pzn!?&Co z7T>eEx=z`EIU1W4K4oldETzj_C(yLFZ*Vy2xZmUWX;Oc`Z9}D;8EAb-i4Dt*P0*X(A=W}=X6Hp%`BFN#+^MRsv4O$ql+@bvn{cj%jWwLyT z=6ACles=C<=!Y!_I0|JV$8Ns}T5LY|?b!p9LzPL(CmI)UJ%m_fyG|twgy$Xf&=4m* zXfi6i;pV9J&RT>xbLL0w?j5J7 z!m#s)tL%5X$DUIF9lu_3RoL>Fcp@;w{vF%=c4M40PuWV}ek0SP;5V|319?7{^2O}1 z?+$hOZ5yl6-bx?LJ*3OVDbQ>cp3pvDg1$(!XhrX{18wFWh9vK|&$^X;V^2tItEqsd z0*pmmWFgviKF)v{kJ$7{G6=dmt?Y)8h_55+W|xc@1n$9B@H^Mo|9aPgGGHHU6eFD) zx=eqkDPowBb}x6G#8Hdt{A*0B$8c&`l#%b<&)c@y9glO`vlT;$iRx4fH2YL`LnU>c zq9Z|h2hBS~^EQMLF@yf-b93*58{Me&Aw-g{dlV*PS7PKV5no zwqiEc(QTPYAJF@cHyo`vl@wb?TrZ4L`?b&$ZQ7}3nHLmTucm+3YKw^FBL|h>0rfO* z>O&I757dzrW)Lm(t?>5NU6VQRWUNUZS(1N8To@HmV5HXP=h2ep zdPPXJIHvS~;x*=_jDoDX(8JE}sfTtBRPWRP#w>D+?31wA7ft=L+c@ZuOk>VxD`D6b zn;KD%GN;WZJ_jlcQI)6m`AWW4@~JGk`~ax$BbLXsnSGUI#N3s3EB^jMq1Bx(>MdbQ zxSQIB5KY&?hf}5|CLo*A>$uC=CdY;4L@a|NgPv#az&uCPmnM|tCu~d2H4Kv8O$J6C zF7SGkC}mtaeuHQmBxP1AyX#@_!0{ln8e2^HjY|RLz{a0V=Lm;r>i59Q?e2vbst$}GObJZ5-)Q=hp} z-Nh5(*Mmg%)LsQvc|D@SvpbnEuLMk6tG| z0(6)N)1WviF@9iXDwiy^rzj~y*LVq&%Y*zt;?S(R%{?p%1^-hY<#a9;&? zHf*`Y^HD_a!{x`UgXX9=-VV(DO>Nz2vGY$$F9!Ks9D+}YwjNek9;inw@1mae4vfM{ zCC#7ztmvJ1-c`Mu%PqF=-hl&gMqU#K?Dkb0n|lrn9^>g8Y5|g4pXK^*EssK>LpHNt zoRlhPP72B5kf^uONkjHwz!??pwEM_yJ?x9Pa>*5_b^^4V*=3i*6;cLT$_uM=PRr;` zSZ&I?jeWQS1KBMvJNWb7WrMFt;y}ywm6l^w+g?vN2z@hGYZpezT&lfP`s#`B=kmmL zP8|~JfFN)AzAg8_@_G(eSk0X`X8PatbbgjC_W!^zkDi%sC<74kW>8>mWr9W}&FGZ7 zP5@u;l)Utmh-EIMK^&qM4vJ8<%rgM_+gg192{{N2sy%e*H-CIt7}o6=pX6YlDzx!> z%sQ3ggSmGAiQ#Dfy|0e&Bfe*r0;+iBrFqb|UsB$BfLjS{u}0{drO%TPV*l^&BDspo z8&UHdP?x1bY zpb`^6>Y{CSasHl%ef92@pZWO@N&z^16`{4E_$Z4 zuR~JUG9CANW#pQTz{ovfPojuvrz>gO+R~3g)Vu*e1+Oz|S332l1*8n%xNONfS{v#_ zC5_mYuI~B)Ko3pV^_`iQ?*eL7hLKs{s29Ly`-E(!xzdLLK3`r~qjv@v8X)qaS%T3Y z+6>#Y+@cJSz3U3u|Do1@Pxd8#w!mbm>nv8t9$+cTjfPR>Cztt0^)mmk-8<4+1+=({ zQvjffjN_j)_s2l3Izso`?4MQDKGrBw7epJ8M|}-%5fXT zNoQ}__KXNs14AK2EF+M5Md~3IM`O$e;;r0AL!y@%rRP<$qXoiDc>oy@9`rdDVL|@mP zE|IIZe8%Sh@wYyw{g^N;>t0Q*M<#JMrXD@)PILg&MvW#A_KC<4z};hnEu9a!8S1|s zh`8o>JKE>gyBijMm%p7U5HVoByMgxn0d5=vx(xv$`=@o8+!bc|cz1j9`}a1bPd)~e zP$MBk59w!(CG zYra@sg=)h3N~f%;RvCuMvPi$Xo@98ttCj}|A?iE|kaRcRp6U`;($IPevQ8Lvved}O zX0{wa($sYcXwHM7UK3`GqwHmZP2!J_Ruq@~FOxFsDxF~TRwXq(^!N>*jCCrHGhSBi zT80Kp22<34a#Sz5G!gGKFHUm*g`OoaUH}AVzJ6EC&E0^Kb^nQ4|MamWnVMs;XTL8%wwbbkjbXvA9_}q(a**#W^btYBqJ1~IEPB_VwNDG5V zcTx_UZ$F$oU|gkI8XhduV>A0T2c-7p(1RLr(z9#N2q%2aUWY-OMMXt=3j zhDv&MN6FXhq%r8}h?k2Dw!MR*cRcIusSr)+wvkhRk$zD>C44FmxPHJe){vR;F#mv5 zoYd`$8Ae8iNKA%(MwQ!k4E3E_LQB2c$3;ySP|%fJ!pLDiZ->Z;f#gRwv#d*xe635Q zY`L&EGj70m_?w|Z!QvqVP{L*e|7ds#8!frR+|Awnrb7W>U?aaCer&fnBM-0>yD|^3 zQ*`}env2XU8m><0bH~&A`}?JzfI7T43B!sSeSL8O`A4T_nl@+n11#v4X)0l$x>-|Q zL! z?Oz?vW?mO3Rq31OCnWU7fLr?ZUggV4gU^SQ_-5DZ$H+Lv=;9kpVjPvLx|UrMaaPZr zzCLJDRZBnQ0kOGc2oR<@#1gY~uDSx(KHj|>6ck7Zx zT^DQ4TrP_yL>0e%9owl|nN+yv3d^^2nuhQ$O{OKEk(S(!$$Fb{Q8Gpr56QRya`of1 zhCSFTyWh9%tdqUsX}mo8+PPeX5)a#hZPtLH$LNbgjPxxW_uAyHWKo}fdu-v=wtc=T z4#x;y2mFUE_5XT|vSA=+V_-037~%sYLS`jOa6pvDd>3s@_Ur6QsWhRm%pUJ;m=29$w^T;5j?d?? z6VE&Zm7$OSPG-tw&-4vLETlUDesFikyDx3xPy_)Bq-Sy(NFCnu^V&4CG4~${I2n?r8-|Bw4Z2l7hg8hP)*3Wy=O7vat^mfK66FsNgs=XF@=_elPp=tJ zUJo%+5v)HI^w87;{)W|%7w6y+^|Di<=hxb%Jwo5A>kOH zJn^Re2Bpu@J{PkiEwjh#-p|POHgzG8PK<*AF_YLkyb_`n4?mC0QI_J+i}(p-|E1f^ z{^ZwNw)n4BmV1? z0HxpGwoi;d?(ySAuC{raen@+CI#GtE5UsNEsS1$v`*1RWJ zEm=Mz+AG@*J}g#fVPLEKRa~soAn4DU$G;iK3{#(j`nxrU9qN{B9}d0 z1KCYA=4C*^TM}nsI0`&;ZWRV02EW3AKuRxNJMFFJZZ9L%PzJ87)lV)wjX(UjRJ&Z9 zc*FhL1U9o;3Vfz@xKdP674K+;Ll@1)TjK)i_NT(DWli8yPK2mt+@K_dzq5jtU*p&<2VV|NZrN!uUc@y@=v&id(ZD``ev@(TV0peU3Ex zeHo9QfSu{rRPY~<2$l2i)**2?#7QJe1#$y&O!Q6lB}@gA8rFQ4l3~k_N(YJ)zgQBm zKHirid-i2&$T8>bVO=@8cOd?iZOxdWaPa%@y$YGQd0QF$%m59{jV=>iq8P$@5u=I> z?fWIH*4>#=r3X#7k1Gd9IE_J&oT?((B+RI~#27^1XAm2U`+>}R=Xp?K-wCQv|HHS( z5ocOb(cg=Cm;Bz4k751iC(WSqscOBPI9U=`rg?G7P{3MZ2xfq9;5_&uK3Kn0f;XuM zb8E|y&NCo!|Y}_TUyFyc2*5HHv-lTpmUpX!|$+AM2+H9Kv&>V(Qxm703G~m ztECU=BLiN`d!eYPJ5)I1YD*>^qnADgY7?jBTD6f{T;#l(LzGCPNMr8Q}oy!g5l9U zc%*YBN)b8>-X%8|riRM^&iEg6&_(b+CGkh{zUolN2yizfGp(?$0u1 zg(b>!A6Mjbt}Oqa-M|~!&TwDn##kRUFz*XMJ74D(255w<5U{Qyl6iyJhr{(txT5Ql zz&vhnzdrnOk}_F~jo-3<@#jgXRjKEoG*o-0f+#hqJ^W6iS%H?<@~yM67br~Jx#)F2 znWioz?0*QTq4Uda=w-*RjvqxD;jGe0v(q4cvznk&zz@{dJi$x~4z2_*rd4jxKf4gT zw9yA)4-nr91TYmjshokH63Ip9PQiTk43sN?@F$?;LIxP6HJVD4;|UrAn*|;}o$6yL z>Fx$v&Oh3sw0&x5`ZHhIs{Vxa*<^k+ngnlOQq-H7-T`KhpG@uX9XLm0_rvCT{{zrE z-}AY_#MJL2G^n7a1Ybby!ym)X&nFhRf9}Y^;{vKDp85GWBc~#1M#9MfZCsW;r|pGO z@`bxif+Ql{lu7b)S&XEV-EEUeSjoYY&Ogb;r}m`Ygj{+k6@d z)jI=q?H|)D!SkTRDK^R{;KSw>?)PNuoWSizn}8dRU}HT~pK9U+%uuO?hG9i*`md)Z zeD42X?_Hpw?E3%V5-EyGA*WG7rKk{c?nDRNXpHkH$tfmhgCVzDDltXKSxI6rm7JNO zoX^pa(~Q$Njq_>Dm>KVd(epg_bFcrq{_nef>;1oLS=Pe3u50i8J?-!Q?!CWze<~#X z=>68oDr2=ZT(qAb=-e1GeFo#6{M*iqnoc7;+IrtE_2%{i$kqHS4MBwBc0q3JqrMUG zoRZmDg=t3M5O=Tr7*tUi3s_qjq!;5)?=B*?9)+%a8-NM<_>+UAElMdbsvwPwhO=v~ z-7~|X5N@dL5_om$>*^~gZ7{rMM*BS4{fBd|k=oj~sa!(Is(A+V2)>PGLfhF2vX>MR0l(@HwGa0))V$Z0l7xz@2 z$f*G}#!O>;zqiH|wBTW60OfnRZZ%49(tUi2#AoR-hi{_-~H39l@vO-4kG zHcjwuodjSY1)3a|z@T6D>5*swe<_qq;?msN7$HUHu{uF%6=(9<2s5q*TvhjdyztR3DWNx)b{rw-fxz%U`9goPXYn}C8 zF){T!iJuPY1=JM5=)c;?Ao6gHE~P_KZT06dTLih)4ePa{qz782%!qhWy||PpX32`n zby!M#+DyQx5=?l`UGI?Hi}L#RWr1Ig9i?BALCjkI8Gbl^5ic{4|;9>pzl&?NO4TAL|adE)u}V!fm8S-lyL zUz7r;U!TU>c76A!y)+OvAekdby|;oR z=?P;dFrzK81@24rQ@n8cAJF~6@S%_f1H9~NewbiRETX);TuRz_k%lvCe~wx{3Lvs) zEX;H*kDrBR(|XN9@KcO*OIetHQ9mtISA{`ytoN!OLA*70>R)s;Re<}S?`%w#UH$Zy z%<#&VdT|eYyM6{hCTyB_ttD!G9h@nX^rPe}PaDh4#F;spxz)ru;`LAHy~({hBpjM^ zs^x3Wu;yb8GJr|^%8Ll%xsjD~#%}B#5&KPW?(?9$FO4p}M($6h)%C~YGYc4jP{?0dt|fn;f469K=pZNnLa{ zMZhV8!s!-ZUP_c0!93Gp4ncPA^>$O59gbJ%^&(U&cjlP5t>VPBxfFftIzkeDGEB_AZ9>>7nWw@wQ|ke@qaj;QBF??f5B@S#2Bax-J|a8R;uu)YSrhki?n zv3+8x>a>C@O3(i?M)ghZT`Z>)z2@`HhI&y_I-xM&S?t*Yet(DY?1J86_Z78lwtYg67#}1-h<-*GsWYc&HBbxGw^&{r z<=AnisL*_B1;xvKHtWntDhgx7>qgjxRPpwF)~p(C-}m4!YTgfp&ao_hP<2E+4S=U# z{-9-sH7T59uuofHotvCGr_GZ5$gkW+&?ncTM#_jeB0ykZm_qxL)Rr2H$a8pIGePI3 zEjyA0{6mB=A8b${>Mqy{u%9y+5utL3&V4TM-!eTeWS>n_dFfVGd< z)gLaMYHn@c0#xYBwk@SoU9x;M_YSbS+FS%k#1~IiTNqDc7lz}GZ7KRhj_eedLlZ)Y9I3oA`DfxvD`%#c=Q-2$!*}tS z;2C5+r2hND|&ms<=>$#!g1 zJSOU5H|e9)U|p4LJ*;y|&f0~P@s_Qz*kvj@239y$s4iGMs9RFNaQn`a;~H{rA}qp}=TEf*?6o%bL+ z8rJn^Y_$S0Q(&0%LHdjvI~?(9_11kRwgh^$!hS}R7CTbSXZD5cZkeL{vvH2Q(Pf^q zQqZF+q^t@a-IIid;?X9UiB|_75VR-qfz~R6eb*keR|M%b*~#P76XaGVGlE)@F0Qmk zvIn?7gwHD=g=oXUunkSdz{>jjQR3}QOwh;>9_&-Q9x1-u)XijxZI%yXDpl5Id&D9}tOLjWRi{>U_t z_ic*ssL#8lfc6_}7{V6YjWu*!TUKGz_rRb_xKsd<*t>5e$a!sIj`$vdw!lypg~JK1 zz4_`;L+Juiqj-zDk~`fnN7&~cg~HCgZ?cGjn?m+_zJj#$rY?eung^9?q6%aeM%c0W zl)2#`K_m45%7tvq)M5vD4)4x5YnE&|-*rgUH|fIH7Xu0_xF+=3qLux`sG$)xMjl#~ zGTi2hpM&HZKjAaPlUl9oPQmQ6bJ^s+fZ+@jF&=R?l6ZxX>C-tr7j4#Q>_raJ^Piei zhA|9KU)0X|j(uSOF1LWS9-TX_I&lc)OF9Ly1XM?ND(G8!g=CDqykaU3j&s15R#b(W zsXLdt%+5D70C>c-aXr||uL@vzlzB8-e}vm_&Pm;p@fN@%_L+?Z@Q8`yL0HAIC}VXc z`0NalGWVQY)f?Yae^)FCY_(TW8rkl?+}SM(Y$S}P%7W7C9@>j-*ts=*`KfXv(H#nFy!?epM_VWyR*TfGbU6@NdEi|?AcA;RkCdvkYBUW*b zAAmS3<e*NE93Q@LA;N-725h_l6DPz9PN-lJOF4OT?_pcG^NsIIio zk0gPbE+sBxOL0%CF1$m*OupLv(18f);|G!?32i>|cq@v-n6$45BbYQ|fuL3p(HSSP z3*Js}YJH>`_AMEc+LGwi@J?w|#AF1~5=)>$%I#(la|vybnkJJ%TE6mVlKDO7ehaMx zRq_Y8oAjmCMK`o1#;&=Mr}>R6tm3&%XWsJQcfM#TH~>1O8aPkN@vt!A=e| z;1}A%LiRK6kMy_L?suL>nXFMGW7W%mh*l;5reyV^eH2|Z_ZJ1ks1K@Hc%)X6F~2O~2e9Ao|9rhkFpez2!;9);f9h7OXVX>=W*w)+8mX*wPVRdErNiE5g$~ zK7%O9Db-J-H#n05rt;bNntu5;d5Oq6RwwQ9edxb5(T-RBbW5mc>bMztT4iyf4a|)% zvs#!Bk#=uPQvkZyTl=cwFfSQKy?5lipqg;5Cn+UR%mzDe03DKA3F2M-#crvV${Uy+#Z3#AJT;0Tv%lPjY~50jOE zqxM{Q0xFqQu#d}m7G+=;FeWULR-jgyzw zFi%|j;#cLy$;Y6BAx?1~KAY<*b1dJ}33*n{L2k=y_~I*Ts|w+(>7Zs>Iw)zLfQ8e@ zGm4XMrMOSZl=Y7nWR=Z*y_Q_+O@FnJq`1^Ea~PY~ok`6|o|W^QR*c6Xr+)Z@NZ z&0hap0b4wR*FmbrX*uWC;wTf(^MLw|9qBeEEod4gKH9!2uH>TX{I4g>uPtbC##bW7_kgeq%87? z@AhwC5v%cXsn%n61JPDXS&aFY@z7BOFh84LLYq@tDWe4#A?lj0qF>{$boH+;-@8#Q zh2(m`kwzmCP8Ah`Xtl3?CP`-?&ZCQA+)fF(gM)4{!U2patt7A2SEJHOjQJycF_JZE zh)QvIgoYcda}n+JJS>9;WS}4_@n{|^FvpV7hcOW z0F(ZKUDr#>hm+L0Ggb6b_Od8gdR4(~ph^k}?Zxf5+s{KysZ!`2J> z)o&@$5oX(A+w-7^HGj`lA9tIFrqHO{|5}Fxr%34^;d3&DmJx!s7GP}v6yls0IwaIw zPR-ob^6ealJAhaGj*dy1%OU)Jy8hwNk?H#5gYSkckV9LD!b3-%E{@gznjsyXp$h*- zAijC0>ROGIP`am0?Hj*bFK8vM~#cuA;%@8|-vO?5dcS__zQpE( z3046-#DXGR;Up8c4ienB$(lx@#teWzth0Kn?_zNAJXrcVfO8kSDU09WsZ2_LU*!M0 z%1!*?bIb+zt!qf%{0)!zcT>!Z{vT|z_8X&@$;NNofbHf1-E0eg1L}I)^nlK?-SIZA zvD|h$z`oTMlJU0FT^~NThn#gJo&OUCTq^@s|JfiA4FF4?e&5@zqYOaoZh+=)jOIQv zk2)>9%2ujmMELo~=-GXrgIK7i&jT2}8?>j?uzYs`GcwRVX9#mW706V6mLG zqcyZPcnO1G>}yD<-h;p2#Au{%zPW`7WCz|H-g;vPO$pj)zdHst@(O6?+Ez2&hsPe8 zN5xN|E)oTO-(c#qe{50a$$Dv%0AY#*C>8DMwZ%+78(Z!Dgaeky~Y~_61H?t@9~x1tVkG1}W0nGL3U_8juas2$LYlv;ah(+9H}? zKc#1b=01T9v#4$;6E~BriilGFxb^&6 z3VDMnDm^zH?aIE@TdfQRGe40~{%e!ts9sGb54YU{>z<>&<)Hub<8z5@66bR`N-z`T zmLyEQ@H#v;FpighJ@Tfv@bn~bcdWWE^|aR?Os?7ut=fkEq4Fz%5|!Y)oe(;ss~u7l z#FXe8XO{iX{-Mom);JzWumyB!)m9HmK?h%|3He|K|53PBc6!=u`T(lMW50z6bQuO|T&&52Awd(aY z5%eyp(9VCUXbc*N3E$w9oU2gk`Y-DWR68<8-jJ`Jy02MGHag$nHQ;(SY@2@a9NVUe z(I$y;fZ2_0YA|Jn^~3cITD_9Xrg*c^hpujw5I<+LQG!98oGLU$L`g7BWK1kD23&{>vun5d1)e&( zUYGn@uEH|M5}3M0*8q#5{JLd1tk}-5#iXMnw3&42@V@!BA;m~_->EDB6fc6=h=A0& zybU>4`!9E!zrox*$?QjRhF0|(7SlwV%)_2WL>VzTu}dj;f4VM7ft4=7&WJ^@>o`*? z_AKouHd^ntg_V+iKu$3|LE!bhx05$m)K4yZUNwfg%5(+5($EL+h8z=GEcjV*_e zQ~otGjLmWB*W)Al<2=D zZ+4bJhpYDy^2cw1R5Q@7xmz-F+UX)6_X#7Q^8uO!bOFOH6U=;EC=djJh6T3s$p9Wx zg2}DBo`!jt6AE3uY|lUeo_)(^EDjxj$m~I(Enj{dUVXqe}vW}>_G9p=vi zK2wXylrY}`h*JbGti2WZ_hC)LmaP)JnncY+pdN?-WJ0&d)C9+NA&4d0gvaH`YGmkUS0`QpZFG&>E`$!qd5;C zV%%eDW?arO$q7{No-Ng0)iBq&st47%irxzVzxJ{*pWgu#RLqObnag4kFEy3`| zg$`Qwr8Q%yx##jz-atd|m<{m(+{-!2fmlKJhHi()BDkIz09suIly&@;ZSqe@;?m^5 zhlW;KJ6-ZpZzuqg>HA~q-{VXxW#EmlHW~91(w95c6tx7t#H>veP^E*rZwI80cY1kg z3Cyw83hHrT_st*in$V@{B44i`5PN3G9C&x93vN~KPs~Ia+;-+8x(#rj8=m_bpym1+ z4X6%>FFPy~eQ4|Xpu-onT~voJ!^$2|L{!8k=eOMeCZ2(IAmpE|{JS6cko&kWuD7of z5=m13H^*Vs&G8g6LS|K+!PaIeP;t9<%A$+ch=J<=tYIz_R2t zI(QuQbu(hLst5F6?feM!>DSHDF*lEH+Wm(&j|(SK_v0XluO?#BV5oTLCiR9lG|ZPeohML?ZnQ82 zg>Ks%U;|HyiRMt9rIx@1r!G&<4#?h3gD?Mi-~fbPh@@tMyv}w4lcOt4>P3Oi-FcS4 z$d(#tDd=uSX7l zZQ^h4L1O`6a)JEOIhdN+oUH`7wqDLnbqGkWYg?1YBIuj*TeTMfZ?EYlbj4L#rG>^jG0=yw4(-{P5prv~o8A0vwc!%lHvErvYau6q@#l+04Q9eiVw& zy81Wwpm7E0GFL9Xivc=a+0W_fvPE#_W(?lS3N-VV#TZ>+5j@kR?5l-{N@5ynG0^81 z&%Vh5`gL8z%umD;_~vGrb49>#>q?g-PgB?b_bN%R7p^Ddvnm)(dc zALg5A;LRDzNG}8`Z!0rl^llT7ICe+i4S?v#Z}_i35bH&l@n{j7~0$`vD&2$ew1P;2IHw2_4#%)HCt-F9` zb`ATN24f~_EE)g<{>kh!JwTD3Z**S-0*Cee_aIsW0_YP0U!@NM^C(~rwKdggUGMd( zJsB=Gz@%pNtHJW3-}6F;$*D9?^9lE}X%v`md1#ur%&L7`+2lHm(EnnG1!QA3`;`310_B z?Y~Ejc82|xJbJV#0%K}k{pojPpBJIbkB|9v;Jk^z99(ZX6j*sk+#E+zbOO~^g4BPt z8D%Foczv#i9gbEH1v3g)J=dT<>RqSfI#;DG#wnb5(q6%`>#-jt{4?`o@eiMs=C<(8JN#uWxB(##82% z=UMXsbeNvN#l9Ho=>lfI@np56)I*}zPMvuM#+ZTqQ$Nv6vgT|08UplxH5Y{+1A>^p zhs0mSJ}oIjcC!c{J{j;Forp}f7LZCoyE-x>PGG|li2e{!|FKQEy?40jbJox8Z10?= z0Zw>x9r)ky=C}8axA%C2*+TJ(*SN_kxmie}KPPg}s|4-RB-j4OQ zBi+pj$oho>zagx*a|E~Jd|eIbcAURG%UMrU-p&nf12&I06F;_dgSY2+o7;`+*O>f& zoEz+Z(<)^Zxg66?&)YW)?3(?~MbzE9sAykp>4^lO#;fsM=-V5X!yTk^pod*PF=52b0&9z0Xq}CZ}dkGp}ip4mJ1lvZ;?cKNt(DL+Df z+0#2}^OORxDqKRKJ3m9&CL{6_+J@dA^?jvk`2r*0t6a*&A^&>nr3+Yh+@6Q|cNim#xfQ($J^>O1!*zQ02A) zuzKC+*}KXVUGdozbn)3qDw7g-VCkjZsiq9LV`^iKvWJBV>{{e7&%gZ77UqXRqlVH2 zUy+%hl6r+w_0-Mbk7IS%uzk7M5aPCzOw;YjoyQ%<-w+oYiUj0jo%ybJHDfTSDJ^Z_pAI8Nm zF-c(cJZxumH81zQFyX1~R?$eQR^9K54d)}J#;3O=%sUoi8P|U)eSz0^hDllhn*{%9 z!}&$$_!2cHX)`Q_7XnL9F@?ueA@h9IR*PG$Y}WF>_@>XiQbsyd}}z%v6;ng3^3)m?!-gt;0%x@&F2A#>Hn)85)f%k?h&KVZd0 z-CaFwL}mVd8=a`4sLXZyhwe76z~6^=-EFSgSi|nyh^nb^xVgL9+;!sc-Z|Arb~g9& z331^wiF$w4kFJfP?AjuX?kbP`h89|z?<&zFl2}Y={5Q*!d5?0--Oq`Hqo(&Qd*sj-Y1dduocI4&Or?WE!g5QOE0Ji-hc43vet zb;1^d*uJEOPjD7QyEFnMTu%NxAT<}fdxu{zL#CYCt5h#ZcOW^#2v#_2+H*UPY^mKTCw#q)0 zwS)J~MBtJIIbz&`6rJJ{&bo2$#JMz$9?oIqyi%Kzk_CEv*s$h%lUhxdQ}E%vCJ1Nn ze63^n$JDOtpF&^3Z?c3nsU|X9j#>nqfYX=L_src(*SXXecAGx`yx$(tPvJx0{#dH^C zPVJ=@{%4rVmvFB_S>Y2V;g+BiC}WSQ5o% zL6NF1pGEj4a0lNX)ZS|~qmikSsWuUbQuMCek7{37Ygf9+IKe?{p^YaM-a%f`7JHd3 zn}t}lOR&fr{?YFC!AswO?a~da&*a;BLYF-`@3*MMg&VSd74==z7gnpUf{Uny*C6^P z#$2Xp!Fjr0=4|z?rdU``AvNp8wT(XciiW9We%BI1;_+^yGM2^JA6XJlJX&q5+Vj2u z{v6D1pn8>%i=4na7p*+4`I9*2a&f+}x8TQ(i;OcI4;L-MHJYOxUwU&HB=H#O?ImCG z2at#7E3Aanii_vlN{3yR!ryVYN0cX`#9x-~el{xV5~F}$r0^qVc4;r_s|)lNuh?G`Y@4|zcNaeU+z>`&sETz`!SrEIxbwdUO9D@}9{B-LLmiSJwm#+I= zC0H^I_U5Gs2AKD9e{0(B30D=I$9UaKdD@(rHf!zJo#@ffHt%D03#d$1sf zitghV^8dNPuZn<3sY|vx`iB{p=xU;s{OU)TB^UyNdwN(uvRibzc4X{CV1ZW1ZrJcq zBQ=REZqc)n#>z4pUyy#DBHZeOkaxOOWqpOzlOf2!x34~XDc4meUkmiAx&CBupCf6< zA?%r`mOTqcecpdcMXuO(X%*1`SheB<U&LN z`-TDakKa~$TzN!WWmg8eb?Az*dUs7nAFA{c_D~3N;PbQbF63cwN+hdVTw+qK)XNE0 z6p_n_elV*n9Mq*Xw0PQix_ZF+zMrcn!(@}thyI?fDzLlY0`G>sM*i9^YYV7}d6m_t zNK4{4ZYgl!$Fqzgir!|OvB~jq{KDZgKPkFLbb6VmH(3uU$>Tz7{ui-`7 zxAesOLoM&h(>WK~BZ(Yky%m|dpG>7&y^^3f#GRPY^p-n_efz@0^_rSx5FgepezvQP zHu-a9tX~7M(_nfw-#lfeuV&8MTSQO2Ik6=qXxA0%q4r$h#;ncmmnMJi>P&gmFVfcJfp>DEpb`+6iSZh_$^?ffsTc%}bdU~m1 zpwu_-E7fLG07QobE1hs#5JWl#`Q}ayk|y3$szF#<(I@NsyM6MZ9`y1WnzyEmKsIy* z?K5xYeEI6_#9nRqWn+I%1X(S!X7q;^!@+6!Rm>=4b!Y(I+h<{HvRb^+u~vMXY>v&$ za_z4S=^YX?hVPQ1Dt0LPKU9AFby44WX2iA!)v)kvoKh9#u{wJer_TaKqt7(gh%LGX zCV}+NV0XE`RI3j`KdF(h9pQs?V#iMk1-yZlmMf4@p$oE+*54_&L}R$RwLE+kq+5o@ z`x|L(O=bkfpeEbc$v_ya&%9pkdj0;aiQO}GH0!|$64Ig>JztPINEHMAexD+?iwD8s zm`|k-K*CESvmum*f`X30z1rp}3eL0DlAi<+lk-@Y*erVy#p9_|zA**+Ns|{4}CQn$)B`2Y?V865^%amv)jQPH5>Pd6K)9L! z2>TqWhFptLbnyp=gMMhKs6q)Vmg|nUe|5~-g$v;xqyEH;%>70#U{$3BT@RXy#0o_v z>wZP*`k1Zc{$w#jyw*Dztv)=u1CgK#0i2Yi4{cTl2WJUW8{Dbw|EB^&U3gJwc;yvh zcxZvK~OpOCtKS5{;-%hk#U{@B5?ypt=0<-jNIM~a6ZKSn(M z{&olJ7>R*g*vD?6dRZ_AJIt=zRn*x36&xcAVmzZ=)U z*OIK--j0~4oU_(~D$UO~$doM(hRXCW0l&%?=Nq&vm3$^wo<;Vl+BPSZcvBqK%3FU` zHum0IoTDEborOYo?(qX5&NN46B(cswdTbn>>F;4C-W=_f67P@Vwpk}a?`H^`)JVv0tr-ZL%bO@Q_?Pr;zzDyERw=$qU<$hy+O5u})?P!cq zCk*Q|il-}xl+l}gk;y8E<+++<|7BDQcIAR4lwy$L#5ONXts2ErC)<(g{>zJXLu5RB z^@kvNrVqZfOq~E0Qt$WT%Pd8b6{w1FouldE|b^~>v>e|&vJ9wg)&b;>ecXk!!3nDW=b)X>Uh{SQIHCP zdiO{z+W$z{ib0A6+u(jv;@m)cI_Rnhtc+4ULh`cgGlqtx2el6o+e>g$ebbr9K6T9M zw{W%Q%KcfT8c02>Dz@6e`tIzo&S{K4mTS1KUF9!7TAgIFKQ&f{t=p&{0MwzJ(9Kq( z&W=Z3Law3-2&bVA)84Y@4M>{%y`}Nx!m^T`Twi2ZBq>{8jmMGyZeA1i7@FfmUR6H?4O4#?O>zs<>Q_{l8gfL|Y4C8{W7elKJt}iw>K}E9EEnG8y)ZBuvabQ*X#gh1= z38IZ^x>rHOy*@?X1-(9fSlHp}MqjRW6n`0l#6Q1`54|c9Fk8U`<@lOi&JI%Xr}+yh z1E!R%#eGWz?bK_DjE5}b&dsXKSQ6Wj-ah#DLIjxZImJNy+y z>LV%L22%0kha8L5mRlDhueZ!ltrRkZd$3JKH|GK}Ex1V0uk!nX?cCo!f4fRs@* zU0bFkA%^#MJc~@9-%BlWWhYfz326*+ycd7jw91Y5UU?vN_1!Bk{Kn2?DUVa-+o7fq zm`WkGD?+QcwElZdm@7GxHs62BJZXlYm0%TxoQ>8RBXXQ*{&Z8c;NrXxX{o7D7a3HW zss#f&PBxp!H6i_)kr5Jkx-|c@3ra|Ja5B>zA*YM3@9XR6f%ua3=?5inTDJ#TNfUW0 zk6-9@1ZGuTt3{#v%6wt6+{a;8PXOJ+Hqbk=`mOZ>zOMvLEW(*4nMbM2&$>)GBmi49 zS{^=2H;3l>lMp`xD)k^9?4*0WgJl;Fv}j~%@Is7WIfVMl)4gReTCbW`0St=u?mVp} z;4)n3Mb_;&$d1HCRb4{9swkyCMJ>#i=zD;O1*x9?rDeU?dV*-y%REO!qCv)#~C#%2!kXHOL32`WAh z6D^`p3w{1Y`P8g?L#!y59U0P^7hV?b9xv$zNt)~mf*+{6I(S=(>x7|UJHU$LxKqe)85$!PeCOF!F>8|> zr4kz&#`((Ovr@(2!~8Wdo zF$82mG-A}mh5x94h{(~SVGutU;6*YtFjrDv47{}y3m58?4M!ndW(&R5rp=>LwdztC zO&{s=AGt*-HFsimX*-I#gdYhupDsBReE+z@?h6s#`!{-MCfQy{;ieEBg0B2LWFVsA zIjpbNjp@X}ErWplPTKSx|610-N_HKemIuec$J1Ut9roGOMIzgvjsOg&=v?_~=;jeE zuvYJ{rk1EXdTN=zB`zz!rg9-&*D;w=i&KGj_yA8Y_6j2f$<&^Yw_I3Hdl*)hgTAVc zQp|oXrd9c>CVZmTp;N`Pq^M`#365@H>-;wI^2EBtbFNb_MD78S7o4R2z`vtdh80Yv zT?#J_SM;82w8jFRe@BMQkA+j(@O=h3Z6&@p0UF`_&)l+aZD`t36rV{658G8kaXYFd zqU=-LPz0tJ-|(0I?Dwd^+;0-Ga#GSbJ4Uogqqz9iF_#15s%BhbbJ^17CliOgmeVv= zIVuI^@i}Q>hqNrTL{uhJ1PVL@vXD-J!`3gYYmmvcSF|Bfwd1l~+Rui~lbiv8_OT6y z350~*P9-%mg;o9KkRwNpJoZL-eV({dTW9!6+e_q{kFJ&& zSezm(b_CEUN&_A`0-aZlcdCSgExi&hb@|MCPpibSAJ}~;ft>YeICO2?5{Gq_d zxf&Qq>WkvAOX1Z1R|=jam87BB&mKGKH0G7G5qs)#vm&&U>}^gE|1iL01n2{_)eBxE z6s2bZBG=c=78o_6^bZxyf8-K{hgq^4G=CmEA(eCG!YjKI;bP(uG|#!ygl_D~)@T-- z?^jyh`-8S%7yTrc%3v*qeF?Gub5xC*0yD>DN}5j zUXC}!dTJHpJcf&KMj~OmmseZ-o{ONPuV{Ph%Mhp=(mrw{dhAx<6|q+B)UW!&%EmRJ zEiQ|-uK6tX3HPf!v@M@jO7%2A{AGdc8{WVP3o~Jb`Do`P6M51{Y1O3M@arJ6ke8)@ zAR)Q0I&=jHoojahpI5);A`_6&bJFE&f@ziJU2N`YMoXrcwo=XMke9A9sDn2UC%UNN zj6{|YP0{*w2tct>uvY2(@po$8LMh=Rr-1aE3}>4tG~|%IX9S@I$VAe#A|;yPYnv1W zJcQ05qc3L$Y2Ol?ODn*{2BeqYJ!tpjV1OZ)P}7wfP2KE#-LDgoSu02?>U=~8Y?L7N z$e1+_Hj+&ycla`_0t%Lnm8>R5D`Wx)?rN>;_S(&UEc+(2)MQNF9kvHmp#6c69@y9-4;W(M{ z_#b|izdf)5HTD*i`|oVKjU2l5Y&#`I#dBN9c1joiA=ys$eeXer+j z86{Br5B_l7&23~KpHr0m?GLw7l2uehWp3Lz+q&C{DqZ~F@P~@$03XQohYAXSZ~Pzj zhug`=+sVh<$;aEt$J@!r+sVh<$;aEt$J@!r+sVh#kI{UvoIlP^Gyq$c!oqW8Ve7v1}yq$c!oqW8V zd~CtCoqW8Ve7v1}yq$c!oqYWND*1Rlhwi_Uj}@2?|2^4GaWmOYS5#J1MsxkBCXGkDU&FeT;yK!;c~`>c9^oIk#mdt8Dp_V|H0H-gk=gu_#FV(j}HE zE{*$#6G!ejNsJJu#GZiI_RtOniXH%f{;tPgQtsJh%;-J30;OEs0ly2+YJ9nbWCUCm z3e^0(bBAd2%O3S}7ex;Zn(jEqvh#=Br5(R4wPSj9kq`Qno)+2tp}FG`>uxSea4`R` zH9jM=As4svAu7B(4j7+2Y`SMh);`L;xt+)U;Bu6EIP`+!{q+jx@dJWve;KgsJW$99 ze|=o6;QZ{qN>|3(G09=|bHRga5Q*SJ^L%Sx*p~m2$xo@iuJy;EP7#JWs`jbk7&`Cx zPRHm!;=(vf-88XLA+TI)E8eH^?`Xn_q9cE;h#WCp6jbL9%XJBPQ=u+=z>y2F*L#OX zpvLoH;mX#SlSze-yxIxIL6?K9iTy?qHWo|XW z!;a$|IGGE)@8l_VQ9J6pOIAet{t}sZuxtF2Ot;j@j?lL)aa@6# zywL})2)71m>Q7@mu6!T6U|oBEvFT~Jai~Wv5}@F2Q_2+-n?&3qwgHQ6?bDG+kss!v-9jd8vH5Cw>$N|r$f&gJ!Y{JWo6w- zB)nEvRp~T+XEntUQLc4>4SsKJS=P*PKg--p%zO+Lg}$)I(lHE5I>?3pu5k4p>$&Uv zyI!bf>GY=s{-_$Gk4siBYw0D3H?!CV<$kMMd;56DM-SFgyT?>)>!g+0fv@4aNgvfO z(jr3;$f@s`3bm^6d&xVwXPtHGVYdnl+U)}5R;0RizPN0UEj`4l%F8CPHfwc1rNfk8 z_QkQEpo#E-iak4Q8ZX&BJ5|l!{edkbptPp-(lpw6&5u$u6R^T>8cGid!;WWhWSL^~ zX4kBb2-T@4t-wyLnSK;K;Mzr3kn~Zf3KaA7{fR+3U+&y>-d(nMXI~hmsvPT)Z@Qpc zODHJHg3AeYYtX-^8l_##$fu2tqq7fd-?b~}-?ehKHR#aTImTm3{@7Ik`4g|DA8^;_xR$u9TMe-9`4XB-|roCww3f& z^pHcD@QI*1FLz$3(0{~|usb+~|8>x<{?i}XbyC>eA4|7#CjEJrU(ni$qwz7!YOm%2 zmCKiF_oyF#t}XWb>F#%-{Kul7st*3?E#|Mi=TLCvvASB36FhaAx?-cRIEFb~ciC%B ziy>-dhvhFk^Sj2YZ+DpUIj8uG2+fRl?)o22D!&%2=R5M}b4~HLZTcbl>3>}N82a(j z9nMV7rNi>i<1RO)?uGL?S4ZE4w&KRFD|R4%q>kAy za_{51QvLMq>$`s4R=wwUzTt1wz0Er!_d&=oq$m{r0v;AyL92}TblLb?mRbidDR_T{ zbIk)Qx6f(6NWVN+re55|4m?s6NjRg+?jMgYJlD%*&O5y?XSWx7XNYfTe9h1t&HGyE zG5lV=iuSpqD=M^WezF*l`ja(XD~YFv9IBz4A`*{EIg?Rjy@8Wd3 zSQ4vu9{K=NLyM!Zb4rG?geo;Wh*pgLe#YjEmvPeP#t7{bMsmH@x()|RJ*pw%;HI3LgF_}q-rvK z_p0cs3VZC8#P83oAsuu*ohn!F-zK$B&Gs^@Al?}2g7yX zLEhZ6MhnXe(zAQ#V`tgsgojZBzV!vQGS#p;P;+tVM-bA;1_vxzfwj~S;H=jh&oy?UXuPv1QK>zNQ=(b)^9 zZt}_>N_#HC=fq1Ftv>tUH19Fbo0B=eUKGA84D(J{fzOG|iSISp>-9|TnZPr?h^sd& z>a6O9BC;c74c-}W8Ppko4O-G--+QE8Nz=RObyKFcw%)sbGBP73_9ZbgFG>gaQuviv z-O+}s+9P$UuWIT@^&t((uV%m+r|eGsb$VDz#o+2G2PuOiEhm>x-Hlp&{qFVi*Sn)k zUh6~+MWJ3pQL`U^q26cwMEMy+87%2H8BN`xXM9NGeQWgYVpekoMpIR%OrMT=^5^x( z*D=*RIuReDMx>i|H_4C=cd}(GmpE&OW)V~J^iW{OYi3&UA1ty}GsMz{(hXB&KQ^S1 zvf|Tx^|(>C9|~@vZ_I>X^3^QXG8wkJY=RyI-3)rR^o11E5t9|*c=E3Hc@>zV!-)sO zw(iY#KaG3e+%vyVtG?QHqV@gH`@MJYa*d1c#wBItW#hU$a@pJv3x^k!dF?nILxXr# zqZ6X1qtnkqO>YL*>`#eZDY?gNzFR2sDnm-z zJzZ_=Lg`;>Su9CZ+i6TGA&pPux=e{b$yseNX9 zyf|byp<%NxK0Z5fm3j^TbnpcSvbaR&zS*~Yj9t~(i?JX4^fx@`W#yDj?av${3HE4= z{%Mvttyol8=7Jsy8(bK|!pOh;&jyMeJN;H!|Ja1rj*28J_4ReCEE6eWum@ zYC(wL)$^+vtG--zBDKo13s(IV?6D59MX?PgJ59K`GC-F+?3NzQ4kU?nYc-2h35Q*} z^wKH8BI*09$kz+YZ@zyn9=cbroUe`Al+1H$3T!I_{-pl$RWg;yyN> zPI*9)XS>YC&cWNvnl!HN=$c>rN8!2LM{`0;y{&N4g2%NB*NUnN2UiBk;v(XSeC{%L zUUR&D5S{b-T2xqc$!kJ(YsSZqhci_Sf-|3^;z|oC_h!UHZ|%p`<3=659WKZOHMqp6 zo6nV8c!ZmFAj$VR0+x`+)>+rd-Eqw0nTPDs+oja~`27eV6lCV4o+hXzeL?=>5$G}B&zND7|e#*YU5!-ne_oKtUyUVX-*0LQz zUsVtpQ~Nm6Hl0c8n7}apAPp>uOeGa-T|)j}?7dTTWlz`t8+6=BI<{?_9ox2T+qRRA zZQDtAY}>Z&fBJ{>KF>Mt80X@QbJrJpFU_i&HLG^5H9ocWx6s}0+%R6|AJ)!U&aGW7 zu9|m3&*CeKqNHCySHXfnSzx1JKwu;}!(Hz8TwiYrw$=z1WBq9swRbxa-BfSI-WA7+ z?++^$kgM7@nmf_FFfN^rHBa02YHlC$A6j;DcaRX!5hUZ4;yZAdJyFxbGSyPY9|x~$ zHse=|mM4g_+Kk(c`a35(%e}@@_p+$c)L9nTFE~H0)pwf;0{u6hx{^O8-=L-s`P2`B3&*X6L4b&-A5{{=zJlMBfZ^h7j*q6D8t z{6ZYXI8L!^YlVkxy&msD05t74#n&XbD8S!qC4MPBou8VIV%V^kyElTENwJlfsEDcP zKL(S-H@9p?UAhOaCVQo!I-Fa6`ZeyCe49 zZBQOdDZ08fw$gI?9w{y9J)W%7N_Px)1!8+4=#+%H+mWlLS zUbEH?H=nk*_xnya3AwZvrzOrHTK?A~ZUmRc>({%>wOA+`dM(fndMqUL4EMK9$*q+~ z=W+dE+TqR!o~&k`rP~~*ftpbLOf5(%3F{6 zTUxeUA%M`}a5cR51pcIgv)Hq!tLhEE-nJ)_#!5FlNi%jIe%_@?~S1ET; zdP)&XH48`$e`bfS?Qh;^LWP)LK3$%02y-B~t-teq_w-M{OM^E2%7ej#e!+6ZG{>|< z|6;KYl83i8ys_LXv}m;C>a|0W3|4t()px#xU6RR26V_A~ z-A7z8Hr>gop3+!uk#U!n+kS%s?E=S&$%x4be~o{Obf>r&ez_HL5Id0<)YRd_aEEG1 z?v&Jt8ND+812=^`-Q4 z3s!ikuEE|T+7PpfjV|To32|_TlPca?Wz#jti@E7?zU2!4T<;{#fc0aI0;8&1aaciB z>uY;`QEPtT&h@V1G*hHn^2uy#!t-fR9EM|L21{@%vDKRi@j9HDtm&LZe5be-*x3x0 ze+Jb<={b&f%qr6C*`rL8@Oi9Dl?;wI&xgJ*3BEKD*euBc{HtRVSl)j$@8N=zs}CX@|BKOT?UwY6BYG) z030kKtZT4ZFndU<0LSN3sac9yIdUV?L10=B4hiZv;uPv{2q|wWr=qRp(-!TggfN^W zd_wlREw-E%?S3BguWCR^e%O2pTi|fsvNUuYS9kDsaTYehb3~p}#9~Uy_ra@_O|HghlCeW3^%~`i=+ov6jdLPR2g05aRbtdfu{+3R9P%_IhJKn2TDAhZeZEa zU7E;fR6B?07PBIWXMA->^&;99Fwjf5V6HRiL-j(>WX5?3dMB-<>vVB9;*-dAk2{BX zHz0JiC8-TJWic-0P2I)ra~SJ*Mk9VHzhA+!;XX_g9a;7+zPxN8z!CQ?97_I=3)1OgG=O;{K9LB;L=3g zT5w}pKbgc5SUvbLlPZd|-NI{)MJTKM!@j{oeBogf=f z6>cQt*@N6u+aKSO-E0|YOLPvsKF~l-%rToaey-)XqxQkXS?h{t5$Y!I z!l}ku%5LNu>T{a7>sL){_m5aciyw->uYQ;IYL|Cb7A3bVMKHb_e?l=#c1WmHLRCC#owY-=pKHD6)zs~|>kpR1Nfo7Hx7<2I z%FxD9amqURamL`C{#0)cey3q*urm@eHOs|22(7pWn6GmZ+O%;ff!vswJQbC6cKEi;Yfp+2}G)`zKZ(Am?_@$UF zrH&&veoFCB_bY>ja-(h-EwGAFITo=?=VY)1^v^Fv?~TL}9>800^;lA%}pV z9ybHV4IVOeQXQe796}kx39CB!=S?3<_!~)RUFPXXpiQDJhds@W!u9iI?BnvIGq?%F zD5MrbE|fV0O~@*uBvKumF$zu+X?(u;4{>{O>A}^cvBdC1XC)a~LNYIfW7$gCA*F&c z*D?%K5%XHJca?|lCk6NV8859=ZjsLm(9~63CMvoLMjB>vW@<)C`d%~JnS0rD&3De~ z+n{(Hith4Y$^$w@Uk*kijWvcf&DWM!aopPb*smljxT#i>VGp2@UD|RH$5+~1<@KjqXAB?C zhfvq7U9#!r@yj-=yJKH1raqUUGb6FesOP!czHJ1${UIOdb#NEvD(00CmBdqS(W#=Y z>Dh8^=4xrGsl@M)Cmz3VIlliRDYH@hESSA%&G~}fjr1d=%(>-bF23Kl9Ixphz2}T3 zS36dirmM!2gC3bJDueaj*O=Vg?LB_vfPtY$d&$UgUt_;yLk}gcljJQ#JwoGJ-AR@1 zy`+A)gZW*97d8_a8wh$6>z8i|?$n@aKEe~wgyZQZn-q~5>R1@F;6NTt&W3IPEq02< zC_n3Y<09oLfD{mlzqvmNY0aaTA52b4XfRpYpd_V%k}s+;u!`<(s?4!szc{`q*@ z1gz)H)4kqL{hXJ!rH5ynX`Wi|a>^j;dumgvJ*o=I7n-K>kjhgH*Q=S$gU~F7G7Keg z)Eyj*a)Mym3UcS>67^CnA^>biwimoPz8Yb^!e(a& z__B}6!=pZYP<{Y&OD&@OFS-H0XDEJ8WiZpz|Br3}-9IPQKbIBb=jYS4H#ERy`#rxQ zhpYL2i3|KME1S`M>IM9@wAufM36D8dV+Ev<+VdY+z8yns1Z)TCb-S2?y73GmphVyy zK;-z}5x;>5d;=j6{X!T56h}x3nVapCn;Ylf4miQ~(CN7G^6=iSW$xBlQd(L0qx2}V z6wt>o77-mCTpsuvA|{-XWpU5h;qGW;+Lv7b;1B>GJSw${Z7P< znY*sAw~4Rl(p5IF0J!1-XXj|=Z~>cO0Nw1^Il6EF+4FGEIt~J)ep3_QByfUILpGb- z7Y|^ymV3@$Q2p1FYZ~T30D8UxWb)z%J^}FV@*l3sVsnRJ=VAk>EbB;j=>QyJ!j*4r ziC=&5DFBFtgMx%y>d62{w)cPkOYz+v|a1HJlyh7Vlh2C}k*ThB#_d}?KNg))B$ z!%!_mOOIUpHF9#PXOO|aou7cx@*|g|_vtv5AjN0WzT?;3$GrVqmO=XggIItU4dwJQ z%uf$+E2!w&DPdZ8*-4A^s)`;kEF$!ChJIr zhFQPa`wiwCkV$$I*LoN=tO{Qx&{Y#5Mv8C3BRPqa%O;Zb zU4@YXdP^5y@K-zBoj=l`P9F;1-do;bp?tJI^xn2NK4+)4ko?=h01kr!`h%XH9))bo z39KuVQJZ9|g9A{TA`dJcG<~&HD8ZhPa;U|FD0BPX{a2lg!11R_+PlEM#11$oP z*nA1a(Iy1#;bmlnk@8`Tff)Dav_VVop_hTM@^{b1X7nf7Bs&E0*FkItoY^FJ1WM{A zU-ZKT2ZO_74*}Wsd&H9!0hRM(#Pu9RtPM)XWf=s648qUZk%3Hr(Db3^U&tmuq@D%m z^3CMupEN(@st0%rVAe&H@Hx_jQ2|H_NYt@h{L&Z*+rxb+`{_a8#7__#G7qRq|E%tg zOHxi~Z(n5@06||pfvfCZSus-01dw60y+}xYqHKDZr(!t;=u(KeNVm|>^-gn{Csi1+ zQZcBadXK)>V=V)FB4+q-`*%iE3M}MsOwmkTOo<Jy zdrQ8c4`6V8mfWB}6YoQA7|#XVOgB z_M%1HNq7P9)-Nc0gj<+fpgED3sh8m*gpl7FLdJW+x7qZNYW!IRHHz}{60#X{Z}TPc zDf7$oFbiLW1cmyf3nU!_$fL-!j=ARm=J1)&8UPxonL^opTVq;d-O}9xgQA2|`~8SR z_P>rvrXDcf)U&Dqs(GqOFDoq5FT*UOu_I#9WKd^-X+mnUX`-wNyHR%FcEEM;coM%^ zK6^bAfvSPBfw~8w2Jr zvqQ0QwxhYKzQNoL-EHZgnW%H*z4Tf0-34v{BX%8fO?2sSwRc@{O@3^C9DR(sQM{47 zjK89|db!r#z1Y`A_=afnjg?4-hL&cK(u5F|M1|^6DTFki%t4`8!9)O+qMQ&DSA&w1 z6exT!{4oqM>}$xcT*zFn+`e3XJybfw8l4)s8e3bx=0=wUmxf1o2q6ghP=ipnQ0q94 zxbe89xV5;hg53h3g5iR7kr^=zaT0MB(T@bU*sB<_1hiP9Ve~=bVdla27=*-|xHkL; zu}rCTiT4DLw$~`XT)q^($X|Z=S-EL?vD?k?9dQNIXa&Z@sD@a30((Y#&`2PO;EC?! z8;X63zzWu-<7E(~t|f_OW5qZ!BqiGNS@WCoHZ#qobQME+qSKUfui1TNdnJlFOhr`X zXH}l!FKJN;QYqv78BCf;Yc6ZdTnU*uT0vS}+!dV}?}l$={=lHzpmU(&LD!#6z5=5M zlZrXY{V8OqyQ`~USZ`2nf@!^K%12v6*J5$~Q=yk}w0`I-GXwJooxAzCHMWJ8H6UdK zr5zfI zRR7E#kYH0`(E*nMEfOUXo+41=^tulFz?)&bH-6V(?$*J!{FVqTWKK-`$0xY?&nGbK zHo2BKjf*zjRm@eZR?B!wk%D|AXMzX(2O?O_=x}Up&IV3KYeotQ3^bh4-EQ&im;(m~o`Qn6U)@)$OsmE@;#@9=VAzlQ^H4p%|v9$g*T@q}VeTI|tRIVFkTD z-?k=0pk-f?RKt7&(~RJHaHHAOrvD&u-mszEs(s`0@qLQFH5koNM$=+VuEYAx!C$^d zCeK#iJ>G1lM;JcZit&aKh1!Xkh)$S#1Z+O;h@_1gYpMAt_FKAlm zp|EFvRq2-5s!d1OrRb<>=%T6Zds|yhKJD~-69D9quC+CQ*E+8qI0>OMsz4_h>BlbO z3%p1x5FR~vV=!ShjSUGoh^7D3FUW0`t5E}u-DAZ40Dx`RVWCn%bXzr=R{Cc&A-F=7 zeI+GwX0Us^C~Xb1)e=q`7t_b`rwPbgNI+dxIP0l!J+5u@I6gV0X;J#Q+Pv#(zxr+6 zg0Fk*i4SH1jzrKbV-6K<%hrxpZjjH|pa;+xFj8pz#2$q~M(_Ko$gq^!sue4=%frj6 zi(qW&j^(z;j$Ym-LxyLUNfb5&BsI<9?k4VP?k#TaPcfgQa`v?aINRr_dp^7DCmCL6 zPLgoqujZbstqp>HeDz%NJbOKOJ>Z@6C^RhPXk`f*5e2DfZr!-knC(P#+iL^0^OEbC zhnW@nXZnHhb`B2bbMyI$8;Yee6eT+)JC>U%6g0?QYBa5TQVB|O(#n=;wP|<9-DQCz zhb6uzJCI{g{sNK2amnQ4L-m%Xi@C3J@6F=&()XQX{+GcAC#A<}=$VX8j163Fv#*!7 zmg0)$s_Iwq?e`H;I~nhq%+g4$KiXI_C3$cTU6)s;9(D!oz0Y`m>O97r)7n1njr@YU zkbR;XU3_%eD=S`5Ls$&8BJAAV7?(7XE|D7hbhm>2ZO?NE>;!FA;;ek_w0~e#S}#lO zp!~q-K$=>Fdep1(6~3Lct@*m)K5f7`^#V4TGMW30^*#RRU`AVYdIbCdu zbRDNohF;NT%pPZNVy|ap(OoyjI+7P8AoX`wJOW*oSd}Tvnzn6E_!~JBQ*1OQRpS=$ zCy7A2KA{4XVH|~|x$0vJ^yyS1HQ!}bc4r5$yH4~?Xf~K()FX_QA1*1NX?-aqD)}mz z^noJG#gxv(`eVLQUwqn}tG#h&0^ zk>9|8Q-R9-ApPt3;`n=_S_4c2?E|d^BZStY#KN7Tr=knO~B}oj^2iv{&kCsa8H)@r}s|>3&9uw;lUYM-uK34kf#AlNe zq5Q+i!(OUJ6DT#_T+TF)PHJ||mygG*DJs*{(&K4SOokuS+g_NoygW(-B z?*gHFBvXX##ww$w8x`uAn;JM=>$$>lL)+ULf8BEP#U34LT)w{|2^B|#}d-^fUH@}PMK{Mee27_hh+$jhqV z2e&7P?05)=NT-3na%(4Z4*?}GmEhZa+M*ta;t5x9FLFrn1Q06742wxiluEQ`>Zg>Z z_9h1y9%IX%`>|?m1-C#(kA*QIMY>j?$h0iC5A5=W*4JrqVkISXYaA$?5 z)*P75j81wsZU-8!q+gakSYUX#<916=f}An%ky^l9ie2G3N!qPkaPDNUm+md^#IF}1 z0RSz1N&FoAr+#YUk?=S0FGMQ^v*EcrDFz7k+8KOLP@7e7kozh;x}(y>+TR?iKQ|!1 zjfD^ZuY|x6XD9VYcv29OPoI@90&F@`WF*xkQZ>dJFUn5fjO^^Ry_!)TaRay%gknO& zImVVymx7U8lu>1WbxZWR7x8OJFNuPlXjnP1YA9JO2_o@E!?+~7<-3-sl3<`f+%r|v zN|Bk>LT7uOr}SaxjXxA@@bM8wI(m3&e;QqMp!!$!wH5d*4O8nQmxY#>gd+8a9}_nW zT+Z$T&rZ*QU@*{Hn5k}L40cYpE6rnN{ScWfuJLgfq#ME$M&kosOdl<+x(x>(JPidM zT!3W&yfAUb%UOa^AON)|fZtrc03fgdBnbdmBm#Prf_4Wn0YI`oO}qmFGRnE<@sTrV z@S+al{U{`}0rkQK%_l(HqnZQ?icKA07J!1_R}=9L%_i_wqyZ~E zSglyCq#eVx`K~$QK4Rh*#-ACJ-*-t05xQiT<(LV6NHH^IbBl3_?+7sPn)AM-NQG8L zX$5xr|4h{lqKktVNtmGQUhUQ!r=M_3l}xn^>Imq`kWaABI3aV!jy?cn)1th<=zMuq z1@iSH=F9yhutgLrJ0+~A+>1b{L6}%@Sdf&jJ-C`6nS7JTq7)-zAhW9YT*_HMU%s68 zIZsIx_3R%^3W0oTQ7%} zYa7UFa$>kdRkKzkRfih4Er0v* zF;z+GQQHDGW=WArxheN5`SSRj;bnP!G%YS;J$oD%^{w0CS)wxv&sT3d^~FcAm$!N8 zYRZPv_Qtl@nx$%{+BcJ;Q|H6V?e}NEvjt2OK#Xs^X3(kKUz>3o0>8vS4}T{>0_5Q{RgG%_8T>PO3+9m{49n1uJ*rf2ELU}E{!qdJ1@u?3ev~e@ zZevaABI2n%Cet{CGu8t_Rpi7^Z+v;85j=H57G94|$t{s9fT4gMZ~_6tZACH2VbozZ za*|RnGvH%pbm&wiHO*ygc8pe0LWVViK|Ms>Q$zOQ(Ls#?y}s*ErliP0rSZx>?vdCr z(^0`8rXkO)gH=EtEi7)MPMX(fkZ~wCs3Y*3@X4_4KH6;;2r*GLGIZ1S+n~|*(`Jq6 zSA;;4FfK9c1n*M0QqdB1(??SwlR(p#W7cEzW3rPGG}2G;cn2mi+D@Zs%T|MNqa15A zpHtHoW)#btQ@gV&_ImbrnV|)jZshx;1Ygxsc)OP61nR63ueYEZ=b05ZIvX zK<#kC*|k8jrp?I8*3NmYZ*e|1+WWe)=RE0tjrJVvVGo9Kje^u={9394wR*TAwsyX# z`rc7<;f?D0Vj5!>&pHX9BvQeEz3b1B4eJp!7_%IMh6swpYdLA00ypnZunFk`BHn78gNnkK+(6>t~2ZdHJndc%PL(GY% z2G1i)EPo}_AloKWHJx6BROI;`MM65i%3xC0WdwDkcW8FPBdRY$F<3GnBhxcnKd#RA z1jzYY^bsJLmJv7Q2IvQ@?}cAifRg~J;8SmX?;2qoVR!+0zV`5IoPHvUoQTq?3~_OD z@w)5)-bN|aGMIziE$W^5*NjM$h+qktv|yEG)saPsMYfd(Hf#qs*TEITH<2(50Z2!j zJB3^FYrGq-Eop2SWCLU%zLOq4d{zRETmpTrXisrc=`b$3r1lKRtllEotT-;LOzt>S zXQQpvqZ|08DtoDelKl_T;#QCRkoHHR(CxW_f>cAxg*$RLa;h?+QcG*-dDL0vb);73 zE5LVMk2NQLxA^Y7p94b`kd{zqf*HutQ)|(g!4F~gWB1x<4w!}BY@De~R1JGaNW^#~1Nvl~uB}x}udQX!6E5+-`__ZJKWW#HLaFe(9!-DT9?D6 z`GfiYVE#Xt{}1N>gZckp{y&)i59a@a`Tt=4KbZdy=Kq8F|6u+gZckp{y&)i|9{N?@A{|ziTT+WKUw{6_Wz%l|8K1SU!4D6v;X4!zZVevS+}x1%4t9pRmXI!hV;Y*)Yt3+;3so{3mFg;RJcMH5(2(_Q zhXXUzW;!^>xtDHdy%q5m7GS0yo)ce(azu`XLYGv%e_>i* zUFeULEF_N3TBUp6q++SP0cyuP?~CXDzCsub?VhO#h-Ub zBGF67C>v=JsbaWw*DxMqPpd(5vs}{K*<`O(xj@g;c{l{9!dV4qxTafk&bQw%DcGVj zF%eRa9rj#tOMGIk<>J922Mgtd#zx4nEm1V{x$kg7mJa&yCbKtYp<)R5q-_I((PpJq=7aT%WyhdX<}1NQ)}M^C3vUyll%`{fkSB z|0HsmNy(8v6+hw_QxK>;QGIgJx8EX9!kpjXG9~5fJj>pV0MSCMFQWqbpwoD)9hRPa z{Lttmvzjxte0~%7j@P+Xm57S{&pk`9I*g;-ntTDn_kW9V-F=nD>rzYt^jrH8(#W(QtmZ=PO# z|DKN^c_e@gJIm3y2_|<-fU$zdg2yt+^QnlKAGlRvwuw|e=X{4VZnkn2_-Y&W zk=aqEosl8?&fZq}p@rkc{*&Lq(*=W@=5S^%qeZ0RRq&-;bv7Y3Mi$pDFfHj52t-Fz>CA zl1AP0`H8p7wD{*!?e{CXif|m-oXucP9qb10>Ad^wyft#*J48Y8(NKyW=MEN zpc%bPnG26fRJcsWxj5^~4*uaK(+)lg+Y(qKQTh<~<+3&8oNsCEMovH`XrEuWQ`*4S z?i^zEM#?mcBWmVvU*)L|t2rccVd`jITe$GTzRJeJUmQzS$5`_N26>48K%qKLO0~FS zTScUqb1I_qo)B-Pqy)E_H8V-?u`&~0GchL5hK2)%+(mHlii+3mVCi|2`gbsb9t2+o4JMk&O82!BB(<9!k5Fj-V9Bt@B7P;#~7LDk0 zr17aU#See|2Gk1-Tv)ll(49bp1DSFS4%`JuyXOl;o590P`WWF;;u!XArt*tK zjcoQ3z}L^et~)&+z-Gm+NKaYG%t&hrKi(v_A>>Cr+rW8uf%B{eLzNKZVANLpT)-(4 z^prtw!4>B4G&*GKJ0^ewuLoTQQOmcZw?D9&)))W7x72Wpn_`g^WJB zFXI*YTm(T}D;ikaqEbl?7nA3_nq_S1&#U}e4|pHF^S!?0zPDZ2b1Y&J4kXnM;uyg4 zdMruc`%ym!hwhMW9@#C_{_2}vI(~*e?K?}NheA4wO#z(=Z&|A2EV%MCGshhv8-yFP z8pt`l<~SoV<%uj*NTD$h0-B@V>K>c$FKr3M1K{`Q<)*++OazODqw&ES{OB}5z55c! zSDMrpqmXVL@N~s9fm+6Nxa=J!(pA7jz-?CBsEXl`3DG~MPZH6C3r7weB?G}oIdUO^ z^Jws!4l$dLBeaa&m;AI~=V28nP{NnK&4nSEo)Yh}qcS?=ptVRXU)AN<5H1)>Fv2w8 zPb-U7f*rTwE_9F^iB(dB_a(-jAl)&7`wLVqaKT-6Koe+C^b3FIIm+EmIYcoN6ssDo zMJVbJs~kZr+I2JHB}e*x&(dL96XTarvK*^Uhum^Eq*7dIT!3HXwLL$i_p4$ga+1IK z?gzG`3WO{)VpxlHi_B>H$Y?94r)VxJ4PuzgrOJ&Q?MXRKR6Vb;-d%}I{_M>Ds9WIR zalLG&)58F~4Z5Hs>tkH8;Ca#Egdg6 zFdgR*Z_;!Ez*$||8`gR;_qq`my)ws3iBKK%#Smr^k8ev@g8Lw_FkBvB(w9F#6SiJM zUuog#IzJ1 zkIHu|Nm3mjC8J(svzMW%J@6+%Kb2kp2k0+!TkHTdXx9XeVuR5G^n=kQRBm}fxIE~1 zeyB0Iyj~2kMEyXL(Ylmho)q~OAnh3NLO_u94DAM^gHo`gVzP|=zb`))5!P;N0Zz!k8yNL{pecuYE1wdY-xuxb*5++?AaLVrIDw#sRn9x%v zx(5#CR=hmzkMUSruLC2vwJ$9bm@Bv}Ou+ksJ+bxsD&z4=oTg*lD~0pvDvef7oZs&Q zay=msKQ^-#0LGbNvZ>h@|R5K;Gw`v6cW}!eQhVeiXSOR1q;f3K4I;5LS}A-SqaF|eHJbi&vsP_;`~(9 zj@jWaYy>Dq5h}y$cZMa&$#;&7A1Kq?vM788JtySbJu zfjN?$hln#7A@}|8SDMx zzDYP{Wj3g1d%tr>EyLcR#;@u8dZq!pT{$v2OHqyQ$HP|o z0H~@Q)!)OLM<1Ba<&xI~Rs_7p5BovmL*EA)lS5q^`3jXr<39BUK&2UN znmp`1^Zkm0K-u9^!Vc|=HEblZ)X_IMbRn{&bj+4sFUxCBG=x6Ael*f-CvU=|o36qB zb}D_!m|5Fr5!0*`v-8nHBtGy3`(g7@ZPo()LhH7;f=frRsB9bDmyZ?C5AKq`JLPiv z$`Z?3oL`ZZ3_X*C2Oy&d!o;UP)BPyQzkiFbKVqk^0P~vqdp|R8{|9iMzV++>_Dc3S5SQ+VYKe>kHZ}4DfW$?S?ztjHS z`(2uhowdHap#$zG=a3N)`Yheh#o<%G!1A;BPo3qzw*3EWMR7H8Y51)ztnK7&boC8! ze<$a+r^o$Et{L)kmk#%DwF7Q$TpB?a2Vr@K-@47e&4le4aOwVjN%C`_4wwEPL?Zl| zocHn%J^_e^ zi=q3+ug{~;ihNrC4)v!u{~6Wa$^VV2grSwOgUM$u|43Q?-KPJRNh9y5=kQl6{}o?c z8f8<1-`0!_thh8HhNi|Q4!Cp-Y_yOxqMxm6XJh>vAmKXLIezwt|A;>w-9J(MZS@%x z8X3dS&SB%=sB3{sBQL3IZ~p1(Kat=wb+G@u%x`UJV{P?m4Eb5o{~Mn=T{BHk+-sqE zmVOvP)8BBPKwBa?IQ4Y8my)t#tO=d65RD)fl5{YiO<5GEJM;I9_6c*CCYSMHoDKoP zhh$dKIjs<&%|%804(Iz#j9dW{M$yKke=%!3W3F6Lnh8ofbU*M?ogmM}tfFQArF=sJ zZRmA@W24158VnHV3-~u&ULSyeb~b(B9-}`Vql>aUw@MDQT_5u9a2DQiH5D<0R%kGx{q>7*^i}E$!#Frghae-5J1zmLQ1#yA4jIs`Ab9 zw4*npagVd_zi#~F59{TZMys{^>ya+auJ;|_Dn~4Y|M2y<5m-m}`I>vC_tqYh`TSX( zfWE%IrRAA0j%U5uT&c4@r~4;a_2I%qSC`Qk zx5s^9Vd34$0*Y>bFpgKV)mkew2J>spo-ATtRbPCccpqq=(M$DBNBf=*hBFPK7XJSP z?k|rs)gDjVa6B$ev5t?AmC99WoX(abF<6ji7{Y{Q6L9v7!=S^)!XkOj-YG1-t0UEi ze%}0!>Lh-3Ud|&<&^b;Tvt{W@ZH4K>0d9l7`CDOYtEA)I3Qu&$MTAPIq%#%J4`GXJQKrgumL}Mh0rMN~`(RUok6eb0?ZdtHbRM=lwER%2$YO zi4^5`mHYbp)Vb%rtyy_gN3Kx$k^FANY)zemeIh8HE!mFU3`uqQar~7BwMr*u%a!TZ z#n!r=Bk!KnKB~M05 z1jo{{~oc!pA zBA&M+e^_qPN{%CR^LnjFxhN*JaJ{zyoRQwK$$R_&TzJbjxb*OQ>ik#M%P|D?KLUZ;v8SD@6L>ZGym=z z-gQ9H z@uWO75Nd&i(aPGZ@l4jDX{U~3r>a{{j5*2Uen{x;m}NM)+32Y?sQ(^7=b;ko4uhwd ztV`o1=vcnDS6{(^}D~*$goS7Ydr^B zNxwNUdMI!=tX&>`m~D8Ku3z1Dy**h8uU){1t2b6xKc59f;q2C()n^p+kY*{@*0`_W zjDS5vGTp6tC9Or`BpX}5dhHyzj5JyaU+fQkdP}u*Xax38kiWDdr7%5&5{;~%+!shm zBYSVU9%MKV>k7&$gfXefM@el7)p%ar>yczQy@YoC$0(33neC9NqG`*`yW;V_jriCT zgw^K6IAKJJExA^e)>5{&SD4Y37Oq#>Q`krbXgzObnF%M?Ug5YJRdm^g-ZZ;lwOXzF z76gsK!emj=Zgg~>vC?Q^wO;#FQ&Z_Rat{N+d&JPdyu>^|ZVByJ;C$+M;Qk_&5EmJ! zNs~q9y<2%VF}Hv_p10zTu;?qnYQ3eZ(Y!qW?|dd zym^Xjo|Iaaj7RN*rS%c5C-QnlzCUawVZ$XR0)wY5_4lv$p7?iOmgsQlNP$uDL-w z&a6n|w&BfU3*#&N!2b(w@5&)*Jy8i5@_qmyOnD@ ztK?~_rPOLGDACn?+M!f!u&UBPijTB(#BsdoPko3(eqFsPViAwXqQx*C*jMUTR;~xb zEg<^7Zn3!D?B(iO5Op0_-G;%eq>@-~q!>)3?qqGb=2|0ll$v;!+@GMP-hBJEd{1Ej zxiQV+w3ON^Y3{APUanDI67CJK+)}wmpL@?g=@dXto%;OV9~7nCq3LMeidKMX)%VQf zyjt7y^8xCwJ230!=jf*T_TsEmP_L;WRr`4hO0h^lh_EY^r5>h1+7dFymu;_caj%I_ zsM%)z{Ha~lmHi%$b*zC3ZhEPUy!Kem9!*3?BH7gTEfOXuP^djT?Sm1<^ZAJN8&ahhO}AT8X6I7h*;dfuL6**8VK(!eR(k;|+#E0_9h`mMjOF2hOdy*M#^ zct{AMIxU<)jHaRLRn@J~CuFRnwY1GAcQH4z?8QKTB&e|j(N?+Od2B4Jo_u(m%5nis zk>=?zzVQsSFhWCK%{Slhu+cz&rN860vHG#L!Q0u1nGuWTbBIU(e7|Lbg@*8u9N?`Fz1n>)ISM zv@T+7|GeAdSD8eTg=GmEOrdKh%tS~Do|NqwD&sL(uCrg6r&4dSTzm9dS<_^hN9nR$Yppm-uk+Aa^~hAY z(OR1?)a={na=ut>?{pB-c)L%M<8Ny$r^u2*F4M3wZGkshi0WUSvqTUHQ`Tq5GCOeZ zG4(#95oaD&eohEY<#D_*R_nBrJS+Shnfp8J8nQBzfz#Jk-X~w*lLm%ArOj!g7CYQu z=35gBP)k{}w=_E6;uFg39xwZs6Vf6QHWri|c&UHo5?z!p$*4EEir+916_}z5I*%+^ zkynzMdRZMr1ueravuiyXy>!^+isnpvc%)U`E;iJaSXmy8$Y5?j7Z7o?TXpGqYR-)B z(+o%Tk5P!BjbNPJ7`Nt72(t?^j3_Nwt*l3=d1Np*dS_@=nUA?Sy|r*w814lDxh|Zq z^#zitFC@QH$OQ1Y3!j(oJO4FCRO3K#K0nHLskbr~{B+*%Y{HaB6udf2us}TVK>k0B zU3py0`Tzedi!YYeTEcYLB?;9gP3dIq7NwGqbfE|xBOTK*$F_Ebnxay=kxEjjbk~HK zME5;i6Qlc>remgSn%{dSn`Az3{nvxfyg%>v>wLbB_v_<#g>0aQzA0@oeCxq>7ysQS znmbOT6bUX0JjV9v-UFmfdz^ItzPc(J(>OMrI&^$#f2K%FdU}6&PN79ByN_yKALRK; z!!5XsNb7qxc)ol5Lts|5sN&nT8gGeiwDF>Ib^)5^W=sdE{tJ_bP3nS^etu+rTzRx* z_@WD0F>J8WI^1?ox#J^(hvQ_;-&I9Yv>!4HJNw+-$&Q6X)~5{rW}}@$(G_F+yT2zg z>hJCe?2vYfuuH}3m@&D^H$xtXioKS1Zhsc<(=1Z4%f!UOYE665043w!LkUJscU=u_ zj}+u6bgy`KC$PZtHTH~Kr%w1==DU|e%vDVVxlH1nWzsj#HrK_ACnr7GIa9H(UqX0tp2;}suHNv| zHPa}?_LB|Qc(yfkiFT)bj7F@{MCRS62I|z-=`&5Q{>m^Gk@nBM)Kr$PLuA;yW&FJR zA9?EPa#>rIe{J1TM~i|+?d0Wdo>L2ry2#BP4>L<5N}1d5h$&?~JNTGRr-0iI1y^xoBtN^rQOeNyVpcQXAO@k2A39Y%-*0E{qF`^Hf2IBHx}7KLGfZz)xyKw{SvaJSo)~c8l-AA@ z%0L^(^ev6JS5#KaxTe#~4~MJwQbTF6Be->9%V?|ar@$p~UzH!x*USr$t5Q%ph zm$E7MM4#Z&d{`H`DvFt9O|k>2273E$DjrihE~{bDjFGT!RsEw|x-|2w6hV66aN~s6 zn4X7y>$CQhb9POk%WZVlu6QY?ex@@9kNZ#%<(z6@X!^9eG`hx3iHT`_Jls7#Kq1*} z(+Nt%6)3Iq^J5zYZ4>L`_)5m4taph>GuTVLfO#^-VmBr=cXiNz*1~8RI&=o*kb3LM z1y|f`%B3w5SR5cecar+HmrGw%A;(~BCwnB?Z@-hhBg>_(Y#C}Sv+x}vG}u$e?kI)VRcVdzzd;_ zJ!l2{of@Iv`tPw8_`IENb_D7&uc{vYo*?)LdzKu|Hy1SxcFSWrq z^p3%bs2px)b^Gt4nvH33eHpI0)(tJWF0YEp%v5xA>@&oRjwU#?>TNjFnK8;J+8%A_ z)jugEiHd1ITBvvGZLF@H(cW}X;9WCpHXF7cXTH!Otm|$(kX^ReWeSg_H?mX;oW_1G zy+LF73dcL)5@`G=@42VMZ|(1kA`=gtvIe8lYt1Z7goUICLBVUKZVm;Mdiw>gUnk`# zdXl!R<)_X2+V=glJwnoDSa>j>;FEL5PUrFy+Ntp7{!1pg_a-7bXfLCkrcq^9CgzDF zIOf^z7~s>aFOFBdPEd*ZE7LbE{aKBs+v^)uV#-2|&Yg)K2gk-YN}}%QCG2!EXO7^` zl={cK3p(Mt%XpK0RpY39hU`OQPHTp*R^mHK3_bTLz%jKwnJU+Qlg6}ER=hu-tDqAk zZIR+$I-xr{+8dlH6H-Nv8u)O1H67DZkrAlfL^`NVYbZFHS~=kfuxOG++F5GV>PpRF z*_MaaqB;Koip$@h*T`r~kJ)*2!tT-~cL0n})i07x{@rJzVVU^NV^vlng9Q8jwDk}V-p)upS_9WqLG38~|RFqz6FeA6o1;;*n(p?G{qEel1@ur%Y8eg{` zi@}^MaIs@Xkw)7`FQ{asdDOEg(kP?gxXk6i=g<=)z^4y)fP zPfvO!vfCaRAJ0wcKN?7CQkFG4(mj<~HT=3ECRn>zQ%ZdM!2fbm+B4EbCv1q$@2@4= zMF+Ef)Qi$#NaY`Ebn711pTJ^@H8WTG{H)S!z&&GgrGoIltZG^(fYf5r^!p8&0IQo0 z-gge&Y>qyErnDzVf6VZparE_FXrmIe3uZ@Y`5^!(PADWQZdjfH46@U5uUM<2ClhH^ z&I4~UG8iX@6QqkWpWzj+#RNCL$bFJ#@V!(FDx2KOd>P+?ez)??F8ktm7e%{MCkzb_ zW~>rbKQyklujSbqv>{Lmkmy-_@N`+UpR94JQp$S@h4R7om)E1hW`(4>?OUdI#fkIM z12+}dWAsHHRi6itG(w$h!A}u*c-reN&80o2C(rqg&w&#Os=@#7ljNY^7HIpdtVrZ^eXDT0}o9lLKw*ptSl#z^TX#lub82i6^} zCrpN=QhXcPChIRqmodV``^5|LYpeX%$FTcO)|VzahFaL}O1x{}bNp0)I(<`yLV|Yp zv8FQZUXPy-m3rA#zBB(pM>hQ`Ru|2BCcENPvsK0cMsDUEMq$+zQf*|!sufn zs)$K?3%fR)ROP^y<>45S!A0`c>O*0nMpYV=sOgb7A@#9)2Y)-8wMJG?YT2g5KU0iT z9C%XI9qrUIbQ+bJ@Rv2uXx&TOrzm+fLNR{K!%eg@D4;cojgf9WNp>jqZ)XUnEvv7u z%Z$8cq%J$K+d8`89ZQ#)vB^fU7Gq=Eoa#ounIYfR@xIA^O;c5GT$9^tKVgeUAQ-CO zAQk$^EiU7XNy-ns9gXQRH@+*)Pmj6~{A{Nr%8u>U{iaqoHN|?e=v+WgOu{8a#bj& z{8Y~)elGF3=dXipK2+JfF)4r22S@xAvnatRd0>xYwBbDiUj<&e%{z0deKU|tV)k7% zK;Jfu>E`esT(WhFC5aPKHJU zCGlgM8xJO2Sie2O#z;1~-__v2PvvD*;Zr>;GUZy*axWIXJ)8J<-O1DM6LzZGi^lW^ zMMosHUD%k03oaiuQL&Q94ec?KW#AldhQ{o?lVeu( zQDrm*e<42W+#xyn%#&)-S?l_8oO|CUTwDJq(}roqJeu-Cz4?c8j8YNcD9j2I_@1Ik{x)DZ$6>Xtn^K36MDT}|CD#&&XErn`9SfO zaa&{4vXKHzqq?HOlYZlpitPg)sl1^2?RK$0E8V$)cyrl3F(CjO{JfTrrk}^HX*iK{ zpy)B)v~{BThx1JZx}Gw{6k12oNc;@+BFJ7ICt+8Ka4HD2*rhYdYW?fe-1xD@?6Ur_ z6Pbz2$Ll7zqal6udaE_RE2g|~t-+t?ZKpwe$1s%gpoBW4IWS{{*xehYpTBqBhIq_Tad7%IQJj-=XTNjyl zKEXWo`OpcPuKKXn7j-ME@Q$l*>h~X*ac~^{w)j82TPNEJImxo3z_asyxBqlK3nbGN z?HZ3|X5TN?z8ST6aDT?Tv+K(1w1RW}MXY{Qm*FQO-s~J4`8&=iFY{N7kf!9klEDA^ z!k*{34Vx1=*h!W-V}8Zpe;?P~9e%S#K_R)l|3w%76#V1zN%()B__eMVI!b~iP?P67 z&F1~@K6_6op)yx;$LPdhL*M>6KjZJJq5S*boht8(D2{vf2or~Wzb^Is-_KbdUHL*9 z(J+GR#d0Cq}l}TiZjQsF_0)AVuMPGH~jp6DybqX_T_xTx- zkwq30Zwtg&i2*|HOaE^kL7smnH5ijT-RoDL_wg@Vv+DW(yZzsO`D1!s@>HhJjgNM)r2ZwSx!HLj!Bz28K%{=1nlkp6+ zqCc!APLEpZdy8tLA6(-nd_VK<$2SsSt5a1>vuDzRQg5!esC&w3#qxCqDXqwD8xb=gk6zUdO*#(gI7=HPwWsSa;4$y}19J_)kf z;a{|f{b4je8mxZ zc#ysNw!?gVxyj?s8a2Y@z8luB&F-cl(f$!5+_gmLN!sn+A2$Yn<}P0?A8iMu$1y(2 z6NbDkV2en0TDV&l{E~8@ShMEH{90@F_ecFnj>dD~;!6 z2_ednh+FeT>+pJc z-pT1@n&*B`=DX-w&+*+NDo@0s!fC^QM`jkSHzWOoU}$Qh%+Z%?oZ(g(8pL!9O!%;?v zu3L(lWz+DiXe&yvqdQbgi6{iwDT9iY^WlX$4_-`=55$(G{C$CZ)yitViTs;qBCACY z#Fmy}JgY%Kb_EuWFJY`q5nB(e`G!5Cs`dfR-lC^S(bJ+fZ3b)3}(C zOYT6TX#TQer0_x4=70Ah0py9*Nt-6y)w&_Kl;=KHTtVxtWDZ@zO^uLfNZvC<)(k)gQ zqDdTStX|ltD>6Olk4=`Yig#B+UZWB_nDq<&JjBLd^9fOR4^1#YG&^zu;-Q?8VF%$3 zq@X8@_|~T=BJf3vASdloyZrItMn{P7VTHsM2{~3<>VMfilY;py zVMh!=fVkl@XllwBt%4I@&_^;WpbsE8Rzhdt*7!aHx9x%U*-2SJ*8oob-LJT?!a7y zg)EZPujVw^;01|3@m@YC_C1JO!mbw8aAwIv)#<{>$ljF@s%MUhqt8(25PuLhAY!V3 zw?~!_deWKb*zz0rlia1DXOiXysPk&rZiWMR8K%#mq9Z@p1%T|$IeP+Z@u>~d9Mh%(DvDv_5ZLyX%7 zB6qCQJO~*Hv-QK3Jf;I63bFxxsbug*HH0IIBi;3wnvX~vIaI7kn~oN9-2<^G7emNpZ9bL|iPwTa6?@d4p2!=1kS8<`yIvk@wuV@(EsQAT;do)lKCr9B za6}KM7d{Vr-6&V@dWqAxfl}hU@f`q0Y8x9F+jQ@^oo-7+0qyjo*Ao|vf zV-Kot*#M*aOs(}hcYLm{?$tX4N)HurrQk{tyh z%6PCjeqxCcM2gFD+WZ3u?heSDrN;@IyHEUU1YulR?z2v+umuE0j-4y-B|4G!B1coD z_(=;~izvjg+*LY9DI69?+=n(=?C#ODF%pCxqKg@BtbdJQCd}O99i9yrZR#1NGGWm!u_m7TE60lC@d?*%Gh7us=f=^p*y@^ zmuXh-VFe+3vp1$s;lf$S6EAmS7%EP%T8p(XZR}kF1459gu5g{{Q7vJJZo7wHVXZ0R zLdvDgfR#yoOiM>(0kFY{JJr2bgyak99l6(9Dlo?&=e>zyq9N(BU$jKA&7i1;j56qX-X5(k^%anPWZeKM%Jxjic|+u_^G8`tkSCaQ2C+LP z7-F3lFB1xpb96ygEX%=sx|r()Nb^QCyY2CswH**6L2$E+a`a$9kX<<8MY8YS@jM7U zmITwTup}}euPMtPyXKvouYzn@nJobX7s_}&WD)X}SIe~`E`x7;AvUY%c(KMBDT{16 z5iTEv%5HjqHU@Ef8_nGlWP zEL|-o-~9q2sRb5<_Klt9BFL6GE34C4W2zX2yL;V*^7>*4kge(@G4Rf`_mC&H_^GsK z5pxlpm3AugHF26ET;PtF83Xr!#0!{g3xDK13AdX&Jw%-J+5$-%F(c@NAyT0}1Z?=^ zv8S19#cm+GfRYe-_Gmo~5_pwFs9?v3+94zXHj_LW1OeyIx~qj{%|##u@k0UI3P!5l zL0&ScNg@ozFM&KkUhG8*Q{D-&4~=fYkq%5}$Qne|ydq(tNj-?AY6vJ-ovcDZq#3`| z_b$`b8M21wGV9u1=IfD#`R*RKp_kTCkl25ur`D$H%_L+STH=!tbUk$iWP&h>oC5AB zW4ee7F^FTi-03?9Ji;NW*X8g*pGctEK?r-mckif2+|+K!W}?W0qq4Ye704Ykpyngq0Go_3Mx=`YM2*GCF3ko-5fG$5_Mu>8 ztnoIiv1xkJ$XBJ$1Qt<{v2T|Mo7F*DP%4M75snL$Ku+uvres&C;|)=qwcGT@-Q?QQNLNeqedAQVUzbL(=5gW$=sf~g#vi60=2 z?*}rbd2FK}Bub;`x?S#=vWD!m@G(U{QcV$A!7H(CYL?a|kZqXaO$sWj#UN}kb)J0s z9UbPOoA=@xyS!j2T++n37`S{HM$gB5xX=2IJz$Gdw1jlMDJ|0B2-Chbn4tvoh`!WUF~Q?Ki4)QXyNFP;6D`FNPHY)I3&& zLz~zr>G_P1i8sxVw@7ms5iD34Q!~ngq8|#wwGIckkEhuh5Y&>DTL0!nKqN#VnpICX zH~(7zQHT-oz0BHrBBJM&qHd6LXQD6=L0w7`;Y^@(Af_%_^04s)46z1!Sr?3EIHPxL za-Tm2jem1Ob*O=kDd4z3dR970Lei{?{UJO7*gJ|i3Tr@HZWvpJy99GVfwbLQmV7kUFUW(`OXX~veTt$SG03i;G96u{p86Z4LfvVO*P=a!bypN| z`)(#MLViR>#oIep*}0__q9dh;rTSZYaXrMhaEcB`4gCYDsaZGs-0;gr?3tppIaE{BCU6k>8_2k7gS&Q2?YE1qu=Ic@o0RPS2-X$I z;8aVN5FkvGJ3rLt)lsksS#&lyaG#8qOGDCSBjO69#lpc5#=EZ))v&3wfjE`0rADNP zGzdU)D7=@l<-97azUbWW(7`Vs;z2j;9j`1hpTHw~9n0pCBH@}m$XhnZO~2UdeF-9= zS2aO1T**$zVP9Crs`z6!HfHL`Zul-B$``4wcd?i<_MKrAB;jLPPn^0JzY@av{A;>oOb09|ZMvrRTgPo- z$QlJX36~mtU=1VnBMF<-Ezckeadi3MvRG+XNWNF@bj^qsfdgxU6g?n$*tJF(xo+%? z^~v+-D}i+Bm^u~yh4RvaSdOX5!~+9)Ld!?xgUt9{fA6Sr3S{5r&Yt9{0VJegUM-B_p>znXn}2it@Dv`M%3q#(j%;uMHLebbUqZg0=+JIvxm1_9ZJ-db z`%$<>`APX0tc+>Vto*FLp$KBVg;|?gZNec*>_780TaS&NgtW|-<+_cng4Hmy6;}n= z9{c%gnbHSs@>y+lw-rwq@83h)zkByQp*ymlchQ>N@m}!|ddL5{e|4FA`>jCRX5}f$ z4si9^HSmY|H^!Z0!Hwf^Z0~i{R#eNRThM&<=UrQ$n(BC8pQET<7Hwra@3PfB51#et z>t$q5wC-hchF>Dwkq1$=eDcPzgfsG%M!z(4J)PEU)||hUAII`|7rUa&6}#Tv7kaI? z73uy?S-xA>@j{4fx+x0fyNnfnnQd(2S~JSrr<9Ua_Y3vB+*f~6!X{?x(FX?))tuJ} zdMlPGZJa7yY3g5$fA?>R)$V}oTg6+YZa&P~7La|z-;Nq&cFwp?=A8m5#6h;p<-1iS z_YAtcng7Sxh&!IyZnIc3?*9Jw&tDuAw_%2@aqW4jwC=W#62sAHc>2dR#7{KaC*^rK zwbHF?>i$j*!BOsZiCc%z%Bv$qvqlguv+|ZmX|EVBOk)U6f(8EcW-IEdEDp;WL?^2pSbx3IaJV3c+*aNjoS7=`62 zUHB!cXxuvZYOVg1>~wPNB7OC7tFUSB^z}Su01^plq~|-f{d+;;bLaIv-9?G5)h5kc z*@{^1*+jl41Y`&>S+=a4v-#Aa&r<;|1U&aLp`jDsoORFvD6 zB%{x@?0sS1_u-oMl=hq|$-MO8e?WOdWq3@U@b%NnUvISIi`To5?LyBxOLv$kIPhj@ z>k5O7HeJ&b4dGlgjsH9m!V|r`VLanvXl?pkOzo>R;6!`O08hiSh6)*Eb`)KE&S;2d zhn|;Z>Q+BVdW}oi<_oTI-|Ge>r!!h7UTaKObFc5b^Z6cA#kTKMXlUKEob|(rp-NyD zhG*OBcIa2OC}dBVA&vYp_x|s>jgY1OimxhDE9j;;Qb2v{jN_Ol@=r?{YN?* zoED%~Px{p=oqHx1Le|nG%Upee>;hgNNo7y93KM=_fSS;{@JW+>w1rSgksZ;uSC)EV z;?b!7%w6M$!1@>-CULe5+x2zr(E}=dipT%Mv|+VK>LUrKzi0gYg*$-t2^3>vpYan1 zMSw)^qw`pwDHPtV%%*1@!$i+cctJ1{=^Sg92v$O}u6X+N%w!bLK(OY`_!OcQnIsxP z0snYpC$M~VtMZ<5KJH}x6!}flC+a0Lu$Oan0Sel1#nqkmv3CJHs+3cudKjlxju`Yt z&7A!pFs8A0H%)4FG&NLS3 z;%lgJa{;0pm#c55KF(Rd;ZM4rw|uv}_!}nYqd&>eL@mugr|bI}1X-~ISo;&CwA2m5 ziMNz^H!dkFANrH<<&0aldk8h_KiyVGkf20-oJ;uBnY@1(-}E2WlNJqbJ+%utiOOYr zcDDF8&Bv8u3RSI>E3*KK*R6_Z>JA~r>Yw7y6sGs-Jug%2tf?v3O^emjqk(^XB>YAK z)rk#fE~#|?gFo33&|*E$#a_5ufAZ$I`Qq2V@O-Q(@Uc%sRWpa5$X-X|sv18{5WBL- zg}gT|b{c$_*ZIl>nCi4IpNB{4JmtxoPw994fJ|-RTQRH%YP$-GB%Z$H(})!*z?Gj3 zExB)SC>3QA80~ZK1bDA%+F(Mm?3i8PsRNQT7iAGZz!UMDXPtfeAGA3=HnXi=g1uUU z(v@s>Rrvy3rDgw%;g(?Yg;-$B>hKoFvZn3dumjrY^@P#Umo^JA12nP7zDR=n0+@~V zG3$=RD=y&4I$zUP$MOCJ$fWD}u@3|9Fs~Nis2bmUd&qKkE#&ni(?*Z+(FMHzq>2;S z1B?#-roEzG?aaw19fhhl5V%#*0cycCADvOO_P4}i51OjjpJ@=Peu?vG!jxdye1cN0 zr>}gF{*T@#5l-ZRs9L3+-g2}RHx~0iR36ZXhTpEFn50&Y8JNu2-OabaW4dw*EWeV> zl;~dxWJE8;CRUB%*P@70#enK zvB`HcDt2ql)8W$X3T#YCW_DWjUht1S-=`K+VxnH}1d1~|1w=3;s+2>gYXLGJ`p+%A z0S2HWJaodSqp7C2I}Gf3lozX1HyrcJH0W6s0q_y;97wAvQ`N@ZP2)2SX6LIRz$;2+ zv3a@e9(>gV)Sh&y;<7OlB-d5t-?X>BDaDaefHH8ADYlB9{Gk6qLiO{YG6Z0W_BHRx z9yzrDsARi=+#o+*y%4chbRu`AT19t9*J*s>o&ag^FVq*@1{aK*gH> zsCX1uWvN)o^zCu9i_<1R+I@*Y22W~SxyV>z@nfRGEbj{=oXNIW4++$_w4_TUtS<_$B2(M+dD@2H z7|xR3WyLKC`zGc&mMRAnnREV|{JUc-5;+t>iWQnY$Wd^R<+T+W^0aHK^_svzPW}OW zk*yLg#<~#`z3V~O%m+R;SBL?p#VQ#(wNs8}6R)HR{O9?VRsp0C><8s<2QFw|i|&Yk zZ!@pqvg>2wbiV8IZ>xYVy_)05SV(kJcO%3zJ98nCU6Z)~D%!WPb;`N-c7Y+83sJ1~ zk<_lJI}13t1CB8G=K`d*Z0)d@xw}SE&9{Z8zBr)}eBI=m#=TETPGh3Q;+2l;`Po?{ z2++e;O&Q;fE`pNbw$_XsRlN) zFjzp+17PLx7YU5lcid4D|Bc}kc<4K};djMx-JRb&3Gi2=W51`qH?j!(mOHf#xhv{# zTl3Sb0|e$I^Emy4_Tl$knqS&@|(gqsi_E-QBD;=CNtUDqW;9welL)R)Sz~}|r9(K_$Shs*U93`YbTAGhqz>{H;=h>wT z$pIx62@_DS+U0B%5>IqgnBBkrSiI#0cA}uYEzVZ3!!X7xm;Hl~Q0AKr~NF zttcrgBV>^{gG3K^cfxQOZK_zaAIIHl5Y2s#L#e5k0w~!Q3XoLv@K`gLC9N?3m|DdQo98w;xj-SXZ;Pn4$)-*2jclFfP127#SxlVR8Cp&L{uvWHgZQ}sL8=wR}qVk`Pz zR&+ROapOsRKOeGv=j~YMzIX$_su9-uyYObNa^0sqA8kwZg8XYg-U{$rD|T22 zKzKkhU?5&LZ5NHCo=n|Rvtb4V4#s^y{UpQ5YVO^tP6oWCqjGq%5){ewUW;J0abqHCGX39&4)@fnTIZZn*2BRzeV0S6{pfr z1)fG~yj0)>Xs$en-ZV!qEc*vzbgc;+xY=_OPbX6s)la!}=_yNg=RLIv8qE}S&PcWT+MGSsBf$)C=_yzds|8+$Yvct`!_4e~kW5R-FMs#@ zJ!acgp^3v?RpEN^Nn24dA6s~{k)tAcfuj=P9J{^VQfSUkfYZ78msPY>K$Rq5@eps} z!m%1(o#fXxb28e%S4#1u=dgAZ*!LS=F@r=mRFUQ2^I|`jQ@{eDziy^pc>8eV5J0ZH zShZ_IRAYY#DKEa@lW_vj_c2&0MtLJ1Or39w<}C&MWm2~yU2RST1-7ia2Bgo<9i0F_ z+-J^1%Y=c~tqF{xZ|rN7Zj>W|ax)}?Er1R2Oz^QKTTwdByC;A@eXhmhaj$O~D{so% zRcMaw0dFzV!eK)qvT!G zH_;P1{9W<#gc3V8Q%^p)TDcx_P^%!k&HJX!47O?r=ZL#c~w%*)N{Q zQXS5cx#uv^KZo9Gn&s@L{qr+gO^!xF1h)7G1)QL1ll%hxWO2d)+9XYIi;VVi-WDu2 z5!z{j8)W%?04l=%B!(L*rsjI{S3~dD9o&XG0FvdixyxDN9ytuesn2yfW`D6}%9?Ds z|HSE&?C}dqE|KokrtRr}{|BLGY0%DVVrUg6W52pn%^ ziHo(K<{-B}L|dNK1MJ`T75f43*F~RKOG~-_z;Jd?Gk@&c$V-wsoXsf0qTiMjneilf z&e=R)e}A-?Vo*#ud#wz3v^oFt-J%%Ye~lfk?*rp)Eq)|@^;w1)h4@W9A3M>)on(Ly(?;e3KlF zJEQ?=)`}?Vm`rj%FL(pM!>=8l?ASUdMKG)9Gq$I4Z?R_lcVEfZ)9bvbhv@paULNJW zSs7q~S=#gd_?g!x1|q3u6^@>51)^yrtGT%OA+tB4s57Ut)w>>9eq*E4%;XW}7wiE= ziOU7YL$aMGi63uTMW3ixK3_hH zy2*==r6tXWmQNI)o ze!-3G{8m1~*)mLY;HF!X^Ify||F(i}N)kq$*ZlD*o%8wSzw^Q!Iy0fg2o(G-{BHkM za~>}`!T6Q;N3iFVwCDZ4<#tGZ8sqg+{Qf=vr8qx7F=O4vY%?wJ(h9$PWnFvtaPc1t ze4_AwIl#|)DS1m9?OWztnlJ7#GN;J+h1l{U|J=A%!FMY7njI+`(da&H4QWrzEQ-VG z7YOc~pD}*fRh*$^kQL;k15{!W26_IsiDq{y7OhQsgP$*9ygr(g={I*Gsxd`#ljC0! zF`C|GTi#rbXnz7o<7~wL1l3wPP#?l*x`lt!>l@vV*JhEw^QtXiDE-JInr0=tK^XkJ-Z;xbJqjKAnH`D}jq{w=Z<_dX7Z#Q?=L+|flElga0BonN_aBoI?1 z4;`tt8&(k)A7?0U(|HxvVgaO?Ui01hHc=c+g~|J zexqK37jFNv^KV>`!@j0>}*>Lm|}~ zf=4m&4VhRsVIZVB87Wc#zQUrJJv9NWk-$r0{58m`mow-?y%1XxygIL9@2Dm+pkZRX zWbA{GZHdm+&djpBwaM>81dJ=^i*z|Vy!moBqD=<|4e#NLr~fOCm}~%$SwC_Dg1Q`t z1_M+lF_Feor>$2);qh z7py1Ed#5YzBMgY(+aF&I)ig)|)ttwAp1&;iiw2t6IDmg0#lfR!Fq%#ie1nlM6a$Se zA9ac>U{5q(8DmBxe0-6=hCR)-Yj}$h1n8L5iJf$;NG1m%X*u{lXY$68gk*#q3}sdC zg!l#s60xT_b$K4}7aYoi3=F-kun^p9MND^O+0olNwK^e3Xi{87Ae1z17aYp$05t{N z1y^OHt1=*zx49OJ-*2TILW#W>4EQ_PnAU zIcGu7AT2XuXh57!bE}-I5hDb$gs<*_NaVcHJCLiK_GbQy2)f1!vFM3%!SiAGs=cy+ zl-dL8Q%JadCss6@XoV;Yz*;A;ML1LM$C1xq*<+&XtU2Y}N6$0hs0i6d2anGCwaa9Srt>~uUYTcpv^u+bt{Or- z&QMv3$1>2%jAV%I86w6lj1a+k4G>z!Dz6ix=GT#B*3zwWFrwwli(|7WpO4T=3llt$ znJt0Zk}!ds{5_dXf71hmY3_B0x!`vjH7l;SA%Af&MD@Mc5$>nEv>{&iAgx=A(g9n7 z6@lyPsznl~c&ljkN17f^5?OOyUAghH5v~%DCoX^|qNZSumrFLZ*vp~Awoy}GmM3_Q z&3 z;e#hLZ>ezZdshTYQ1q#>Vk~7LW`sSUJk|9c0st)AeJiyn=aCry(4Q1xDdeY(n80x8 zWZm}CgaU-3pcj)`Nr?GN3Dh!i5fD5g_-)Jfq(Y(bzb_zU030yD<@lMCq>)`pnW!au z)#Tq75DfqgcVYBJF(iW6)uiO)Q4ezmLAnPr`}RU4W>*vL0<{%ks)hD)kg989xgr&} zBv27v_QPmxfiy5pm3#JpZEIUOr)6`tOu+XgnYJP)E3t@X8~_UuQ?fqtE!}e_UYI7v zoSP$aeKtTo@9sCT#%t@5lJL!W7rTN644FTXKR1ehX~a`-lMQy0Wk@0dkj+jIp&^wB zu(qPcRN^m?>;l$a1y}w8;X|GLOl9rB4KFVkHfuMboam22L>=1b4BsbR2p?YKD|2(U z-C?8(+#&Rde$|{*?pa8oX`oesP<|g_WDY-(F=V$T!3%&dL^*G9y8I`193tnY1q5!X zN2K7v(!gkGqw59=9LkH4t*@mSO_zs@1Z8~viz%foaUT@E>~{H-&EvsChr)^JFqcD! zwuYIV&QWCCwyoLpUuWx=a$Zlgp`|7P9YZLkfM~v1eiG9H`f`wD)s#zW4a-y$mPHOP zxueDTine6Y=$SqsTF+eg6j2N}?1}L;*l#eR6+pOfSNBfccP~YVDp(>o&5`LCA13G2}`P zRT>oMXB(#Hrf2ThsQM`&3>nAVFKol3VxYwLcULwDziO^f_wa?=M;rdjjfotjzr zwSt!-Mb(LCftH$omwwEcP5sUM0h%YWtt{JeO39mZkRWJF8eY+!D8uSp`QYoXm-6ka z;uG<#bL9xLP5Dtan04Y$I=c9)6z%CXGh%n#tLC8j;>PA~~nqWbE`lNj~K^;=io$d&UEbmu^06?7m`%D8IsMjKtoHJd1c+#bY zf@GM^g$X5Yx{K%x4x#O-d$NEzN5!Ux(^9~0QE$|qgX>g)%7)iBt z&`a$b$4wzsogh19SB|eGQrrXzA078iuuyqv-Rsm8S&g&;u=b)J(BxH}P;-hFGU^Dc zA1EjUDbLwUfwQ{HZ#>DF&UG()y?)N+pfAm1iY@&wUe5RHl7u&}`4m;p=1ZE)>=mTX zR!I}2b(^1(87y;)AEo6tW9PT@tX~6)>b)#kP+j@^zY9#Ce|-@A8pjG5=yehCUN!Oe zh1pAzv-{_JYiAoa(WMFD)8Kq>NT+y)xd7yg=+C=1WT<0X zWcDMB!{zUS(?||e1%^jZ=NJ%E;IPO3z96u13|Qvj*k6h@?~i9m&mzW|Kc3zNJ)aFq zmxuMrZFf<+MCSeXkv~9}ya>2otDb>ibpa&AvOrM&MXT;@ez_S4YmgWH~lf9>*IY`6FN{ z0Kyp97!IlZ1YuOJlvmgy`@EF1O}9OSN|7iC(B@987`W+$)QgnmQD0fR48PxL_I}c5 zb=u9Vr6xtt6P9g7om=`bY1Y=x;ylo+FwQDW5Yj91{<35EQw$OF{S{E`?*aA-$=;r@ zMVUAcUV+%#69Y=A?)#8k+PWsq6QdTeZoQ$zmEgWPa^PV3nw8=KH5q`0Zl_%Ze~K3f zvJ7=Y0R~bgv8+wH;j!8rS_Md2%jWgrBETmhhRSHeD=Zy3&SO?gcZ#cQLxzc)AWrRha;>&%zUBsxF8{A5dX`$S9!~kr5+OkU5&6#TVC6X4HSi%e=>z6WeQGdr-^u zQ+FSMh#j4rL>KZcMM}`{stqopW(vO{cKLw0C#`s=TBxVOn-vZ0?Lv;tRVy4n+oN%O2R^sRNL&fg*8wwkN2Tb*NH}7*!XfkkRi5k~1)@=b@$RwI6n0ns zfnZ47?!bs-dhj|9kV-p3PNKPtigwsJpE1TKuOW5I0GY{Rlw6ILhm;IlPjln7D6nEb z+a=0%qyY=@2*-0J$z#oI$P*syaM!+nkc(JCqmk~o-{)MV{*0n|BL-FT7$cTmkj~nb z<+iHm0mRacr7pWz)|aU0(uEkhC%A}vTo^%^aL>;SwkJi~Xd>pvfyAg_MaURe2y!?{ zc6Kd&iX<_h2k?m_C@h2gC}OqnBpBjGzW)wlMczheiHY!hCqkFZK%<-s^AZ;U{jNwj?@2S7^%Qh;&dvn;+<~$UbfBDIs1Cj9!a?%X?18-#aAOHf zgt!LM#~}Hcmg&f~7GUTVvInILVWNHVHy||}-LdUcpBS%%<@(8LTH+!(aM#jz`}R%< zDMRzM3Vu@-JVO0b=?CAJ!W>6B2B@}mj?uLc^%umapj02_Dus;rP6F>nr^9MTpaeZM z_6lYJJX}QGM&5Ws4*Is=QixOn@f%pi29LH1gzv=ifPIQP&&TE=2Wq)kF=P2Ygz5x9 zg=KbIu)yZ4AhZ$#)HnE+oCZ6Cs3lehIr~^&mXhlZ`uqL<8`SmLi1AVZ&Dr>4sRkF+ zzv{8x#ZwA?R{ur3>pI%p+lrrX?M&QZ%}9~;AtMSbNJ8MOElURh8bU$z}rlyw|oSaG7WjG4Pk2C3ExG)~30xt6i= z0b&Gb+0-yJ4Ku+f$(+FKlPA9wRJfj>Tf@n`zttxKccw(rRO?bdy#e z+j8md{4W0;o>tVcuAWS!|2<3{8%rzo%W0iBKRk-{Ea1yvYMTWI4Ny7)V17%P+zm5OcazKDF;U>C8iy!g> zAFJ*;4+y6OEB)eHnq}MWajOlVmogK${xceZ#9u*Y`|x|yDa@08T4TZq~Kv0 zq4V`o6a)$Z8M)+!weK}XCeitv=-2nL(Z^bT?VNv;iNup(^KAV2v6%vwU?C~)#g-3n zMHG*Lt9~J0$T&|958ff!yw$AbILtr%pb1!AF84}jNhBtEYJGJ1d=>i%sMrPZJEWF+ z2Q>r{HbS$6mx0w0NSj#JdX{@`#`S%@GoFUXPI_~Mku8K0>-9u)-F_tE9Y@QE-5~)D z6KsEgg*eq3(kq2Jp7|zwzVt@}=|7D1vZHBU+&c1U4C1VbII`{54phX8K1x8=1Ktf) zfufsOcG}*M`Ut@`M7Oj=&F z%M5w*r*=-pvG0%`n|w5#Z*~oU*^SMOuFk}xVk#?^&1c)4eMz=`WegF@Dm=JcD8T6) zqh=|G_p6bR4T33~mHj>pViR{UBE`2O3eB@1FK?6bnLLMJi(p3Gn>~O;yTeqa%8ijN zcu@%XYFkutJCPT-YrL_P{b{b8015!DP4qdRu^M7CsT-f6#gJGJY}Q$~%U32L!bb^S z8n+aK5%oHNQnso;>PGInf0#)nix#--2-&_&t z2Qet1`3WIhMY$J>If@mLk>cUrE2V8yYeHW0*+ z8BZU3ZSFzejO+|8gFWPJ^dXEToV)xxFi8i#f-9j*fJWm+4f3w>Mr8;z#+JdEMFrDx z$Zr=nZxG34{)Y6x4pfvK4#$C*oN3NWN=ouHlGQtce*7_FJ`kMZE&(uOcvQ%U>}Tx; zCMgP(__4N^6Ah$Eh$lEH_AE0J;-)8rq7APWB1=t)S%Js-k!{F_uOA2(B}2@PlQo9W z3(=`Y~0;MNmSeQ{pH{ryyMhrKp62ba#k! zdsL7(gpz`Qf|LjdNT*1Ow8WtWk?!tqZItJEIErJuyYc zO&{{hl>5*B#^FY^`s~)C6~_H;&?8J!L~nXP?NP)5$K+ASm$N{3l!!B(lPZVx3@98e zg4@}Hi#YKCPelJofd2a9GrEGIzB8wNySjG6?6b$Hh=Lv45XbCFc_7=><@4X)?isaOCJmw>jsMhmJ>KHHPq~w&$9UGMqrLdW$B~GyjYe-&)wM z8g-uio5y#Q#M$|a?f9TF8+)$wFScQO#dU0T;HWSQ0IL3eu>_zMe_Hkz**1$k{Y#F! zM43?U<{z*oaOk@=rAu3XiK0N1kyEhrmpCnl#gQaW`!Du0Nyscy>@QRF9o3zRmO5Ja zOzc|zq3Y2&SKY5jbLyZ53hb|e8jQ2D8?|k}MH~S-?8j09U-U3nVpTm5R$8mObXg>fj8=mJGj&8kX-Mt{9WVB+*LZOaj*m9 z4=(5X=bDt#71pEu33va_i`>UYW3CUyTj@%3N2cFKzJBg+Fa4X`CztQ;wzqN|wKBl# zEH&bmm#;+}O#`J!&car4`B9edf#FE;UeVfL!i|?j9&2K2f6GFy;wIRBQaPH)$dc@w zZdZyULVb|nN!+a;I1+X%@rFOm0XG)?F(?48B{y5FO9-)l5YZo#s9gR1alIZ?M|>SP z-_*4HF^9i6FMT&t&YX=4M~gvigv0GVU?7f42ke4PikA%&{+JB_0o2Hvq}!{}SE(F!WENd2&KjXz{p}lev}IUF4Qrfdbf5)`zROrB0H(bA`Ijq4o@UUWwm9yB{$!v~eZpqt$7S-4DV10QpnU68)0kr zbc{xnT(=sxN?!M)WRk(jzGyg~v`P0C(lc-EP5j~ITSFn%dmgjBd(MM-*|>-N48T}0 z+W84wPchrI%sre23dD14Ln{MYy9b84me60;dS=*Mocu6O81&a=ZthE$|NU9u*U!Sj zFb-KmD`Pto7#9~O_)!7Iao732A&f)yj-DCF7{NFc?e*;Tf041&H3t8oVrl?A&BM(D zad8V=!sd{%vNL>e-`Yag&Jbqzz#cq$&Dz5Hf#Q8#eM2xhLV4oOoBFgo}b8vZ&+ z5*rx8L`AWGP1ou8bU#k8rcw;2OFi5BH?lGlDWsAgDYA^_<$c0++*RhoGpADc^V!G8 zHJ%iz*klOCyCujCe>q0;2!?;$`I?;8$9d`LdCaSAmtm7-UfnVG4n zrYn;jTi08WNMu_Z!I=F!&EnNmxJrqy*vO}KvpBz=~gFzxj8bW0%z`;`uHgS-1ArLi`#|pYvEunsRznuugBDeiN_!7o9F>GTG!DCG(Zs&BBCTp@`dtL>W9xiI=dg^>WsQ9ek;h z+nxgonUz;T{Z>2ybGdAN-6wa7%+qQz^2?2)$XpZZXSv;36IpNB-q&x~|jl6yI!os2JE;|ty1 zEPEB8Jjbs&!~)3*83AL)8B!h*WNSx%2YJ5o2UjqzAJ=_ItKsmD?Il%~&c`2tO|!dqPHAWL&rYT<*6J`Bafd65MYopiwknYF zWx8Y}*qXEsb`=-9PjNRUW=6*j2yCNAPfWxQ``n6b?9O(PS!(-{n6?}I@dI-C*xRsu z*MT_Csmn_{J9*DZONL2NURtjzMog*%J1&CP|B2)@S#gm35;_f^S}EcE_5H*QHd=MA zZu{aG3;UXbqp-SKlNEAJd+cfW*r$l?YjG;?F58xJN8V9wS$3+O_rA;5c0OD;_bYRB zYyK2&Vw1a_zH4>fvb_~cOyWXSCxxh4y50=2C~IK10TO|YvF`KJo24+~ArZASo+ZO7 z3%c9Eglm{=7a4~eRZ|gHjr6ZyrOgZKPYBNXOf$6vR-W}#9Ml<5Aq^kyd2jk0x=fu0WX;WYtH0W^!g0fsNgpZ#C!hj4wW{ zx{?Jqlxik1t2Mh+e@rzQc|G6Wf}{7+$$=C<$*)t;vF6}Fd?ENk4!Mnogs|h~-Fwm| z2x-HrQHDg7Z+j6VaidrPZL?dS6?(F+O!lkL^a38gvcd2(|CE(O?s|ii_ByYAS9s+P z`!MxcPqI?czEbyjqv!r{1FD->%9p1+_o9d0Sx@DV-wMjNuy%gXO|s+3lkS#h`~9t5 zb5rM;Ybqk4GubYRTRze!=R{kVozz_$#)}`_Wp#@`&gsCL;H3EZV)Q0y*C(y&Om7QU zZPxd!$PWo=BZUgK;Ti5$8W~(UF@QI+I_8h3b(w7C2FvmijbwH6$MT!a%~At z{z1f4{V~xhVY4OjMd{|+wVhnEtUVPfxY1duynmFSZ4hQ9lN z$x7hpknO%rV3N}~7pOKH#@n|u-3C8pcKT(syxL86)%O-#?Hby?hf#aQpr1|rs|iI3q{ML zzq|kK+CtjvVn-4&ET6?8lFanbP#?CFh0Mm>4i@CXhVdmS!&}6?3`Gqx&4C}yeWJoe zgqA*4TsL+2mO_-3Yvy>iZey?pzG;Iu!*|7vxcc{ysv#U zP`Noly80s=PDtO=NkpAdr1M>q$WMaJ#3jl6PIE?#ki%?Gp?&{Qh-!Xbt+tTkEQN+~ zcxUB~`KKSry$%j5HFJIL#rf9k8IPi=2jx$vIM&)GUNq=SeNbDW#9mq~q~3`e%SbR7 zek$jV7sJ$Msv-9cm4#5BP4)i4Bqej+ybpQyb`F6Jmp{;PT(sPD5E(4rt1xf;F|$J| zy1ZgPXQ8erDm2jJ#XbAMtjI6P+3Yzx8Gg^mTT$ zi^(}ST4`&3NfQ>di~wPawNIw^)X$f8Id7V=|Uz~>QNl)mh_-$?~Ojk68zc5$B0s;$AE2R9ipC(;k!Dv>nc9@dIkU>@ZG zK%hH2_=GQ?e4XlO(28?Hhfw(AW(czByb(9G>@LYmPe>@8&Mmc{Dhf+v!Stra?J2gs zPbD%yY)O&J?dQ{Akw5x*GBU~;D- z`>KiKG0jAzD^i?^wF0-Zd@pb-_t?V%2I_ zMkJ$Yn(~Vjc~k}5*;4bPok^{fA+0XbOCiN!z1yw%r2*l#eBW7k;3rSru=+f}Qp zk+J-cY+#mEajjikgKpczL=Z7%boq%z1+C2Sb0vJJm>uABLaP`;Qk*bc%{!fu>0fS+ z>!v2l8k(;4)V)mSK2nvWGqCZou|}1p;HDV$rn_5pin;pmR7TsdyCRpq!aJTT-wam* zxAHzC5pwJj>RQ%Zi})G|;ol`f`1xMhT#92nL&`P_aZ(fX!!ksmTSV8)ZxUDZjk zgrR2qqg)Z2BvUk3=no3!H<`tj4FJ&dT3OOOGo9$+iDYLqA8NrwYBUu(9qq4BTQySCTm3c46Xk~JR?F4BwQN|;39o5{d#QOx&uk#Aj zCz>=D%9~nu6YrP&i~=?YBDsy57DpRu{R&$%)*~}k14ri$OrYAiK&?U&v3o_6Nchw# zZwEG!?|S2*yRkD~wu>VZWQp&jra5aCOO~C584}%=cA5Q(m&LAL+(jh&ka*muk$3G`=vGS7k-JXBv>fWwYu1+^$P9E9+P4@?e7-!T zx1qVKmY?MG=;QhwW~R{9=~ag0?*Sr6hZEWnw*Q zGUaQdp|e$&I+e~P+Df0?%IDX6IxDI0ws2W#qAk{DTsap(NtyV-d*E~o>D|aPjSVUp zy#jcRX;Ef|i;jb}8Q}p65bkVm`67D!)d>=y5r+ahz=crngW;%5o`; zUD8RfVaWbeHG#6Ms#7%@i@WNmMa^(W;?48k9m;+s`rUVSX>-U$s&hE}u#!LTQQI)J zypLL)W-4Su@)P7`Iy!EoCFdtQ^?rHn!RoE%;c@%k8IfY%OqM&^2%q~YFBO1iZfMWG zdUC)a_pH`Op6>E$d?7(BMP_CSt>tqeR*d+3*_Gcs*X*q*T=W{=D=!;w6g|~`c*#x0 zbN?O%IM5G=UdtfS&2d$(+Lh$k7PSI$>Fpdl*I*~b&G&mo7pkM5gcj5+F7NA%tkSCj z-gomi*9s)^)5%K`YktIJy_%vbA-&Qbvf~+6>SsQX-7!^>ukTK+O;S$r#b}wx`goDS zPMw6~>)4oTb>q-km^`blL1F?9M`-X+oKlk!A~%$pc9ARMJ5E#tyEggQ6J<9xO|4b& zj#f*`B66el_G0g~o|FLponjpyJI=33wNDwePCE4Wb4`CNXuPSCp;qcK@}qNgwJ{Al zU!0sdSpi#5bw?=w^Z(%s8k8LDiU{KFXz4cG_}`sniPujGZZsssATNNv8&&t za&^fkjjb&*_-;vjGu0PxKzu=;wRfwW1(JsD_I@=+w|CrUZm3)cWmjVg=ge-y_QFLE z8KS|;CQpbveaY_J)8SM!i5YB`1vsq6$IXCOzj>C_Zzzmg7)yg0e_8Gd_EKM~%Xaj&i*qI;C z?5>ecoGzz(D`%?hSo`Bv^suLT@6EMPD(c(X){bL==~Mn|v6}C7>TBwS@r|5b?_Su? zLcPE%Sm{)+72u=2ijWGgS|PRRyuy?$FMSVDr(YFEs{lX&2uAK?#DHMxd+0QDeUCR` z%KKxoCM~6}=cf@ra@o{Rad0Dx%)h5&)~GE7t~h_y+H%N^dK215wsF?95-EO@1-$N9E%ypDkSdgY=lDqT*## zEeE(ZDW7RR)=%5(h3~RiX@7jb-hsECvSoCA@y&Wmhv6pWpsu$ zHl7zywZC`s#+~_8JV~U{z<#SJoDxeGX!!Irg2BBimpFlt!fRP#L+mDbP&Yq_ef8Js zO?lKxLlm<~fnlMz{i+g;Gxf??XR=@U%-UY@uqLJd)Mysavb?u!%IbZFjNjyn-X@w( zaDU459Y+?q%s+})^_OMLr?g|-?94sW>u|@q-eAUQZH&^y8aY9}fC$QaUE3MTKA?onq538{6ZQ_9Y9m68#!|gC9glCZ+|4aZ z)So|@BN3v9$-5_;{-JhcQkrQ4S^XDs#X6YvC)c{ks;X7=oLPlWal_`u$y%4Qo^*?#;Fh zr>wOFie41^mk$MrCO(sCE1`}Ix#8W!Kwc*QEwjLJHj;E4Q9ZMdQDDJJ@Fz$FW;w{xffQr(@NGr) z{2Cliq`QN4=7gJq@&sleHZ zsh({5SrIvD3|7?=7xmZSA8Q{676|IUYHA}C;G3fir%kQP z-%18E%Z0@!1$QJaCN{+C~mgr2pU767gi)Wox`Zidq$#$;m?q^1xOttdFJ+#m=5RW_#UFjN1 zko+vl#F3Y_Q#e|En&DKYvJ3_WeSOqq_F0hzSbg_iFwAT2x|+f@V9=w zkBDa9ER2u$X3S2oYA|0y*ZORPh@YD5E;75Wi9_;EBgeVx{gtl4q>RAuXYwn2rpTg3 z%Mj^f;VjN~_Uj{;F5X{i1Z+Y&$cgMe{ z;q#t_J)}FvOvhcMI%?~dcaxqpiNl8SLPek^Rd283bWca?Kv_->$RK*nO!W5mUp|(d zmL~izb{4Ho=Npi-wvQUOtnFrx8K|tyGIeMVWOEIybtz%msEp0psQ2~;^_5#1Kk4AU zILf8B@H3?xX#|h9Dq?cxO~5nni{oyp@)-*QS!mui(gi<0ud!I!&Db~@BA_gE^m!04 zhP&f;E4gLY^vDdvyJ$1#Sh`~)J{x^C=FauohYSWL40NFj{2gYUkwGFu6}WirI9e_~qbJ?8tChAZ&ue@$nbEbQn3HXzajJ~JjJo)El!(S7A0tO@D&_euP^B_HrM3gLt@}qnM{;0yfOEcf3^#a9z__jYK zcnMhe?}^D(|J;@N>mx+y7orzhuHiPW{50wRdC@>t=iPLGg=CH34gUZ942@UuszMcs zFwZRQEF_o2+F#>?Wdh7*g2$ZTKq6%A{d7?0YJ*Py#Yh-juRK~D6t*_MkLUlhPU5dR z(Y%DcEhN)p!hRZpe+RgG6DGqu5@nvT(Ld)g)`u{A!2(@6`(Mf;{T^D>++ChV?InK0 z0gHZCR!D)$uT;PkS&8P~ZYSJC!^$DY6`p^%W%OoH$n2+j{re$FoH`=}@4|2MHiXk5 z5owuaKwa+5Ue7vwM;zRnAh^*aWwulG5XmsPQ)t=b_AS0qDDqBmL!39^b&x{l$VKDn?0{#&X6Gn(jEExsEpk`-F+Tu+? zMuDELloSYQa21; zxcuKYU^#%}FJ>stwLaS*3(3!# z34$mizlsO8R)T~E)jYi*4sNWo=)y#x$ZHBCEL#3q^>1G>!Z6^z)O#5XwG_{c4XwQc z(h!G)^*(8f-$PMU(NrJ_Zj>h1ut%Z0f(VS5glU3W`iB_;OA`7~NeZPYK^AaY-|wLV z>LpWTmJGR1lcB5<3Se#{|W`ffO=^C*$clDj2Y1}>lQhSoP}KJU1EkztnvNh`c8p=sIYcE)E&?i< z<`^{=Ej0-la!)=uWUbDKL_Eyy*HaERt#1u_qIGf%7-`u_Zcu2=UUsC1FFWl%fu*81V=$n+-cqk z63EH?3nex+j=Q66OS_7^`jnE|sAee@3zCT5ayR!*q}cPL=VLP*u{Yx&gOBf-)-m<%oeAyyawmf})TAJ3L_E z|1t*x2LCHLKsWwZt$=&@pBn`T3hqp4bExN8SRq+*=YR7dcx2~+6X7!Nd?z$llEeCf z%kld8T~xG!`Gy`mWYa1^x&x}J&;DY(ClVugFJG=d+81f>E=H^kxMu#v>LPQD#kS`^ z9bt8W)BVJKOJVBlZI3S=_~1vtA!FCQ{f~#-hdXZ>q3QKn=BH~E zwiS{q8K|Iu3K*v;Fw-*a$Y&^KI+6tZZmO%ogyJ**=g&j_Cfd5p8Tgx7G(l4XAyh!9 zL?r#Zv0(CT8VQ>kU9`M}g9NJU2_b==n9gnhkrQJy*O6lkJ;Jdnp5a9zn6p_>-CE=a z$k}g<#d(5sGl(lGkb#GB$wTp<0mf=hT;mIFDc%IXX+PAUo1P5@J}>y&6xuKR5~F_L zdz%^~!_O-G#<+dhn=H1IYEgs9=ZVUM_KRQy{AQlQoz>o$Xf93nH(Ds3`;`We5L&=O z>j7aT;sM_rYMeDe0C8!d=3E4uI{nc@jQohU)+%!=w2&-}UPEC)g&hQDplTmzOAKv{ z%n()h?V4|P5ENy66G4%SV0R!d(`(N#QK@ObR89zhl1Zj&7DxN zGp2zy03}=QbXR|43Wzy1KDna&4BG-R1agiRAC=9c;P+9ApLPHL%m7IWB0vus-(VCi zU?hcD3Tj+5uG3kChM9{5C8#kM<{KukatmqNJ7yDYiH7xvLQ}~Ub`*LZiWfrCcZRQT ze*P0~gHdSluSDve8@nyoM{nlRvFQW7&n0AQ6WJLC=tC+O^K) z4{C*fiHxod_xo*U8ZKn7w6#4OvyH~U{GOVl%&)E#3d4%!PW-!c5Q*ZCvFJV1M1W%i1xUFANi89Ds zx{ea{Q7FLf@s9XCr70QI6hHUip$X4n!K!-+4RA(9dtrWVHl(pmV+`w8=jnmh<9P#? z=9)vXaNuKGqUrIFSC8l1>!qFWJv9tu@@7vyS43e%2*Q!grX;6b@*0 zS=dXB2V%0xS2~u|t{u*MEHXo$YG$EYm z=3OYK?HBnQ5LCc}v|zQz9HaoRYNw#qfTS;g6#4afXs5`5aoTqh4(PzyW)%L2dP?n5 z=gytoZjQRwCV&-^k@MN}!FgA|2k{d3IP0I&;H?Y~Vu9RpN8W(&rs|MLFao}Yyzfo$&~rU6ozFo8+h z9_hotc?sC<_#3+;Bi3bZz1E&A(Ol<~&Y<##2%W%?ThwjwC6sbj7(c6o`icD* zOXETPMezUhZ+;K3{2*Cu_S{`6o-Jx9Bu};Txq{EXT#(%d9hd!J z>rPW+ooW{rN@0vA1seRH(1d3kuhru4>irzUwpqk+bsCvXPCh00?eGNPC-=?r;%638 zC`4*~b?ti2;UyBUfn?9B;G6g0-tO98#sET13I$?+9s^W9I?q?47?v$mJd)$;fx?01qYl2r67}*z%Eq&s{_63 zbBL)x;pt;g+Tt;(HRnCN=5^@+h*%Zh9ylij{BnX4>d`7klP_LrQB&!K zGZtQIMiTf4<@3kU2%(DqvG3+6-+}2vOFM;!V)XvMd>#@lnG61$Uke@@&E9%#klW%Ev+>*klAAA{dTkM-D`!1b7a zY~v)8$Qy>20)r~DgYIi#BCqVNydM49=mc07ECXLF-`mM_?Vma;JYUhkQ7#;E9NX_0 z{3TY^N4m32HaZ&>r$mEuTD;Vy0R8q~Uql_Kc?xVkByO9IgvzVSmm#*hqeDrTmImNv z7+joEe3(-~IKG7aEC-fDHWoYz%Ah<^di{$d@GqF})blgmFGmX48kGnvw_J;kj^-we z5y!-<3lOIi96my6P~Q{eMh^4DnmkyX+B@9*|>8lx+K{ugO1waW)%O%U>L zP3P!O*i5D-mu*g_4erc3uJu}%uP^D-Y<1^Z_9k&KUM7SEV<_w-;4DgO$O>50aehHn9G>qDW;AW6x*;0&G(6HUYwX*_rq5|Wu9z&+^ z^-Ku}3M=lz`L9>OFPtT{X<^iSLvku)y(;9nx8eqiC0O|n)g1?sU*uW1W620r)+QsH zB-mk|I1(f#D(c$>3eSxquB)5uOYwm+GZn@*vgP0;E zyyC4=+Hm>!?hor-qw8>+jCHVD1C>#upf`?kAzcg$&qN%~Peio%5*$J6E+7M#>4X0? z^kiu3cUdSeTcsKhVIi3$c$@QJk=zN^8$jV*=^yAT`Puy)anTYByJ!O>VmCUvyxWlt@*}+?-jj?XFtyIlOzW zuC5*=G+WS3AN$E^zjQnrLbgiL z>})SJ2jwP$jd3Zs@W>xrNd3>XRY4GcvU-T026nTarM2NCH$N9gD18e`p}LZ40?w!f zr5vQ3euw}se9XtQ+4%l)LNoxi{Tbk?5@6z2szcefY#R>2j68^k_X)a}CbuCg1E z>mz)0XQ{FbDJ5$LzvQF0K{>Ydxf~Cs=x4VbQ@noR202Ce#hc+(df!jbtXDkAwR3dz zoVAVf4;Wd=&2&#sPByO81g+ZQf#`Y)wO`r4EJRLojWV1T1p~WNO49eWokZUcOxKfX zb~Jcty~^Ycl9wR*v$1#krW|)iWaaMjBBSP5_aXSHn$1zrthWYKC)R)zL|wt|@W>{v zRDH8r^dQq%x*>j(s#Tj~Hc~Nk8hJ8TAU@dB@K4-cYm|P?efOYuEv2*~zicI4_4)RC zt=MhVj+%gTV(TAqYuJI0*b7t9n#e+6^;<~7qS3g#^e@!f1DY&dkizuR*;)NPM6AbBYC=5&D2Lx2e@BdGu=eAJPq0hohS@12d05qRg9+MD_Xr zV~Y!-ag=W_o*P`RS+bp~ExroD`pURAvik zyC1_@Qm(a;7W`Ae?mewF=w=L1dSzvAsT{=A891Q_s7(6a5a`Nv+3xBu9E&Z^Tq#>0 z_K(|LPSziEim~s!x3&Cfwye_-)GXd!#8bRXZ=w66hA7atB=chJw+jwI*J{gVOmW!>zgUP&3N7I;_Fvoro5jt#RG^BI9!T3jm#N4W9@Y9omEdy z4}Dh>I2>UZ6e@xUhT)jDKfb)sIKO%U${=uw-~?Ut!#daQ@Svj_eu3VVl4rPutB_z? z;uXn$2146oLu9RQqz|FC&T^2$<77i)h;w_udIz-pJd)`eXm7Wz#A3L9enD`diVz&z zL9ZD~1@y2;T(&+k(u*7rO+Wo6&F6$fDB-C9nFt*zv|I=TdA+@K;PlB!P0Y;vM(dx7 zZGU5`aR&9x#+L%zeuBVdg4!2vb=&mqhvG`;dY5WK5x(T@-1HMf4TuvGM8u~8n8NiP z(KO(}7GiI*y=E(SVydd;Or6B)5j9z42K^ zuapocE;WC-Lq%I;=0m$)Js}1)C@O)C8PP5;Zh-B%+8BD1)#wOQvJkE$1KBU`Y`V*< zz}BIS+~?Y4iNlN30{(AeMdjcePMsq3*`lco)i-X-2{h@-#~K?OpHe=M4s~w1a!O>r z;zS3tvH&_J9gqT2MGkr$*-w!O83&o{Ta*{#zwm3&A-j3e+du=Rw4%D^fj61P1O}&; z@Z1Pu864V@swOWX4?2z9-nkF2G+KMK6XLzaNTWm>!K}LOKcO7y$aOqTDB;)S5rhvj zF=hQhfA5F)X$MhDFb2HxnhbmKboS&)Ti{4*lvcCy1c!ZSJKxw4Lb1n?=Bx?vE&@X)vlv0r?Ow92ictoeA}$cB>9gs|=vK-MRPB%}|fX@@?HSni3D zq&6;(vul&dBJ%5k93^w?PVCu0HB5thF#5Z)X_ec4zRLb-MP@c!YT+`~;X;7@efBRN z9>|~)5o6zv;mNej480el5{=P(nfHw=ALEKTEeuzWYJ>7##dmZ)=ISSYcO_*rBK1O8 z3@S^9-{UD&o!6^mvlQ1+193o-muBJtRS3*JyY^dIIvd{^#O@V4si~{ujHT5o(l&$k zg}1_&vmIKQUw~qr-ewgYv&b0%dX<^@fKOK`DTndoigyC5i;q?SMWOp01y`u(T)j2B>|aGY3q zX9rW9xCmBNsIMm+x(r-+3)y zqy4ejeb!c9v*fnu#`maLyysVK?_Pmnz$59kw|cs;bLf-q$i@>f2b{S2mF(10qDch| zcs+=3WSbhb4!Bu_Z(?rlZ`g2dVBT9znB;Z5!uGT)@OYAmPiZ{Xfy2|<2QNTiuINQo z8Tc}VRASx5SmGzDI)0ux;PGQESnxft;9nd9Dh`Z9Dwf+YVVqA`LnGhdOSOP=d{)~- zr^Lv@X3O_>p->QN0Qve>86U2JS@p&z6`znUNk%q2@=~f7)ze2QJZEuIJ5ny7g+Q4y z^eD}PQSIsPcPOb;50Cn5Z|gVMh7Ku@g1z~Z@8X5)eVqu1Lb6a(awI)y&Y@! zDfNWab>osdg$^C~b+0OxZ~O6MR=tKL8Bmg3@}Z?ey9g#s;B`=DfJ>6_L(pmG!PZQE za**6E_wqgCn6Sm>mWh0o0Q4FHpN}+(FeAN^q^T!~{Fv8gY{bb}q~i$dd?5VG!Cpug zdkPd{!=4R!9Uujm92@*5M=4J@Cv^BuE_Pq?gJF{6zB#cLN<93AoA1etit0ANuHGG!*T$*FXMle)`^4ip-sE3xS8d{3P^a zvTZI5g%rDY%zB$rbT*7+<|hCb_M1<`A~Z_w?^1zQgo(?~4$@L)=kG66lh$7S0ksUU zVGkx>vM!#<1G*#0`IO3`8#wXoJ6k=G5Xf_?g$2E)J|XJ8^FfNbUF?zXwT~a9E*wMq znXL9$xHDHc0=iwWxGWD!9(B1D(2+|xFY-%9*&q=7f$uv|bg|9x1lm|~Zlf%9&G z`1T9)uW{WOJ1>D=_sH-bsk;;r^KlM6ra)Mxsrd~hQd`=yJ3 zKPd+|r0g;6+X8`aAQDN^dPRUKn<;*Jq%wwAU#E6Hc0lK|d5|v+A=_EBQ5u&!U?%|x z5R$jW2Dd-HK#6Q#si8qonALb-cQyY`SNnMuUb@|o6&&sLtLP+|?RUi7n`1?Y`IgSZ z5ja&X0mn7S>bc(N>liZ(MJ@vR^Y}3h7?_{ok?l8FeBGNX-t$<+IMmrC$A>oOxwoY+ zu~cya*C1U2>}~ya{1hc#R_R*loF+I8t+SF47rua@*HQznoB_2^`P{&NPoXcV5}JU0>SiT2ghdn&kysIYu z2i2UDRL9MX8z45_m0^e>!mpVE#?liszr9s>cNO!iG|b!N^w&zCfY;H;sW*C`rGmM3 z%)h@z7pYzS!fM%7!Xz|A|On6`>i&*ekPImhH?~ ztK@f2hJ#c@o_>%B?=ZqxBi3=incTU?(7re2!!~x+Lxk=JPYLOr_>a!AXv2B-QGarsyt#`VPES!r!XRtf+2N-%oRwP1T z%j&{Q2Vj~_=g^KH*pN$%^PgyTIZ60I{$TAAS?_poQBjfTT4A$9#e(3*_YhYX7fI_8 zLbO~GA2{i!OwP0V;x+Hz*#{^wi6uE#Q7V=(Co(+&@pCqLs(ji(NE=KG2R%SlXk#LC z&UXU!%62!Wz$U8-%qO!PQ7R9l0prcP|AU zWF9|p{*y-}W5ZL~EMG~tZtSNp20;mkkPV)c?(J@AgEI-6UefgEh^7{apUxq(;QFpN zR6Xy1MRkSQOhxCsHF=207T;P5)uZROpmy`DJ&^FAx&i_a0g=6J5K{`Qd{xxfB+tC# zx!DfEob=bBgLP*#G4^5i3TPy~g>^2wZnr8un=CNMS z&Ez7At)>JyfvvJxb62!>&`ifQqX|1G)rcEmKyqE{!lrEbBH;dZ#jy9u{ou~~Bn?0t zd{%w@yQ^gvgRjF*Dx6M^q~Q9X_i%J=mDTHstn3n9dfplMJE-cAE>(5V_E8sD0ZQNc z^$uUMPF>8r2k@UErIkG~|l%k|+#+}Ogc^9+RT z!a*PXUqE%=LQ*Zqk(Y&r99F+34-#N7yyW&~5OggbGw;f1w08v(cbos)6BFr@vh7h0 zM@Pr8B7sM7BycibE+^~+MsLN_Z%wfh)WT}s1m;ztJK`(nN{5AH17!Yr=o0le6kGgefZtzP8U4jJ5Gr!*TV9302a#>(E?2$>Z>VI;^550tttbz^fSGvPg^ z^S*I95~5ZQGx475%%qLrr;e(Q;Ha&aEGvJak_FB&-djhJYL@ zeq%olg1LsGJg@~ z#^{J=DNmj;!O6(Ho)Xo{`5q5R?M@<-l^p|sBsW<#updh{;jqn*tg%u!C{OE9V34q? z;^D;Mx{qILC%eY>HgJz%x019B@0NepL~>l2adWKN*Z42O*i||{=jF-HaY^f?e9s~t zsiJHbP$N}zeQD_?0UH4(gnSP6?Z7)FX}-$OUt7uabbo0&I4~eO^YO08LmY4tu0FfzTp>RA;LZYa zOo)#*Cx(&pfHCP9Wt$zDHN&&R{u~+h6734Rki)LRm%4sJ-<=Qa3pVw=l1Ps4a~$sz z?Buo6zGP(NzHf_ktF8y0ta+1Rm34zQ7*+J-hh~fC0!N#Hy$`7!3aO%0A$bXc!`2!n z_XU4#H{b!EPa8(N5cu2<%HTl2$xhq5jmpb@H!+f(beR;jG!=)6{LQ;dQsob7l4GJ< zAAY(Pa^MUx;QhspwfEK*f39w({O}9&95gP<5%7aFihjByATeAt zwSjNp`)9}V&sinDl^#UCzyX9DPiYm=VG_> z;mI?jL@xtP*)bj#B~rK=RM@zx^y0u)ZW49_e6e?FesX&HU3q7KRcp3k!&#B#7U`ic zKV4t~-@MEKM!b50Z32i+6N;AxUeYbperNkK9N8q3mwyJ%3iS&YI#wMtr`Cmvf1~zQ z(X>}eihrxgsi~a&oeRJ(IvK`1t4XmaEN@VCu>Dws<;;L-^FF z2%RbPjGO9US9 zbNQlZ5L&BmYgp^+*7VjwXN$@=`hoT5&II`iPY_H?!-Rl3ASZDC!TOij-|N=~7L&}OZK{bq!JgK)>Sb+h_&$ODv;Mac8Hlq1R=1J| z5MK$}^X3iWBkRbqWXOIC#3^nK&F$^Z>0j(NDL0XV(wPlVYV?DMR@}xHV=cFZYRRe1 zl6<}*R>6#x#}LuZ)~#hVH0``mG>T5zjvqwe7SP_@9PR4|TL9~lDnOGm9!`9-$7&Ap zbY`b~KiF&w#g5m8EUjI8LA}#lGiEXE;(f47St>%JR$@(pK{>74EsPMf{ODniu~@Vc zklh4(Ls`l9Px#zNn7|N&^bg3bmGhN+JLB%|o=|T2fJo$9xoTEJy?vSgOD zVWu}(pG$ZgAC0|3OhwusF_e3fz^w@bwCy3t%HmSx%nsP_y*F} z&I@$~JC(qHD1v|FrKncGdB&abB!;&&bw+9eTCZ?vB;>?5P;7WJaOr+JPe1onDGVHB z4Oy`XOx**|v3TMBN{32q_BimB%{MD9``M0u4ud)m9$%mifHvS!bi{Yd;9O58qLw7= zCyKc|@nBNF7SO4zzt|~d`{9u|Pyn)%|9HzSx|X&!1=Y&Ei94P>$y8I;BTmv)SPU=m zC>AysBg*^w`!zi+zv%nN)5Z&7?+{RZH3=Fb?>FR9!tsrXEJ-L|!Gga83-$fO$diL! zkVr{5NQ1G5``wmiwEM`G-**Y*X^$OvO4DglrKjR{SM09aN!i`7I}?KElS%>OvNXj@ zVE|ClW%8EgL3_g++WSbui0WZRkCofWMbll`;6UXdx9_yNmq4)ubS=&F7xQg#b!k8O zNWI>Q(Td+n)ylNeRa2jva{r{fY;XOH6$cs;Bogb4%6$&@Tm&1!RT*j?E!?tpX@}I3 zwf2RP1r(T@CdZI8BQRe8T^IqUO_+9OWE{g?tq5ZG3G|uOQNY_zSsT1@Jnbt;2%O>n zVe7l&v2Ne@xpPY-WG5qgkIV?SviC|>vJ#4HD(klQC?P6)6=jC9MIl>4WGj?VLXqG3 zu5Qow_dK6J@~YRXuCDhr&T$;ad0rJq-XKj`kZl3Ho_Y79ijAKKsQK~?E?794RND79 zA7nm$@|yqG^bfrm87ZY-nJ()d^eH{)@1gKM-C$zN=2n=d=ExGwBeDNRT1@Dfq+iCY ze)D`6J8V|PV^94$@bhcNp6}F)WuW;cD=zD3J-V{m5-gcOG6tVcdgSD@Z4tFrF3wLM zpZK0(c?(CTc15lk7X{>NSVELrrWnQi;^NKERf|z4x;7x;3q5$;1w#%vHuY099 zH#8{d(u}5kab|Juw$6j^swWvR<_BE|)VMl(J&gc`mLXxt?gSHYrfENKjbtDig( zQfV$Y?x@)t7*&+!R{xOg-&ICKd6*p*CX&4B`p-^Gs?z>@?M`%L(jPNRrT=)gmy;va zvm^wT!i07S&klXwG7=H7xe<29{d{})x|22{6Bu)C!N~+{6{djn!W7?u8lTiq%ktx` zkl4w6FN+U-6GJcBBlG2SFWG&?%V^U+^zQ++vlGI`I5_Q$+t{57jjmjsg)1kfeenve z?j~~y1>Ibo`BNHTtZ0I7xmABbbyr-$8@Phm6FW=UE z34lKRZLyB_rzaBrjrWdH7*{)A;7^%(z1Ij4?r0=$S0bcyKsk_+R{lXg<-4-%xSj?Q zKgN(e!+Wi5X%fetZ##YKUTUsMoWWIs{}c~}G+Bi+(saF6il*sTU;nGeTa<2lpU5*5&a0pBUDT^zip!)W~SNu=gR%7Vg;@oqIf8?|1n(MaA%%Hl{e_os83rxMGKszXU(JDF_gVgEF89m(> zK+_4V4jJgQWq0T_-peP8W!PGSm1KmlC=x&dyUO`Rllv@eE;)&z{Yv2 zt*6!XCC$v<4BccQnM4VeA`+ZjE&WTb~$G8&&$@?yNR7nVz^|Y zRQY`8?7DN3@rh@wX}*XQ7&_`moJbkRqkq_V&t&1C)w(e@R`=Q{83 zA&QKHcBfz20E}RAq{_5RNt7hsJ2Fh=>!Wj5TazgVh1+#BJHn{@Rtb@!nS{7uO`I{+ zLMIED(U26f#Ytu7SBa@kgFR-}IlcB`HRi4SuUUC7Z|}EPT5}xwo6czDbo8&@aB@id z9OXclE5b2YYY z$dtwW=#Td|+_=T?vpK_EfSSf=6i2_S%hrq&H*MAw87K&llF<+LbF^cK14RqBs@L zS{EwjWWy57{Ty>UgG~*zVz}*!P&YuWl+$1TqOi7qx>?D)1|;hjwaRXp08MfQrPQ7FGXAN2s})vSVXPXMRZUd4;C?Jajh@-ulx$dwEwguWa44$5k`)M+ z-q=`bgx8oz=H52`+Nglc@dma^@I+9IF5485OwbcgPf{~~&1aanLtE=zLX!MJVUkI3 z6VG~9x8q19M}gJey`A2&+#ek}{`$*N$7**P8X9hEOY_{D-5}drB@?RurY|ART1xbU z{4&9DtIMK2KO%TJFX+A`D2`vSM`I7c+2Ld_->;0txMATL2(Dy96-H0P^$S-|ox%c> z_BAv32=V8}U(1cZkY-f1XB?}~hfraad?;)~OrJ+3nL`LdJ0^mUCATLBgGjh&-;J|~ zxoqT(jg8Z!*CN8NHLSLfEDnvls(R6e1~t@6Yf>4AmLT2w0`zWoka7q`v!W`6ama`A z94cv!d^62wsW-F()fCLA>ESBAQdJ@P(^wQb0Z5|uzUk~yb&X`~e!A>An9VOaSM}CH z1|(i2MZxj@-*N)BTAA}D$B0;3xY>>2`>)-Ybx0Vqc@}zIv!2l5iQQ2m{L#a$`&B*w zkbYh0jt+eTDwhir)^{Z0ng;ST5H%CwPe6MhP?GOS7T@K47>CCiL&SOJp~D4YA=-#V znolAdo$}uvVEiD{8uH$A{L}Roglm3S`Cn`CYb-rdW|=uTY`bF&PuqKXdMLG}P9#^Z zMVTpl|NcE+jpB_`-hn%ff-Mo21I6{t%TbXug94lvV2%ZSJO6I31kv2Z9|I}YRzIWn zGU{c>ZatJ{mg~WYP*G7C1O`SC(}_hyv8L51x?H4`9ICM#QWTCPZf6hFJCItaIz+Ha zn^U8xq(s?v!MwlbTFrD6D={(E&xY5U^%p-^=jR)zJ-EAav$uXzCcxNcv;M>B-VfJT zKA#G|yR!T^+D`g%5d{cUel@3a1x}WjRad{i@n~V~mVc|F=F417Ej*6A@VaM2L2w*d6lMADEdAOFA<79hc``p9|0Y{Qj9aU}tTH zSeT{tq?CcMp6fyH$`*9Zi$YY2*>r(VE^3h+rpM?hMzTLWF)Tn>!Aipjd0}dKH|hga zb0eZXZbcK5QSjY$cHL=V1-&eX+X4@FO=_a?-@z?K5Zw2v|OIdvj-cwNWwZLJAkjoUoQ_e^(KfGK$Y-E>WfYQ$5r`N6QrFyg54sS7~{y zif`V&Kf4X8fX>BJNQF|Ky01VNg}*ErahX~#Fgn`JC5zfsGhCmA2eo3yo~PelgzPf1 z)$H0+P&;c^)W)F1DY$M(Sm&`g;J^DrkD>u#rrV-vX&-PNbXQ+7C$uVT>D_oW0Q($z zhor>AK&l+oOk9&ran<3lCbGxKMyoz+0zk0qIiJ{-;j7#0^J={u;%k%8dA!85%KBoq z`-dJ#;oVMLccp_dyOIS?)h8I7=0xEO@(BtGiU?K`<+~H3&rrfzRz}gq<4$7&Cl>rn z>bX^?>WSq1+*=R2zAX+y3oMvlM}RL_I4)D}78yz&FTzb; z4+Hk6%jE12$b*&h`%%jMK-lU`ez~@KIT*Yyzi)@dpMhCE@3+?`xg&J(bQ``}2Zw>H zn}QyT;A728PUXZyG;m^`hE4MAe=5}l%h#zQ{Lka$e{E&Qe+q0ny7hB%&%(k&`>xl{ zujp%A7n%5nx8e*u@CCU$#k@X^Ab*LNU8!jzCfBf2iu%t5#$ZE;eRntB@;~1?PP#Y3 zK1Zy5U%DzgJ4k&ErgH67zujpG!MyQYR+T`7sJdmrbTh!eIYG2x1|IO&4GH z+nk_1kJpoa(GqweAfaDx%Fyra$;09-$ah_yJvybIt!-}Pik_+?4q=&cRwgV#dk4Q`FO&B3Sd^yLmPN~9d!m?>BHPO~e( z_~UzvuK(OB#w~9qrWGysYioAg`ufB(Pg3S?iYN}uDdo81qcyHJ4=cVj{Dgp0RPyBH zYUAlw2FESmM4>H`T)9=8pD)7y%+ncoBpY)EJ>IQqKYiG2|L`YcfOj@we6lH$*`a>o zQh!gX2-_wt=BmkI`jffk<>g*M$VW;@OT`3Vkzd{vA$Fl~<#AQ`bEJac1e`Ezro-KJ z>=21L@JRg4KQ_N){LrLKoH{^uy6>6i72fi0iFfes5J`H}-2$n=R;g423D4Ac6`m#~ zMWvd|?0ZACR7AS4eR$EO)p{v}LA|$_DTv3R= z=-c@LV6U$Sd+}?@4$S*#&wbl@`SYq8y2iIAq7Y4MsK({yf^MOOE!{arpM_h+gdQo-z`5(nvXS1D!7Yf$ELhFFcFnpWvF zlp5kABF~B1?eA?QsxE__q^zP>PA0OMOLk#tX~}iA{Z2~Chv61bv{+pbok<$^rwSIP zIxy@>5Pz)(FNKVHPTz4$H!c%1fb7N%bnM0b-H2+cbQm;_aDuvj!4NjV(eYY$#7C@d zOMkfMZuG?BLL(l`%zYNz#PGG_y$>_+Xpf|j{W4eIU}&zOQoRlP;qWlO_8*T!0;Vyv zYQ#WCmfGi@1MwHozJKh?I`9eJ3%R*99nSFJ7&5h!{K1mG7!_{aK$3%Ag4w9}O=0wa z0G#7z%U8Viw?h||V(xaRs|@PhBnt}%jv=B2K@d@vm!Eu%Fp}3Aw)2hep8P!=xLN8e zwl6!_nnHt5(ds?0@m0ruA_9+n-!#1lw-@Bkn;`aUb&Da}jgh@IbZ`~;4e&E0pE)%xb@VzBpM&AfteQ_937 zq0WXKw$k%L9`HKl;I&{{ZrcF`hVCKTOK+b{Ld>RdUj`hsvvNLXpnh*^_gbwjW?{X< z?uT7TQy6%vtM)T&xFrij81u{umBm0q;&RW6N2s+vOGTvd;Kwg8_xtVn2Pk0kT zF+W6qmv2)>*j$dj+tHs8uG6}X#E`+Q5Wn&5 zpV)>Os@Y;B-c|}kjApsCF<8NE(dDSC;Z3`gz~2En{4u= zCTQ;cYT#3Lv>-9>!#P4xXv_n-_L)wu7;}K7fJBVtqlGUWFDN8GifyA->s*+(&T251 z;_2%0pt6sENs{(|HUDRlH;C#0u;TCb03TcjHi`Nbqpt#)C&VSI@0WhVAU^1W#8ceG_^cFS|Y~ zm?JPMF}?FsfR;V}^!h8nMMK%n3Wq3K`cklGg;AQ#uuh-ECTfI{aJe=!l)?_ckRDIt ziuZ>s<-tNq5RV?~%Q`FR85sY87StD)TlWhrLQXV$==>Y2pV~ z5hd(Uk-^)W5`}vlr-RrHQJkMLtu@qz%{lR4Kn}}ULzZJ;=d)eCX#QElF;v|JTO}p* zl}hhPzv}O^{uvi7AqIWPbd%rNcjL=s0QBtHjwhQo31S~Ie@&o6d_wU~5?u`@bJjX? zt^2}l>r3}cka*+@wd6(Is4V1I`~!rgnxOjZLPc`z2OoBAt#v|bd)&Ut3nl_2gaUm z?Y`;$^(}8&dh^Jv%CSw|2^1bCUL#jmwmyOPtQFA@xBCKB&X9zkYtXHt|ec{oU1yZeTsh zEkiblA{AA`b5&yrmPO7eYflegBD>hxw$t)ao=4%lXqz+rb6#{6u>ebiw2eU%Bcm50 z2BJgo?27wyS#m}Q*-2;xHMJbs&q%W?Ir=7YcI5Lsx1Mjw!;+<_l@WRzM-Q;W?9v`O z2=33WoWSU@`DnHh$?%nn0lS{%tU{iZfNFg|BJ(Lw6GEn!G4uvYi!;YEhEx;8)RL2C ziP>IXujNjdMophQBzh)CpTz=B%*=+j*Z$tlq5yI`rtwrSNBPot7U%B17ixtg`CKzy zqGX}S(En^uu3CAn=1guzr`U2L6)l?IoMl7mtpU|5#E+X4mY?FqMPSXuV9yWmkA5F_ z@3mx$Iavy?aWVOCO$V;Fg}Xr$TxK=VP1kx`tsg9k4osiS&8Y%iumlWQSRV2xFx1)) znddlzn&65BQ@0ks?)$0@IK`9Nz>4a4eC)%buR`X7z%j)R2`3|O%Mt0?3hZvI&$~@! zPYq0=Ouq2!oySMJ!EGBkgj>5n)EY5D{}x*z8akiW2-oir^&V!BC@wBO91gLD3)EqY z5K_(#v1|We!Qd0|!ymp3nIDmIad^QHR>4PJ4%0hv{^bbn_Chaf&3jUbq3=Lam>y~? z`Faf~>j{Vr$n6JmJ65M#A3c01ahg*mJ^?0(ha!<0?Wp(4H$Ot;;xOdj_k~(F^C^s2 zCB9>UJIJ~$H?WX`NIH!rO+Lzy5Agq1@ls|MVvaZEmo$b;E4hyeov)Lg)W_BQ8NB@W`}V;U>|8LX0vbOs`b4v=g~V)0I;=wUw0j!@NPsx z<^f@@Lp-ICM9)`Q9Q+0G1qlShTYA@3(d9g_d=ksf!~4q@h=SSxB9b={f{HhdEHMro zWcDou-*lVy(Gc9_H#d*#6jKCJXsTjEs~6U&e9wNpO-p-**i8hDR!71!&@k`Ej=Gr` z?6-QGCXhjo*IjoXE;Co0sR!h5y17Sw1L3N|Ex7{!_?`1i8s)T!1A^aq2R8}s; zc}82sKyUB4`%Gq)_GQ*>QMm1G;5eLusS;%<=A9(@yn>~u8@-st2wHJ_?0Yb8X3hMKXuF7l|33T*$-gwH5Er9j~ulv#1CimRZr;iu)kS8byU@UC#(eX z0uG(x;S~?u@&}@>6M){RIq31ZM@Em%Kk0EdPSts1VMIoMlD)QTN%;C#MYQ--J zX@{F>85%4)`Eq%IC~@TM>Tbp2ELYyo+Zj(r32x)|F6d(Z@2^2SD~DZ z)<0W?Mg#AAn*3_k@wQ_UX|DD@Y2gd;fOzS#pkb`s%!quP-6hUdn;N_FMlR620=AAe*wKROUaPVtWL#phBU{@a9t;NBm+Rc-B+pY1# zMASrzu<#gSE4qJHN*sltwhYH0&c}4K;rkn0xFG91UbDXLc4h(yEqL*a#xmh9X{4Jj zmHJsMH)R{~-5?__!!fxzmRK!pAA)6+u(s#mP8v6&t}m;R0pc_`FBRSu1hK3_f-fnZ zuqDtG&0%SyP29wJ9d9D6^~x=I>^*04KL^M5HT{nqu^qh??n&bf0Ve5J8wF0C2jf|1 z!_7m;WWVXQM^pR!po&n=HcpCZLDLCnJ&5kR_~lTkbQslt+`wz%Z=XhQQv(|!cPt6- z%QfMvBc+hnSj$WW9)PMmMnfOM3O)Qz#WHUC&>Y{adS((W?W;r*_QH)5jr1+P<8i?P>&)w$K3L|5-ICrk720oEZXDLc3L{suLQolw+n+tKHMd+ED&k+;S`NfWkaB9K_JKD!vow&` z1)cNL)|S}C{D@VyxmojaGf&tm-2Cv%F*1zo1e1*}ivk=m_Cn*ZhxzP zo%Zw%!1{pLq+*?Zbg|KY=UUyG)XlR5+{{X^&)qI>x6m3(x3u2~W1p`jwl#oLadmj2 z7-zJxt7t($|7mU4cZr@C~pkMU#sga*w_jSROtm#$Bn?To?mwZgZ)es&ZEn z!bG}%X;tgz@k_$*8>yt%Vw%tG$-_9psaDnE(Ne_OC)JE5hHG`rZchL+?9Y7)j9YW? zK~c7gpbdBdnS9ROw^wN+q8+^T&82-W)t)<8C>sx^)aO}wP)q+sqWjtT_vB&iam%-@ zq8}t4;QbE_nTfei&?CR+JA4Nc`JzFSZL-J3#m7&%*#Zebe;v%}HsmK?nZHz+P-b%2 zA07+l%sOYE%1Ye#I!4om_BY~u1v#uGGYk7^D7&_0XA%$pF67#J#jmai8Je7@@y;?W zW?|&=!ao-Lox3fWwp&wUaHQ;mJsvUpdAKQa!#%I|Z%WMX76Jf0zL|vZYj8E`${q!_ zt0U}YzJEye-l?NbnxcaPVqQxdn!4BlB>0dvQ!(0iquj|&P1pk_ct|}xDSd*Z&uIXX z>BFDgYG}4O8}w})5AE1^j$dG?sX8hzb`fJL-K0sXh9!V;5;LvoAL1@df(aIMXi;d( z&6SB|0b$Rjp)|6|X{U)G7S5aGLByd#<#o z;fIe7lfGUQ6BW4d)?F3?Wk;ZH^vqfzdd7WX5H-@(z=Uvp@u+8%%gT5yTp0qcb#cq4 zK=93P7Cp#}EM@UcBa}NmsY;ZBOT00^_VTc&QtWyHQhRwbo9w_|j_@ZQ{Kxl&u&jbH zFFy<=w3nxwH6NU=1;yXJH*mF)7z>a+ee4dZl2S|QO21{L$u9smH4eDbbesQFXgrU> z-T3BdB{=wG|WN%g!_yj`! zm|0{ma4be5XVkv7`+@ed+i9myUx=KBI}cF(4^Rg~pe?`aK@*HfCV%kl z7jro2yS4i8;X?p5i%}btnN{|}V=;EiAp43<2{>+=!sal$6TS`TFcm9Ys1xc;|2S9j zpr%~4+iqR$r<*lXg|i@DJwBYLk%DL@dK2aHFnR>`qG_?oIcxTfr)|n-o2@Ec5r7Vm z48S*YFx+GYxP76DxL^sC2w)krv_Bg`he;Z20(claaNFsa_yjnYwMGV}SvKONGl6zF z^KSJjl+Kl#_NJyOg!!==6u~yU3E~iylpDEzJ%=0esDKNE-W7Ir3u#w|yJmox1uT+J zXYI>u^@P{E8@)doi4|Eev-AE!5k|Qu-liw!=gB)vZ7^*HK(gfz7jvk$y8@TK;iIi7 zY9R13Il2Pimw3h3_vjpz_?~)i{A(#|fF=%~o|hz6gW3+3(54NwF6g zu>99T>IY6v3keBb8~@!>K{cWGjufQ9ChY4nJHdpcymRgx`W@E#(?oqCm8_&{W&`(X zdk3>FIGCDx=LCct)m~N3#sncwLAUJiIh<3_#X}T__hTzAfAZf%1XXG7A2~e7w9{LKmS_Qc8Z% zjp@6HA_Xrw5{oF@X|?=ki6r<|L6E&*6tVOE7Z7h|7cSI~ z8l1*pjS1|vO_P+nJ^4!*H0Yq9mlwgKFPUh;N%-@xRUaX;(>^Hb8XsGI_~^0vm9&LB zocPDY-!YQIPu5p=0l&a$oOMx@>b$@jtoXY>13NLvI zUab1_g|y^r_BLs!9$Vf!j~zlF$u#}62%L>cu*O0&X#aGlr&b&z&pekQ?z{{J!T*e6 zRM-9dAxF8;@ccYa2g|WkyZpStBmlerhXfTELBR;fpuK9e=6_ zePlx2evdB!Tn!*x`THSIW(e}}%{o!1fHdj7!LKL46!+b$&I%6) zUyobkL0eP3ax&^Gyl$P@;ovEK_i4fQ*W-%@#N4`OaCXOz`9Jw5zIuYU+yIG!kryKL z0PC9|p9;b}H(TIR&jXOVrM)?@ zop-jl1BSIkL*$Zjvr%!_;{f4dZkJ%zO{OeLF73k-LI=8v@to8|2eU(o`c^AtUw&;1 zZJO78Wx|vLHQE3VxNUS_z#VQP#iY7dATkx9d0zK~Z9Jc6vGP)RM%FrGzR~oeZuKEi! zCs?9-2c++*GH7D~UbAR0lBpP@hPGGz{i(}h6e)PLC@wcW7Y7&Y5aQxMrw(yP!LZ$a ztRBL-I(j){V`U;e)NDU zCghE@sw?M>F7HHtEvbHQnxyId&PkHc7jy(sC)0wt`!M*XiD9_{3{u)F9)h>WuZg%$ zyKGZk(meP-a%%Q7f!+t`WN&z^OyGecY6JWN4c{k3Ey~Z-3r(A>Nk2*viz)t|WLMZ> z{h#K7G=lW)bL-Qr4<}__4>1AGr;21BJlxql`xj)I1YG`4q=xiVJC``59fdW_3hPj< za?%ad92e$8Cl3|HCvfIcJE)G8M|8M#xJ=K*4Ps`3(v88q(4d z|Id*GMExKc)9ab&C-4HGFIZ8ID1@Z2i2^Dh$=)~oTqfr4fTtTChr0r^>*uW`?)aju zjl<|I1wc9;h;@#WPTNnq$TJa!(rd!={4kP-_!?gF^z>W|^8Hf3nQH&2p z#uN)4J6BC~3qtk2enxi(x10&OSSS^?Lj01`n?HVutCRn|?^msb*oBO?oY!5oN7)m8 zqEDELbf(t!)rr@I? zue!TU@cL5sC!~1tg@Md{6j7f~C9@XYZhEy#t!uxC3@uB_3ECX$|8cJsS%jg~0E7yX z)v3p%JwCz|SyMe)dEnJ2R_hv|-X(oIRj9bD@M2Y9Yw{l0=ghkIyDrW@rL3i^WtY5> zO2(UjP*M5@>XiFo@61sox`MF7_~qJ@fwhK1AD|rM3?0%)XeQg`JwM5x>9MsW@ff%@ zX1(C(2&K1S*Dk>nfvMoGDxKZW8hL1p0aHZMnC3OlPh~F!jZ0bH+XA`{Q^g2_BI-t6 zqSVb{0{c_P;=kt{n(e;dl@Pu5{7ShVo1l*1fX}R}7huE?=|);I8tq$(`X)d)5hY%^ zwc~K{XsU<}s$(;VM35yH(Z*q4*wE2aWX{{49urFNt!1wjJ`@?9q#>SAc=#-q70iyF zBIt{7p1GV&7?dR7sD{=5Ix2GQ8Ax(Y>v?{8FMBT`hMfdec^pv zEBf8UEbN&%Tjo2IeoR!26;h-K&|Z5+V&!!gNGLXgc?lC7qLhh60eNcsGLF%NzRU%( z1N{RkeEo}{BoU;rfcCf?$0n_)jdhSH+`evuiEJ*Q*3jL|*SyZW1*>?8j#vy4R}i9Z zJlj9c6i99Pk>Auw%sGS(xZIsaeRW1hepgHZSQOC_B2xZKC@}^Bm05H;EiHeFfP&j0 z_Y>}?4l+E%^5|y5B}SjQp1MEYB`hHR#ZaToADRZqi}j0$5&5bU0RqNFRn8M>_61t$ z$%v=VoJLjBcPn?H8Y zm90)Me~{nXhWgvvE$a|2QG5ljpOzFDD_Z+!ZX6tFL0iEOUmhs9aund`3rgpZZ}PmadArrA5wtLCVyyoc>g>~p(cTnRyfG`0u|mX zM<-_A2ilF6$P(>Dol)c|h z%&b&_<|rMlOv-5(QC<>zMthA8ZH)+Yz8?ie$KO#QdHw6Q+`^uKF6Sz!nocObX`*wx z=D7tA7?xmXeV(Bhs57f-EbJ>{<Q9?#tSq_e_*6y%`q;fWa+)D<6g-*4<16=2tU@5@wA z=bQ>cRiW*9O`{1lM!D{}QBJ`evF}il;bS~M>ro2ev?&Zv9fnNdk2j3aM|y~H-E%>8 z(KKx7h5?$Ua_Xj-J3=+vN&;#RXkqdvqCUe)8q(y3q+04ZxuX#TwMs5Isu$zzl2C{N z*Htvw2UeC&faMng+FPR7$h6uS+=KU9n-Il&Zcwh3i16YW5%#1f6;NW-utyx+3(}#T zPT2GVr`&R;yz~m(WsR{!$Y z9V0I-ub%{l7^3Do9?!@Lk?K741}ImPKTFh3H*f+Y({EU5Bt6h^8(mH0OjX;h*pkM2_A$>Fd`;m(hK7cv#P48xG9aAr368w_{hjmk*d(O&!z(+F>>-jq zZTS2lD z1BmX%#lvo;JGuf^BfM%j1pv|*FB>6uEl?pcXR4SpcJZ4Tm|+JP^1q`+k(1 z+YI3x%n(iLEI#gXl(rF{>p$?w2Ep*-3o=(ngnxZbJ*S)@=Lgbf;8#X>CZSfCiTr)L zaQb4pXBmOpmk>1>fG!o|TR-OkGih!z?o#vF<*S;9G+_om+?`wJgmU(gs&x`g7z&>K zv32bSJdJ`)+3?)Cd3iaRUVmWlOQFuu8tP9+JH|Al`7mGm&WIiTY&f2HTjrP~Ju+3x z>4jDS?%G*dJ08r8?_$1ShekQ@wFvn>DPc(r5%}16nXB>b8nd z`o5qMNJ;e7s({3fOhA#1+Ha2P@GGbA^j`1HOz?1wt_JD~`uYFWMw}tAfSO5Ym+*j^ zpz%P)s7@?D!BVtP112&+#sVs8PQ1JsgIKrp@h@`ys#VOJKgUqxL2dytty+<02A~+W zz|J61mbs3~KBAaSRrvTZ(zrHV!l{$B9^j!2-*vU53NF{jNFk~5E;RVnvR-XJ{shnI zEG+6;7{#wo;}JECR&6Db3{=%ct2PoX>`40k;vszn&S?ZTNlyB@LyNsK+o?eULegV% zUl^zcsEbR;WuPSq$*B<=szL$GyS~$vx}Oj3`sbj=<7#;3qQAs}fje&?EoM+g_ z>yL3mLOB7rjBz+u!$zOqRfGL~2}&H-um13x%yWi@&=Xh?1ZFNVD6zvZ(=7(w(DPU` zN=fd%8WYzp-W|nw!%T8GQp9@ebU5?Davb~S(Rnha)2V3GMWm|~XbM^)1t=0ff&8Se z_NlsJS<9hYVOdW04_wZuE3%Jg)@b>8S33?xFwj;%Q4DcPh(yW&C@!5;-5-)`73v%y zV7u+9aQ%91K!Qc%<1J`&NjxRwzZU)D{))*cRi>3aLmF55q9ptB_`9DjU8sb2w320E zF$=ZC2>hmZc3N`ZrB9(|U&i#;f8j}J#l)ttSA1h9u` zCX)WTUltP-^uFCg2tfZ|*WNsQgQ$9or&?pagIH7a0mx;wQ>W?A*`q3nNzc9up)o!> zTMJJE*WQ`#aEeVgJ8B@jfPrgCluI6#g^N9|ayNacjz4~?93;Fub9=K;xe2Fz1eEke z;h2?pt*5}o{mO1+D!8ehPhfx4H1tZJyeN;+MC~2dv%yK}4AoM53y+LTO&DHI#1x+! z_r*<>2j|+{Am zM9{a|Mc3uC>F-!1TZ!yEqH=*}O8iEAtnu%i&cy^Wcf?6Aar?)7K(aD;Oixomf4X25 z+C`$?Lprp2R=lN#z@98E#3+(4P_w(MB%Wc)d$SpgB!`>LYr`L$X6NBbFYzv{?OzyI z^aCiG82=#u^p7j!UYUwZR>=hB1_-C(bi{(54&OGkL;s~3Pezmb&5RS)(zEu)Ccd-z zhA(CF?_C+-DutNZsx=Hi>^1kB;DnH-Pv7S0e3XHPK<$wQY@MBQJ!Zj=5+nSqaQnr{ zo5@`BcCQ2|e4XRR*=x_)nY4~ea!fh5=iB<4<9s=HQPbZF6o2z;plyqwVB2{)dCT#d z<0{}9*rT6nX5-SOn_gD%V{H1EKzK+o(|O;FRZ`hGJ}JoiV@=2 za~_&hDE5Htc8jMTNzj0(juIt3UG+z@s}}(hXPH%9QXy-6(;y&%?QcaCcs)CYk4%$? zKvL5=T|EA0EDCIp6~jKTrbmp_Z-a2RdGSLZd=Ud~vjn8c)9A9+bHnS(vqd!XoM=3-XZSyx2h8M!?U=g9$g{=JTYWx0~ z{B-9|)nRPGHndRDO}yYW%CRc7KT*~PZx5TQrdAVgd443DXXgOoUUK<13#MBLal*ZdU0mQ!2)L?$U`Dc5UUV&pw1Tpbq}l*Fvz3fnwjLfRWJO#K z%C-QvkXMO|E$VNqPBrhm>V6CT(xjmd?y7W1hWMRMKM*Qi^ri5xR5o_R9}B#aoSZ45 zE}Js@RwwWskK~&#*B-~#bek6a5aHbAhhWP>VfL?93)z%FPKYdoop8qKJ9FgQK3J68ZnbN}AiLAd2D7GC zoF?)Yz`~Rw?XIB$fLY%3Yg^-IL9?g)Bf6x;Pn)3P+k|v&B?!^-etx+tcLgPe=Y$dM zJ8IG;o3-th-o5Kg?R~+yaXf@FEyC*UIdEgoqORBB!VD0jgE0$$j6^_Q?B5MWKl}1mP%p zOL9CairC)`2{sU|8+*RxYjG5k0q5;NJ*eK-h)G-Z-@+6HC@Q;HJ|0zj!a&`*=U1B6 zk0rC)iO=c9sr>i3?;*9n3EJF2y9Qt&GrFPkt#-jpmp~L~=_TLHWq2Hj=}urJf36PNs4nSXb*4ot_@ zMJ=2)UJ_{1c?J0SPRKZ5@s@B1Md4aIU>0bKv zPiu5A$auGXO%@w&ub0q&vNS|k=YMo%u%P$t#en-ik}B>^K?tjz^%5@ZrI6xz?OGn` zyk66pyPYX!l9DdO-QD-hq$R&==4CY4PW*ofY80Qa-;Zw~1&?M9+~)fECqtw5_EjO# zY6^9-r;cP{sxD>49I+yHo*Hkjz3Z;=p}ps`Y)D~D*1wblpiiUZ)U*d-i~OcD2oVrZ zrd;0RlLnZ&RaxszLP2N|IZH*amT|@a5nPGha%&%)v+EJK&mdFn?YvI^R@M0jhA*Gr;xCi|L&Tx$b;AEow>dZ<~>KTI-e)cPI4AfIby`&lMd@-=&y>0(9iP>TUWv z@^>?Yt%6vHuc~K4w*RdIUIMNxI^cV{7L{~oMt^25-*PUGW(v)^*~43ByV|0+w0OKx z8x{J=?zp^9hUnh2jOX;8K^vBT6J8>N%<^)#7ZDUtZDdFN6&{8826{n*3 z9%r80;u^!uh{UiG&;6Ree-sh)sb@4nSkfGg-o&?%^4XqJV)r}6DVB4_OEiw*n~k^V zQPYd9f2ld_7z$o9d!ysOetVoO?`-&y3(#HY^W|L&;0r>Ja$G8bSz-IfXs^EnV3I##XCd#Wlk=6j{}uXK^QJEr zh+iRAH{o$Mr4)OjPqez;98Gk;l~#zat|rNv<|V&wX6ZzXEO?c^!PdW9$Rf7y_2x!F z%>c^#Fq#KzAwp0^!Q3a$DD6@B@FB6hDI33HpuWB?921gL?-87(N#l?Z_ct;j!MYbi z{+(ZPsJLw|8~K1LAmbF&+il-<2RZT$AdsWPi)U@METO|;LG;dn zyrH4{$gpW?F`Dew_!hc8CRx!wk**o1t#{HEiQjdPOiaWa6KVX*Rbmy1R?qf8bB*r! zG~ex?O_AItuM~bks*s)Nzq@=f{CI8|wIGIvhx?Mi4pqFNr7U(Vp!HQ3sgU$C&MF(L}86p`l;L>tVD#FzDJwJIV~jO+ayX z1Qf=LJinsS32txeL9ECytDnIhw3yGV0{knfVW>QrLMb@S_pl7+;d;%AYJ;2H)?-o zSx|A>7~4&}I?zf&KG7CUA*7Zr`~JW&L|lCUUlymav8FYKp33x>?=_Pp_}+)YE#%1< zS@r{}8F<&8CfpQFhNlC?{YEcwv30(T4buNX!#&D#BkArs>P1)IrjSakkJZdPPv>Zb zL<-cWJ*wIM6P_fT#De;2_MrS0zP$8PKw)>b)(}`U=qMdn_WR!<=#eWdJe;qMN{VOI z@07kj-%LED7D&rxaqFX)#RH$jhl90D<~0!Dhnii_{k!7?98K~iNb6uEpyO(X75EGp z(h=U%!D<;z@G_@-8Z;$wUepkfq1Tg(Qst?*U4FNnwMpZskfs=ekba%v_H#^LVbF8> zJY7%CzqX3I3h69y6Vz|3!PbDBeOasqU>cEa6R#=9Mr0R{va0)j|wl0?)j^$Tc7}SB0rit zJ1Ji@;3*&8Qa$V>bbR91L~65R<(7l7B)Uk2!GZX})dBXVXetJKu?IrNNJon-K}&aSTT!}K6cy+ukUI7czb+Ca_`ABmZ|=iZZrv^tbm5l%6n z(hEe2EzZ9XVN}OTAKE%$?m08|sTpdvlV2V9YxO{4iaf6Jc_Lznnav z#0_~IVdWe0S`|F#wGsWYf{Ht;2`Enm$rUJXQljrxV5Q8orHWfulE|UtDb2zYvZ_m% zx9InAm_<9c+W6*T5HvVsT^P48kDBH>ZoA8uI&DoddXJYiNfP$s3t-Q4`Ckpc-`z?YOwe0BfgOHr%| zW(q@BFJAqY9^0Vs5iWLHc-EZ%YX)f#`}@C6=5Z&=L_ob2@WobX?!ZF!y2t3CIWR~) z4GAxAa7PWEkW*dLyu|109kZcAvn-xk5K#P|M43vkbowUN+2gEDy(AGN%zI{fdd-Pu zPE~K9C%nOy2U8J734jIHV{MRHEX^q#rPO~aAnLSG=fi--2PJKGjVGankC z(ul`)Sc2VKG)N#8`zOnVwh*xmwA}JfownK-LJ-idmMms!6nX4pC-c@3f(oeZ0Mbf5 z1u+p|1^npsIHQz022#@K^Uem+%2=$s2}J`h=<%+ksr*^G9!pXJy(()XX!9}>7{^#_Yc zpu$S;=5>Ia*srxW*Kkci!+W>d8F<9w( zl8-=9k{lmyr6N+8dT?{a>TVsdPNC#6B3IP|QSeb!5Su}odKC6o`3%YBkv};w`T*ABf&`?;dK&AVp()|#2`{&TPF)4O+fbyas&b=6ZS?`ka+K_XT2 z&v}{Y#&O6-pK9t)q#7MLPX>uSlym)y$3@$t>!;LqiX6EiM9uL^3_z)L0Mv%{?FUi! zrI8=oo82+%mkb&6B_Aw%^LB~J1;FKQJo_kunl#;fqWC1?QiW2N5I@@;+sy zjx4P>MLMqOp}x-1pC2-mnPBME4D=c&iN4n+^=DX6AIZ%>_uji}GcngtCDIQ9;9RGa zXGTi^>mCqInjQSE*vlQw*jzX%lx!y$Yj$mLzS%SSeB5M8nYxquLPNPg(N(Tg91$?g zVgCW@-+m8ZSI!+%5G(WM#dL(lzpz7%8 zKqfm1XMVTAo6m%h?4TIr^96g@WT@c+D#4F>DWo;{H(NsdRRdQx#IlYi5`gzh>(q87 zO#|w{Gb+($7wq%kD|?a4y&Mklzb;}jI}SdJYP#4u*sAA(l&9s#F!&dKWVp!@Q(sbo zRj<60^!FND1w#G33Haak0J`GCQ;)eGi0xtLJ%(fExR^qg6dgsM0r?dWrtRyH{5Nob zBNbZQ{Hat(swn5**TP-k&<@OLMZ8S61%X1UdiegX;TEl03qA{P<&`US3Hx&Q? znI}yArl>ni>5uPKoeV*vl?NFTA&Uhi`f zUG#p{{>{+hfWd>SHzytZRvBvX`q>JETP3ER%UKx#2k8MJFZcIaEpre(ZT{CNMQu$K z5<>5O>3~m}@g|wBvq>iiiMvqj-Tt#Zf8zkCKxHm+3DtIaLUp3I0*9gt zWVaj`IC-K^4-oLyf-fKlB@f1n5J8)!1iptI%j);Q+5D*!5 z!3`4J1h09SalRxMcpq8w<1mm0A=Ly>zu@~LN`#PdnGFmBk^i|LeZl%vjXj0!B_QXm zRM|uoWemeNLz|)8AiNB$i2skycF0dAcsmG~8a%eaN3ZfiO8w3nm)e{D>jSw|u*Wf1 z_bOWyw1a~eZemaDFMC0L<^VH<(UBcS!B1xIPoynNo-m5Wd;)=zG^lE1?Bh1YB;GXi z#@(JX-o)$kp8YX*DGvY`rH;!Y3Wq!{7r=&r4F8Q(;b`dVGu`8CiNb$Oiz zNUp=###4;YbCRMJlQ^$MV08O}cLF>?Ac7feZlL=cDw>KDCqhZ`u^q^O6>lJACg)=& z7CCQ(z?@9biNC{b@3Qnksg%n!+zFzN2AY~8;9eXs(=SvqCfcrQq$qlYl{*#p85WAj z01F$`Z&ia@KA;Su=PQS)^x#0@tYn{{HX_>I(9FsYXiDplXH<~yckc-^!VRV-q9-mZ1yJXSkq@<)y-)Sew|mIH>yK0U`B(d{IG7a2`M!OgF!TEGX>y zJbb{=hA>meM1!cnxC>^AajgD)fjWhpJ0U)iiWzu;rOGT~navbv;VM=_JBaCY8KHtQ zTgMdPdCF>!m!|>m!;vk*3MPl;oPACfo;h#A~+fEHR8ykhN6Tq4Vq{2B!a&PCxzZW(f5e@-R zZ~A=a{`~Qex{XN|oVgnSkwX#U7+~yO&|F^c&1UUCE31Mnz=*b;-k|skGWEp^ILm3o ztm+Br0Gkg^f_2f9D%f@mXt(?P>>9v<1$mISB^tXdHqpW>+7O_4e4Uz$CQVB7qcLM! zsVNH4I$y!0*nB!*qdw0g34kplLjDc^Bm8X3j89Dt0Sd7frk!5zitE~WC7D4l^`O>R z_*fYS1?;5$QX4=VRcb|x50ocbBFFRct?u#TG`NyOpAr%0Zi-tJWC_E3>IGQ@4f8*g)u%`p=KPb;gknl7jzgOJO}PHLQ-&ek2-rUut|epX1trI6(QZfgtq^Z| z{T@0aev2P$mEh;8wV6l8=TY%jH5hn{3k)65^m{4LONNW{#VB1de>q)|>^$pfC_9sD z#B|`a(E;WQ+evvoB{pIIeE>>$eWOwaAG%k?kA)LMj(!QNcC4rvT@f}c=^J=?C+BGDdj z%Ody)0*J4Je;;%NlH;I`)N`3g{vnn>CZ6i^F2OV0lc>I?T5ylTj>~OZ!yWfV9eo2Z zX2|15??}+N0-r{I2@=75fzgXCfCwv(S3V9Q)9q^?9cZP0R$&Jb3LkS_AtoLYd_NV&2r1DTy*JeMo?xUzuFi!wHry&UNDNmKru`KZ=J z4Cx>lypInFut5785$B|U@&X8ps)Dg>Yrv~0}y)X!!UWfmTgVbq+g*F%a0+PBD6GB81N!~;W z1UpX1Z$n4LTI4h`BKFgu=H}*g!U+<1`Ci)d2p-O>9(Z7{e?Sf;OT!s~pA$0wZ6O;T z-F*bQh$LdHqu`|}i)|Aitzi3ob_h!Pt0%xVXN5sPAf@+FCRII#`-mh$oYTAfd=~^9 zHXx7EDQ;VXKT_q7c|(&AA)q>+CkH=?7I0GU7DL_B`d&VYJY@jP1Qy@k-3-Eu16)wB-_T3~Shjzp_7E{X*w6Hf;o^+ep>AG2J1Vy0 zQTu*+-~kTS6Nuw9pz`Kc%RreFOvr;v%#qN)9p!5m4%nI2LF54nH39=Z4#`ffdA)F* zN=54(KzNmbG-}VA9UhnQ?msbLp#h@5ECDP;eE=$xOc!6!btqu3{>iYL<}Q2$-Sxq7 zlt~IRcziiAYk3B$M5>F)RP<*ZBhtnaowy>_#i&z*b__wpXHq6}0O@ti{J3gCojr5S zn7O4K*u6IJ{bTzErv6X_Sna(og5;XpR{?N0I>VHKQjrJ*5f84Uf?X3y1kC|=s4d?K zfEEFjVoWT8`fjArjH)0jXregSZ%87NK!^CVwFk_Q0wnBxz~TekbZ*VeJDnuP$wv?{ zA{*V3Pb~n}h|(iqv-01Upi&(~j(6DqzQ9Mtz@g4FRR@?|`5fMfOh=9DGmXe#4D} zEU0;GSV%Pt`X&-sPiMd{*YDH;WMfK1OthnDjFIwi~?{BiK*~lm;Y#DR1iObdo{NW;J+?l z6Q>Y)e)SO5IZ;4m{s)x+;tq@evcZnzI;b~^;@GdR5iBV)!X-oMFYHOGT;?nEUb1Hp zEoevL0&rV}h2lC4L`uytfj5`itl&si0)cvwdFA8^Hy&KKA&7UWfH(tB>sxgjXR(Ca zMV@b3;+l1tA1c7`wE8ZTpD-wyICm$>wQN#p9b?7^U|ev+Sh8=g()UHE5!6!44wNMl zqA`s4N6C`*j*HUoY-)*DSU3-CmicXt(C1kGgWoC*%h$4r~2y$-P(z1S)y zZwi~Q8QQusJ?UW@e_0-GnILb%((g0uG^B>-u%t2mq!M#hp}>a!M0PmMU^VS1^&p#7 zIGkv9%RwqG!rx@10xMkJd+M35g((iwm{f4S`g35xEc0@Bm| z=q#1_L<}xm^J`m)^B z-gk-LwBr0#iRS=GePMeP1e4;bkfT87;PF4VP4Gcm6wznYpQ@Z9{e|rW0*FT8H9!&p zAc?A`O5@)wck0T7GJwH@J7h*t2T2$Y#hJaE1DV+{MSh_=GOJ;Z;YW%S(;ZK|k49<-Rkb^};C?KNyGll9N=sJxekbfiS zy!YXxuzrwvc6mQBJBpy5kC!ZVC3-yCx;M&W*L8@dSdaFJgTzcg4CeD??SfeGFr$Z( zY7_*<6iQ1#PSjS&*x4fLvQqglq0NU194&IF%4K)xc>k4f$b-?no*VkndzM-}(*&i`Z^n zMx3ISzgY(5JYG8<1x;M)-KIKJPv)KSU${0?*M$T|~MTCpcNp*$ZmMFhA7DG`?iJkm{70Xvbm zEAbIwPxZb#$XQ5~moJ+wQS8|OPoHxiU%HcCq>-Of?WovYxLE?o8gQ57FT{R~ zC3PvO|X z`z@YZE)F>aZCQ2%rs7yo^d##O+TY+Ys++2*(eO_76(Bz{^&PyEu(+1=0*pYT6%p4;sb-PJ$%1i3ShYpd}XoA!g7{7*GYICTq#UXvJGca0wMokBK;gqZnl zXoe;#1M}j)mb!(M+K>syw`joGqQcv&}73 zsM|t3MF{v7k~ngP_>g-IBpq=sO>pUQ|KFv1{sB{+i}zK8F+dIa4M6)UhNY$x}0e zVj`5n&n6yc`9OGMU$Zd}Y^>B3wX(yab5K_dwFh-N8TM% zCtE01W@JNXUGZLeH~aGVOECbYbGhsbs(QUEj^Zs)>L!G`C_qPdiPPxSW<8>RPZi3T zE|Qh&>OLEC&AL);T$d~*=tYxb1Y>U+OW!G2qwLEyEL!SYiA*}fe z6l6@wx0G`z56rRSk!HQGa~?X@fNyBLdjF>w9SOw`)&S6ljt>0%E?RolVsb8Bw3rj- zYw4x~-Q%z)aS4$mw?mePBtwSkie{ayv1K{i{M4~iX;3EiGO=lkws-o+ysbbLE>c)* zQ{A2iee^M>IQ|sughfw17yxle{4Xw|V5Rg43dL7}IRi@jtaib2tJBCU3Dz2p#3%Ea zYJAw=x4e23R>zEBTcDJFHvYgd>F$sb*ePg%qmE|ci5}^t| zm$0=^xNEMaoFzw{=UQnr4OEupvk!Sn5);kK^GyKsC3TjrNRS^^biIRN=g%q6XU z2Y4W_S7}9KUZf?yk371Yp0gaXpQ0Z1T-$vGO{`Y@J8%tF4Tw%^CB8hD5{d(WEzNQX z-GMs0F*ce;YI9jqIs=s=c(FB=qIsC*wiD!VDajmo$-TH=UraZ&H%Fc)=Fz1B5RgjR z2#c?brvjE|I*Tv#R}5QXI8PT`;U{)Dn3^bsA2GSx`@m=i^l5Pnm%y(U_3=+ZL<(&E znE+Iem+~mG>>58=DuwjsRF0)5LQUuZdg=&^YHa%Lr5f32NO?L&;Hv=`WuLKkji1c^ zPmMo|LbfQhc7h@>GLSH?F-fmxf(CT2Rzn$m0A^5q;4bkpd*o?;W@Va|e^!Ek&NbZW zQ1dMDlZX%cC?YK0->^9j!}z`B3{q>Cc%MB_H4K&I?>X?MmzQ5NaJ}gX4c;?jYwpN? zNch{7sFm|4+RkqC`t)8g7`ut;?e$88bX}v`Zt6M169WzJDB}`NraXvQF&LH4vP?57 z&#FuSEu+`#3ToY$aR*i&_Wu`ygr=-ih`UhOuy9u{9k2nZ(O%potG(8aZ_Z z;vn{$Yn|Njil6kjRF> zP(mIp*K;IlWu=fIcJVv;>P#N4?A7Az0AiFuBLX2;$2949dj<0B(Sq9L^teI0kj>>r6u`ic}kzeFG zEd!HGpo*{%V$b4TCbb1I0`-El{JBf4VN-*SeqKLMbk#!t$sS$7=a^j4DVab6Z}n$M zEWfppxC2VEzP`^}QBkqAL$-~6+mYwbw-ummEfmfe1{n+^RI>g(<@)F{2*=+M`D(B9 zNbosP3ik@xlc#^m4uM?ax?%7Y;bj~Da5)i)5IaJdl`|W;to5u5kPCcKc7RfEZQFy~Ha$+fwJ&6pXr#FUahL2J7W>>_Qm|oF930-(dXSVqZu;B~wL` zPtMsyHk{D`I2d1^9eVhunk-N$t4z1!SFAjrLqBRcA>Ahe-)r52t+DzP+`OdvAOZ&b z!Wd3hX|a?~HPv2%?@vqpkcX!(gw}F}F~^qq`y3bYbjw{D*_%Wu+V%2av1-#1|1u+x z#*N)O^;d|lQUI!$8fjX7i7{R=9=42tLKvJYxo*lbQ4LAFdle1)(&?RU@ru}8B_i4U z$Y03xnsVpkZmA;i0tV{Bw*_l zge4xSfmaj8o09&HVCf%sxM1JpN>5(%*h&-DDYJBFd71FciPHd@Xz-7(ef$VG*kaxl z#CBCb_u!lNF5g}Ic%3LMahi$-Y$zH^%NoGaVc9 z=CKj`BcdRsy8mlqT}h>_V1tGRI6ziuS>wn}lM?UxEABS^cv8R$b9+gV=+``3J0B^Mdsav*56dQ0KK48ALJ(zDmsJhzGi(&_gYi>_gUGIAibfqZ56 zn&-G8qK1YL-W0#y4^pKKW*S8gpF6B&Qezmy=0@ux&DE^OM*@oa!2?H{R&xbWkOFw7 zlrjcSt)65V7V$bt>D18D|K=mO@yj#)H9Ysj4~Yx-|Mi}EQcDLr=^%x? zf*@q&xB>pqQPT+p-Ix&nLssqGrJo(IR>k3~Tj z;?<-w$|nMsCZj_>^7k4f^6S-Y)>2$04@9kCb6NGjX{KGn&wK?SgHBM_7rfn{Yz6nw zx-9!BmYS+)V%cjhb=DW!Htn~TYq|O^bj`Y6(}M^G2+7@hi}4?)P$S%g zKpGlC-VnF1nL9}|auh>G0#^-(mp~zSs8`YEDmg4ZWOEln(DrTmtK@}oYbMCS4ckq1 zip(P1PR3e9OVPKlWy3dUhR8z=_nrSX0tLYn5`%eg-KX%cG?4pB2YCBeEtK~EFj&nR zxKw13Wa^WP4!>ahNAhxl)Y_-}{!qelHF z4gX2Q{}a-H3=7DlPd@#E^uDK@gVyM3qYISmMz|nR(yEnQtG&{Lt;K2(odePR$#E8$ zHWpchYi$amg{h;~L6(GnnE1EKUT=s@i61{2k|c(IwuUT->l7{D&*Ihob6^P3y}#{>i z$aN{|v=;cPOdYr8N(}#Uh(jm-ZHskp>tZ?K?Lzw^A=CU6j)!YTlqUz*h6%T_Dc2Am z3$}h_dD^AlobhM8R-s@>2_H3PT}zTEu%v<&DAzI+16;q^hP{wmB_Uw$vmt*#zoJ}8 zvHk0N$&q<^ENi~+kK2M)+11eS*Px?gKX~arWK$}xCE!5r2#tYE|i9x-+C-K=Y-*}4~X_p^k4P~w2Z8i|tSj)+E|I{Ws4lq06l z#;QQ?z^c(gR8>AKPtNHtH}|1fj;a;09Qbhug!v1-+`iUn`-2x4+Ak@teJyP{t>vDX zRscfDGshrH^0lAZ2yZc-c)ok}a{oiX0-hmKw*YsDTn}7Fz+S}6P{+8ZI=}wjRq~J^va=fR{Sj+ij7@@Gxm8*!= zhpi}os_V*a`rfp4?05i$_w(tVRbz+XE)5iln{9j!!XO^33xn7S`>iR2>p@yWw8i@`jw>Sc zmRRl{(lI?7D^dPIRf8bGF?7wy~Qc&kJ1a+pO|Gf*S_=-q) z@?xp*+WqVv@ORK;4WNmxIi(=52r(WMixIVN{rVU#B?8x7O1PjYLLMg6e|hvToDJJC zygRLn0;E@x{|@3jkIs;L_tpic%)pL3-g0W)8?q4ja`E1}8O;1%CWq$i=SBV>-N`i9 zDj)y4l|u+`e^b_ED@cCaI>~R?T(^425a?HmXPAfiCIFgfkoeAUukF*7lY&ra6~u4= zCj$=kak0;Zt9c6Nhi-WQ)ta7>@v6mG)0@_Pt3N@fjt=Q4#r--3XKo9bs-$dqxE!&I zr{Gu|a1FoL#DK@yAfa2OCq6o?UeU5tGWbNs^)ttwNy;Yh->D;n@T*m{pHW1*4WKnn z41T%|3S#bB1#zPWG@zrWZ^<#e_&=YKuDVK{B4Uv7cr8TsEZ)j#X$ zaL2i6HUB^q{=d_q&7(UM5O?C-3CI6;_mVt@C38?ZccL}KMPr?M#ysD82JJGp9_bIsqPaQBcE(59@z!gnAN8u3 zIx?{6WnwCo=+jYiq>+IpU@~q|(Na>>eSv;hEK{&!B!0TCU83c|NR`ZDbNnW0$%T63 zqq{^M7frQ%d((6to$#FS>oF+!SvJEdBR$KssB0>U4BKbJYCe} zlEu0pY4Ne8SWWzCPu+rtdyD1$FquW$_P`b<@9_m4zX`vRnP>L362>OaZ-o`*s!0uJ z`u*79Hz4ypEGxw~o^~#4K547hV&-T?#_P_}h3Oyj+veU}w47`!oubfc)fIU8v}l*I z73qd1aAdT{k%XvWbis_&_A6BIoI<_>ph)ilB?#N7IO)Y zvbXS%@2(+V&g3caw%OYUN*J=B4CI+^y7nWG&M_5Q+bksQFcfkruKUVFd2<`R6HU8Q zS*)jsSO3Rkr%!nmW6Aq&P<9s-B+@R-Pbs%B&5todtk<-1Mop3HvtLq+ZiCK^MNcc3 z#0Pd6w!JU5Z2aISRx%*tXWtz#uI4*8&O2vs*=NYxI+n7DwxXc?z)!B54x^7>hq-%C z43~;eyuZ>DCOwADXUclyy%UtY1IsfMyu(~%j#tPW5jpN1rZi%W z|LMTFls$q~ru-OJQZw&aJ1#C^807Gag7R>PJS$7|CCc8zX4E4R+Dx7RO$ezk zzCLeE!=-jO&bBa`yEKL@ZfkA7X-a19VCL*{#@yH*{maqBhK!$|56g!|{}MUC&nK|_ zSn&5_Nl7fPlDUJWixrliUkDzmVtLiio;JtwYAc)An47v_dDUD^T<}j6?2Rqq2Q6ze zXf4DihUJwvx3;u$!3qh%zZD!@%+H*5v@>=wCv!RD3Jql)?Htdjoi;W#$MOsCFZGRD zIY6f>=4VXJPrJAp+rbBp8#~)V6M>~Bhpb(k;b&P#`_qmN(3tE1mRHW&4tj_GqwWuz zn>w1AW2L3Zeoxkea4^aGw0cwg&nPJN3! z%fnpDJvlu-mUbUKxi5rB<;WUIhP^Bg8>BdQUYjV2;H`<^>`i%j`8*K@(!3kQ0ouC+ z+>E=MV_xx(whhJR_uU%$-q82axpuz2kE$nm+|Rd8%rE6r-xKgz`1S(cH|>6er~(N& z9kY5A{scttw^KYqQtA#xOTT>if=W36Ky4v_J3$>2fb(~npK*11wD>)cfC!tK?0+pr zJC-i)Ky!V4J>V3jCNDAt&1|ZCKl*llUp8U8Z(HxQ)~#> z`98XPkMSPv-#Q=`k-t^+@J8OwiM;)XwW{OQwoCba+R~u;%sbtoEiEO7fruDZOFK0_bX+nLdl(&Dq3pDkVv z=w_J`!_ZZkk2JpBWmzQ2Bq3re*CbQ(Bf3eZ!eH@h`|d<`_*Fw!>(@~OFV!b;i(G?+ z*Up?_-IY}nKROyVnnTv3d%HLG)cRxh(rV=GQDo}l&|et!+3V`iDv)1lP+_Z6kpMW!DYmP>@U|H@(N z@YXgkF;7lZcz62)`&H3rF1;p=He&wl-UB}d631auEi<#Mu} z7%jI<(=W4=@4mYYe}8d7eIKSL#eOo#N}4hA3)_o|Juy#iksm!~R&m9^QEYpbNOOr} zWLuW4(kCuw`W14{4+7r|26=_Z1{F3^mv?}UMW#+!rjA*sh z0Q+z$wbs9Fo4zxt$63KXp&>f^-O=JKuR?j7(&e;6_nvf02-SIAr|zbj?eqBYk$cGE zHTi9L{P62Gt$jSLbo6wIwUtlyUf!X3MDD}@OyTB3OQGaWwWm3EtiFwOn+OE=7xY!W zimViP^WdK6{^X~bYyuH?I(4+>58v$Cu5r}FiOJf__zSt$Hg(>RZ@k_Q?>T$eRR=F_ zefow&`7qV(mqp3C`DYwWzHLrv-m~FJsNOTWe)~`RPinB8QT94crKNW*#DFI8y_K?B z@SPBS?x(`+W1-;(8unaxd+$?)Alp0j$C*|wBJ_Uw_Mf)DJ$BDzP*jBUX21qUL;11s z@~T3$8tw7eUCLz5w=V&swsr1A-rncxfx>Iv@6X*P5 z$v6|j!W`xvPA**2j=%o8OM1s5=hNiU`E%;>A11Qg+Iot`_SD6kq1(=F>sJr#;lM69 zlM26mjG230MSS7gzL%zry>Xw2zlGkqm2{ts+^_I4d#sH1Xyc0)aods@haR-gcpHC- zN*b?8Dt>wEWsMAXw4#G^)tQMHn6DY! zH!iH0rei+ZoVtBsmtEv{#e_}W@#l2osQ1&|r{}eazIoVD=7E@cXB$h>Uh=C8+=;VC z>y8*sRPfLSgwDP#{#tv-FZ;^`!y8GLnd>snlDimdZ4Gog=>}z*3Of5UbDw;3v2-p_ zvN(8~MB%+o_Pr7*1}2l|_fGZRFuyN4((`opWw}IK0|P8iF+j=eJs%qOF;3xoVAXt0 z(z^|aODTeO3#;S?N;=zlOk7G=!E7&9Jak$I@@5}venLI}tN1vLS-)-#(i@9yn ze{7*Fmi=}c%4bAVQXP}QP2?`Pqk5-V4KW=x4 zc#ElE@WD~+;lq;+yMoiDHW4RiS>EA<4NK*4{e0JW?cpXL``L+IV!{nt%&Bpj*MBfx z65cry>aDopuJvAuP&xBmN}l?2rQzv*Wzl3;MWU98qic`|=JI$4uip1|0Om9VfPl*Q@S3;&t<7PNbLbBe>m=^19b_<@2HqQ>?UT zaOIR~wWVg|0zb^fcBU*?JDGyG&k~}g?7+V z+u055=5FP1Z#X$$I8FR2tK$B3DT%zn_`pD#qKkVp9UgM+zh)@hdncHg%G^hzK}W;c ze_~n-lrHQQgEEA9ZRCW>>e{E_WsEso9NxYEI-E9@?IN0&i1iQ zvHW3)R!VHJodkXV7j=7Uy*KBb>XJjBaXs=GDX(v-2z@o$B)liV)84zKGj}}I8iE8Yq zOYYGS$?8ZyMxSGxS>12f!5f|@ck97XO?ksdDHE6XY~7cnv_JFd7i;UBn*t3VK7H`~ z3B^eyuL+s-hZ%Y%#ST~v_6-f$v=@K8KmNAepzXCKwQWO@hQ+MQS+>>>lr23PmpOy) zjt5!wQ3MF9ni~X*9+o{j^6c@J;2g=vuUxmAZ5x`{qo$|U^zKvpsouNZd(P}(X|L5S zxOLwzyJ$T1>x1SmbH5ZRa{E)BJbCi`ebdj5;#=W0qqP>>Wmvf5Rig`&v;^MgOtyu+ z{%ZGK%6di`|FmS#HfeUT?m2Nsi(S`IGj_Gh4NqNf<`tO?4dl+Kaek*ddr+k1*I;q? zE6diZY<@VQ%WR5@%TbjD2;NB z!87)EXP%8}-z>^8nHb3EdtK$p>J=OAI{u=s=WwVNNK=+RnQ?nfk%?#V{_oOHna|kn zc`9e$R^n+#l%?4+A*cNFbE>0U#{&-few!g1<>0*nnmre`lpc$&_IcQKIMb;+=#}%^ zzG90r;~#mGi}OVkCgQj28fZ(34E-7mH6Ur7u)8J^`*`ZYKKrY8L&qz_d)ew68U!LH z7$kkYzkV~+pNjLl+KH*e>#)|0p)_v0WOOHgP1`Tl&H8++7(RB$VN;>QefyWa-O8d_ zbDgtHF@IW{>R+7d3~P6`tU2Y%;klP&X4dO#U+L9!xkTUTdzHPrS!bUJdOrJZeS2)u z<;bmFyWWjG-nh|Bb-Sl{d$#XKy|a5&$c7HzY|{T#{wz72tj&J=O%no4r2N;-aZ*HK zn)7zCdf_q2*+-ohVv=WSxF1=>xPA9ClDjUAf$FcrJ-HXl-c-EI8kTBvYTf;+@#dJz zQRlQaAJo+uC>*oj2oEdd=-tHa30Vkd0s@766sj2PgGs^RWbkB-)3{EcIs@ z85kVS;LU;SWl$}1Ukc$bX85r!Gb`&Nh6vhyBCTBXd_KXM$^>=<&ffk3)1fW2=m$lT zsp9_1NY({iMGJo=5*&7b=EiyMUtTVJII z$}pJpm|c<{^;wB(@hKbO32rZ8W7XHJyqVi3=DrMR@ckqrCGM-d98)VEWD6uY9i$<` zLV*fvb98AlS$4Nt`J52gK354e(*^h6fjMF*`5q`ORHT+}I`OxsRWAbC^v{2L(GGGz z7Iq(qnYNAyA|P_1;(K5>`()7fE{yx{D9elHRC5Gmwlq-q`=7vQ$Jgekl3^%F4wvQS z0$@o^=Z1{GKc>eN!-eeX*P$Zf{EGL}W1P4e={ePb{?;VdG@rQkYx?>8%gA+~*sYv0 z5CO_bO(?#qniG=r_jA8h_Hy&>fHumpg8 zpPh@#zq1)VG&-eYZhqU4YumLyL|;WJsBQCW1*zbJG&D3Tr<18;PvUWclzDwjy!85Vd03<>-`KWHmHE&TbI5_fm8KvLu(Sks6g z=>2+C!{?hM(1QZ>Ku?Q^5&%TeG%y$%4w(Eq&1;$!8`5j#ZvfflWy|sePMBMtK1sAR zANq{{V~0lO0jE!*ajyQ#lbq|rMjH>wo0H&-W=P>1pB5UKXsBTpgy^q}{1}!raUv|= zJTPXry2$*=gM`3}5d@k$DCj-_!-f)N3xu9Lxc&d)hmFxxkf)U-=KOuLPu!h*Sy?F! z1wl^*GkKonY+_3lTH^khMjgu8f|H$#TesTOd0&UxCH z#K~L~A{yJC{pxiWn{tvkyMv~_{sX4WQy0=>V&dXvKj3$j2Uw%H@K=!&=?d>L_myf)n$bs@p3a9?se z$vL1*N4`@x0^EW7kD0jAIrh4UeGIiozII&T%~O5ZZ8}0x3Vi@z(d6#4Un93kPhs;8 zD$6)!@<=fqqoE>641Xp26KZ01f*X08)L1=~_p-cjFy2i;yCn}GgaSy;H@@z=v@rEr z21O9nUKfiZA=fG&v)sc3YJV%Xs z-Kt1Gn>wZa^5+bX2M2bk>K4~C|{tQz6>JN->79xj2h=U6_2_q$j| zrrNr(%A;)asAs*HyLWZS74K>#>11Z61`h}Vt8Sq94x)XR=lomTX!J;q`a4Qd0G5yR z_Md>OlDmE9_cC#lD`(nY=ai1+w|VvI)vs^q5IiGjdi*K3k-5X`roNUhrcdch09vvS z-LF6(iNm9ks~@rj_P*>ZOZ%CFJLnDAekBXzS%$@)!YbTxT&Cvxk2J;?d^UBbsDjIq z1w5RWV%$*bgAK>C1vUl#Xr}&|BeC@dz|NKe0$PfU-$IyI_ETm}3&(-$>S5vL^dB1< z8USF@%fsWqTi;CEFeEz{iMvhJsPv|-en4T$R{;S5oV_)%C$a@}S-w3x;cZ7I`wa2| z>j0vwxVTuYIpf#EY=LitWWkc&c2yhn)zn6z6!Me%_id}ZKDIEUgY<^#h4612ZCRxY zGa#lP-o1;wwV>f@d#VMz;Uc(Z3N$0C}n6B8VrW>{cjHX!ofz&!xhZC*QzA`(rJK}g!f>;#z8-r=nBz^- zMzl!PyX-wru<)5ygrx0sa6Vji_B~#}ZaqE>v0Ocqabn+ktDJTVYl`SAUU9nMKRTd+u6G)Gviy*=L4Cb{Gb-$bqg3&ufNk>Ct zdUfoW)$zZp^_(;{_uQdN5_6!mbgcY6{;LM@$=`aOQNc%(NyNij^8`A$8&~)E#CU$A zj9q0hwJf!Hr_1tw(cxD>VVSa|IopjDQm|kzuIvK|0=)hf3N-6X)CS>@C7xAz9t-V%8bqPA8j{@0yURE_aGq2R)Q1j&Ga)Rleb@p5a@hvfESR(Jnb z&mF1V_-9=`l6?x9A&Y`R$>TkRcwr=162^(9)xx-57(lCD+2sEV*&UVzJVoQ9S;6`X zI~ypjaiMj*i;3}(!4rGf$fDHl#}^T_wK!ar-F;6CHi)+`xlAsp6TwDzcTe)7_tJt} zEX3(p9d$tqmx*6ELbd;4uY;XqL;9M{Z8zWe>aFB|Lp_+sGp)6(G6@U4VspBx(<1&) zo291!clTmQWKGl!djd3l0-iH^AI`ql)(O+1XwP6pd!y*|Tr7U-!+|Dwq-g5fEhHX@ z*50b9N_X|S;QkW=c6oGi@oZX#o&twOa7=$bx9ymsqRc#0wI931$C5#SLN-Oa(B@$IP>lKCZ@UO*U}S_;ojwsvYUk=P!#GKC`1iat4%6hM`w(I|Nc8y zO84$?=kq;5OE^7ziTn!Z_|ELy_jVld444tM7N}+EG^#ElyrG_)$f2XWN}G6^nXlK& ze40MtQvuS_UThIzQ*HRy@4>3XIlh4218LP4F7C8-wQT;<^MHL8=+)J)!ey{ z<@^7-BEZIW8$4AipZSlTgOE+tID)%i8(U%V7A-?p;Ktwf^nn;+3^ES!mh6ET>r3Pe zcxxK3Ib;E)o#^I&MV8-OaoIn*>S7CU{2? z-igHy!aKz94)H-8xPKz{0pI8bg8oiKO;J`wO+-ivPM{~?M6e@m*o~o30X9{mAYubM zxdr)4AdGL}#P4$qTtxPWBofzJP0sHIIf11_iKm)r*mm+~(V zfE9PGylP6kU?Cg*bWI+nzngC_Ro7Oyul5Hg0eA^`E-_L8F-VszaY71FaK)fmGTuBd z2VX(#y#ad}rojl_12`M(E-^CvXYpD#KxBvYk7=P`7dk|Mp(imirzbcGtKJNg zdBl9o3TP_;lNBJiNe5pIAkegsjjl&jg_q0;4)cR24L(vG#BqZX2oEp4CAee)eyxol zn_EsEVg<6nORdr5T*%$YcK%sSQ08H z-U777g5%MNi<~H;3KnJ~{*OiqTI8xijwY}KDR5k{5DfS~lw|dg1mc}r8M%M<1%D8I z3=(}F*mZR5C_^PDx=ESG&NtOaK549Lc;Hjmy9cl(_1m!;2LW|&NX&< zFW8a@2{V-rf-mZSDZ@(K+?<>v?x(gF&50qOD~S~=Y$%=2-|t`@1Cr3g1nDVH!bs|s z@lrT`bjt;p6%}kW9%V|0%J;$4m!>iH=a)<#Qj(`I3*-%BycJ{t;us8)Ky+Rg#6u3I z7J5=v5X9p!0k3e~!-j1GLW=-p>_Qk4fM#qUTvQYeXfJ@- zh{$cJ!B617VXmSk9EzUfHhxJ7&EM*n!Cj2QF~S-jJ9cc2<)2;MuqAI;7B5L7o8{Ax zd*8nC$uh6M&UbV^rVFYf-+Tl96x3nRqXzaBN3wBO$ubQ&kkgp`V{Qk?QUX7a13$#d z-`Kw7+|3oX{W#S>%Bb|m;SMf=C#B2I-(2C_;58<=g}lb-s5oKH(0zUnaNRz{q**-s z_{d=G5jXzv&7vd3+`?yx`ykM&yqtlN zvA@4Re798Vr%zC}ZMc+123@@ERFirlC=z1&ShPU~lsH9zg5@G1`Lt`QHDwUf<$ zsZ5V~A;Q1$+;b`_szX$jl_U!O=W#|mKZz=6aODqOO*}R9G~?(?zFXGgy}i@PjXoV} zTm>1kW78uuA`9xa7HQnwM;GUMWEKN9VMwt41epD#P_S)m@k;;!`rF?W0|f<`WWN9Y z(+k6NL{d)9cdIRI`3=q^<{~nU-skzx9*}`iJ5G2 zRjul|OQDnd!zG2sesz{SGI;}egS;&f8M%U8)LWVT%dTUzGX7uey#-L7y|y-twzylN zSaB%s?(W5~H4$^V^&mrZb&~ z`%ZEvE9+Xhva*uot=o#j!ac=2_i4*1KhoU_x;snv^II;dxA$J3TL7ozuM})w`&d}C zc{pzT_}2f$p~}E-r}=ulb=u+S&Et!As2=qEt18E}SIo{gH}Q9zd!5{C#10T{XSaPS zBIzdbKQEv5rL`nw$5fv+zVvPw8FO3I-Nw~_;P?f0C!3BK3qj`w2iy21HL?y1kq^^!zBxhB@p+tNF)b))u+390!ea3Q6kyG4bG zurlUrwFTYcpZj0i2K}lkX28W(L}xyG9cM^}WpCzv%GA(aCOqOKAyq(;N4aUf@pD_& z9*Hh7<8F@O>{8;TM77TF+*xT~BukH(Wpy}*c;u~aWg!`!!70bil81c~Eq0pB5)CMr zjqSc;>melyEgjeYIodVrHg_?S@E#eJ>8z)K|B}YKii?kB>`vn1`P*sbW99bWR2OYb z&DD#oMqj1jYN;FO+}cZsqfO z-kCkU$!po`km>-3GV$rSKKyO8ztWwgYeBHr%tL@OQ31!z$ z1=2iB>@hy`Sh?YHBS`P@=h-A2t2L5jJcLhluPZy2r-Yf&eRJ{WxP8v*x#bLv#lS{0 zj{G-ZW3Pj^@OdgEI9}q#&oZLDIZW>^De~-DR6E&l2gksH9f>-h3OT)(ewK15GEVB}pMS3|aR4g1qc& z#dn!c<5WpD8Avi`u8zB19B@5rJY5b)NuInmD*QDKX=M9?m%5v}khnyVkrFkhsXcl; z2{~cw`TlAa0$IA2qfkQaZ2jqmn&{dor98dN7`qpLK=b%i;PCvi>idPBXYj`Lv>t@< z^rW*c<}8Q~Z>oZLjwm=ofW&XLIL`6I&Oy@FSp{yoaM_nFTb5w5ilP}Wdj09XIZdIa zrY#?xF%W!RZ{J^4oMVZR(FF^Q3^M|h*?Y$!2tPeAYZJF@lYhRJ+z{)Tg3FaQ1BiKQWk5@#Fl;;v-n2vW*xVW2n-97hP);@G~P*{BWc1&K6evAg$ zur;K}v)jvja-4i;z(bx_y4i@a+wj#%(P>MeXJ4iIDgEi`@~L=cBh9Cy?g-htX|JDo z%&3B-QMEeMzkH0GzFu^wTo@$;?UWr2rpmAK%TI?a29Cr!yP`)M^7)W$*j~kBTPU5` zC%0GFzmLF~u4wwj%Y%b9bh(7Nx!Bfkw0QUJXmC));p(W^|r@qYm~F_;peTQUP{8ciNPl(2~ zu46d+ly`p3gSCn`?svIa@OL>gL)_HJo73MkZ?il!t2+2h_hOok%6M77ikIbBeEd2X z0r?;)Jt#o}TR*{7ZJ)r-zv9C;v_+lAec#90#9Hn$ErrL&Jtu?q3mwYP z6leK67+wECnj?cN&x6tO$MB4n>_gZ}+lLZagE!l5d66$;QMc#)&Tk67*}*irP8WPT z3c=3nmTKaCT!o>69oOSC{&Vc^;AVq#S2jootdoqC-Z&kjpWU0J=F`)gA>o;XN0t3% zevjZg3~y8u1T>4Z$>&LKhn&1(GwDi}dZ8zq&yH6%eeUK)D;AxN_s$Qr($h$UxD4DK zZ-4zzRMd-9&h3b`OR`v2v#2hy^mO0)hSeVNlC5RDyuHKX$IVZ(QCyHlP7#@?8ikef z_V*8Nulhd{Ye)}U>FOQ&-f!f>O^V*EE3|QeUB5Eel->2c(_((M-fgeRr{0$W`}V9= zcGKyL0-L@KOWQ(#ANHs8SW;qQ<_fFJJ`|ldgk^WX#>2D{F#<0Hp7YCNV?WRKI&m-9 z`+lybW)ZW)hHh&s|+Tl5!mZs^J#UQ{x(O6etC4bi0 zo6UHr!1vqROmgJ+e5fLmLB_8mQ?(Ix2c?;*nrb_jk+)Sk(u`=T0$k(NnUyDaVH?Th znvWA2E4g|3w%R&8Ki|BiXh-bU?~l$*N2sUw%_4A@(zWGLZ#wD>#Z_bo48c)C=R%78 zHZMetJb7f09d;ILi(ui{Q-jZZdZVd%HB%4~Ijg5x>i)Uj-I`^3EOT`PvXSs6%j>8y z_0gV-+gWt4f}M%&iuxImNxf%}0(!ga^v9dDQ>N0FT+y6uShdA-hmYLVh;^Ny5!D%gKFEUI0 z8-krlCJNWSr^tL>3+rK5VWF4k!W2G?Ue9@)w+4s1wy}wJJQe!g&AsOLH(uYh(wKS8 zw!X!@GQ9H`+`OE)3X_%!y_)ytwLCfE4vK83`1qYJhu^F+)^3-GP-wDR*it=3*0`z_ zLy*QSaA$ZW;G`AfWxAH|zN6NgBBQD={PwA*A>2XjMfQ6d_h>k>K#s^TxL} z49T}!>-3xcBwg6Yfmxr+7C-)9gfrr^mw!K6wH$|&s$w*(`gU|fII`=ddHeIC%_isb zkM&1fw<@lTdQAtNAw%|)Gvk6-Bu_WzDr_%uzb81&mfo;gs=Hr1YOV8Hu}ICmr*bhc@Ck!IUDas*iI4xiKY zw>g))la{m9OsqpHqC<7pe&;^F8w{R{wL|`0_k%%|cVjWJSxGH4+eHfp!|opIE^xzWHq0k0iKJzvPGS*(@#eaGetDYRFlD%tKS15!-0{E65?>? zm^?pWp=sb_s%}=$JZ72~6B9<9OkeCZUwtQbv*p?8v`u*gQ-Bn8B+?=qa8@^eF{`(i zA+Wr%GLt%*n$YM&BR!jn&MrzO7{E&MXVQRBL&MSy3k`=M0tI~rhn6UKdIWxfKU=Cq zQslYa?K}3M8q`*#rd{@3`de zlqN;U=3x#A69nkT&r=7y*OdJ()u?Y<%{||>spaj?!B3rDk5CB@Y(3_@VgI>l_Ho$1lp?)%c&+;EM|3Ff?H0u zCj7vW9Nq_!hEbM3vM=Go^Da@HW?&~1mzT;o;GW`>L7pPGjP%rGbI+!Mue>OHj zAY=Igb-=+O-|zZPk(YtCN3`WJ^b*~f26eilp$T5N2osQuesX06ZCQatEBKaHS~IaX_RBG#nwlhyZ8egxtDm0Xoj*M;>xvg+L50JR zk@R<$3mNjHF$Dr+0n}4Q3p|(@kps>6tI$x;VW_Jb8yU7QMD98DU$szs8gDCynNR`< zJRM-z1&#!Yp|*eV=D!;vS5B2KhXWSn|FraZa*}Pg$yf?I48mW`n~8%uT|Xbj3Di;w zz$h9|soJlM?xnJ)I25!6d^nATyqX|uS;17WAOcyO7LXi65>G;!r?=hQk3`48H;=9;b*n$OEPUhk%OnYAcp?wSHuwg2Pb3BZDNi zu0M^jO-l%Wgg~|s1a+{Yp43I1*WGFgB=8Y1eavPP%d!HP;5_iU9K4n}>7tfKYUKd0 zF@bZqnF+0&T0ftQ+bXGr5 z87cfkTk8sz8;ZaBE)?{gH7#={_%jA*SO@NVTk8x)LGb4;`14Uximf%q^Vw(q{xkr& z6iA9(oMK5rm?A9Pv(ESgs z!j10AMZ$pGr?3Kj9zoUhx7k7H1qknx<*D5Pi#iSK{w}Zu*EA52|ZQRS{P9lF5dXcSJe$0nP0fDWCa0l!>!*bV)8s4#-WWZ zK5Thb$nm8`yBi3f@pV~2GRoCU32r3AL$!D>sDB*ZWjB`D4Tuu?kxxUM?Vo~_eZgx;GUl^ z$I3gvulUmENFIAnwW(cz9!s+Mnh6_ln056=I4LO5vl4EpK;8b{rb#iu7w+YqXB#ph zXQoSHDjU;v<<962Kd03F;4JJiZCBkT?eDfXM?4G3LHGr1odm?T%;kc$+NU zxcFQcJnSB*n|@hYeL%TQnK)|`J5)}kavO-# zj7q0h*|TBm6GKDy1Tkr7E7@uqi}t2SdCt((1}$nU!hijMQX@H77aU@lEgmLNz|$k~ z!57+NR`Yi3DZgvcZOI07fG)5eohT?Mz+WVjuZxd(g_)1HF!E%KdRrD)ZX`k3eCJXI z&m&QhUC0VaVPoTLSbLe25A;%jsghU{?Jp6s+?L~G=X3r6k8%kG*0gpoAaobYqAXJ%0mEa_Q#3G|kZ@I;8;R9^fcSh)G_(#sST}-yb7*Hlwyhdxe>z=I;(n zaPS{9td87ClfCjtPV8;0gvRn$8sH|tk&Xy{n}*btfAF92EL-Hf z=hX%5Q+@P59-#Le$-(dDhp)lWoGB0)FF0?!1vj~K{Tovo8VFWRyvm;eWH-C!(H}QY z$%|K5h4;hz0X(=U+?|+S=>0llL|z*{6k<|J47LwmoZG>{o0nP4{^ub7lAcC2Wp<(B zuON{MDAI}O(?v^J067)ee^-Kg2Io#;2!|F1Om8VP7QLiG-JyiYTqg~> zGF}fGkQEI@2`^ECiWAllRDff^{b^W3A0@9BzdK@AiQgM@hJawX%tW*!Mlv^LZ!G$G zDy1sECAw6-V;xHM3Up~qTKt6sl~qF9_dx7el66Fs>UEIgWCv&=#H77TYCYnE#9qdJ zkoGCn6qyPZNK1vpB>~9XhM9;MXX5*QC+e1IN=MB>zW3q+V~9NKo0Ov&5*#8QC{^6k zdH2|vJ=_~b1?Uo+o16W>DL~io;_%j?opn&na?iGK72e#osl83Xd>O9-gdz4p-`|i* zwPf*#>)?~750+eXT0j|7OYC`>L961m)OR^wc zk1T4UkY2+k4SoO2W4A;n*_#521f$GaITW{wke0AM|AFZ$Az3yUg)OV#Y61Xhdy&O> zkjQ7%izb_&qQY^c>Cc_&rFZ#yu`Qt;**~}}d|)sYBLxC6sCk|3JV=|~ye!{3qgI%UNTUA!xCl-qAgK(yYlv+A zxn{+&qCdCHx#q#JXG9)W$Sf*WcZqNgKSK+DZziK+4vmxmr!J509i_TAgRUo43u>a) zDidQe(50HMqGGiw@M{Zcpfx2L5*9+hC+c*qN|~MfT*vWzfAKtT5G!B?83^DCON%+q zy^!l$(|TJ3_TgE!4DD8k5zH>aYuHsK#!+)IfdW+`R0%OaSARW*w*TOr?|4BNk>`k- zS0zh(PmPL@JM*&6Q4&w+EkWIfN4bb2gTd(P69a!9ZXXlLzcma-CY_l{S+QC*WOI|3 z{#koE%mHga4;6PzU&X6*&G0bz!8C|I^W%)x#yr3YSnems>dw?-mxmnj&EM6T*0i8qMT_ zrn>%TduDasQVBG`d8==!@JA*_s{Ze@{*g3~6Av*dnexW;{$ZJRC7csA1nWcXYb3-~ zG2E0OMrZ@yGOAKurh`ufnY-G5X*w==*e&<@cLvRYI?adK5m{Qm>g?q~0k&N>G4h}S z+$PUuX)mr+q+_01Nvt17_@~1(T(6kF9L~f&NG!=qnv`f9?XBAQi+j}8+)nXO;xvGf=c%Sip76S`2|%}3{bo{m;1UI1WG9bg{k=Jct@EC zNTCkS!YWPVIg&WGGE!%^c-)`dlHfZlO{$WCH)vb10LR0NjIAtOsC+s8^C{XVZX&DO?h!;kd{d|eNBCzH9;s{sD7=Zz( zGOlZ%s4T6bUB?T&gYcS`5!5PSQB6RNjU_IoUb)X9V=vw16B*tW`MK>ecF6LAfJ|tgpt66*xpUz4+8R- z_D@Rv1W$xE2jTB&H$Ck@c4?`@U)I9RHPj{!$_-2fD(4svOdH|Ak=kN9#ukH82>U~M zQu%d*GzTkUxJA7Hf#3T-6d=DoOXMq{AjVRT!TH|J@uzFjNNc2cR>GdV~KY zr9%QqpXI8(#8g&F`q6FrSJGsV)JnE)9Q|NLSF)%#?5|Q0KvJZfpiB&9G`#li#6L-O z^PrktOO-_4E7L&qOJWXZWN6J^hssO(8`i)7XWAu@Hu4-LQ{nz;Z{JOMIL(>OCjoIR zxhENmzwsAV!9<;SJHXxXEA4omgxLKYkOga@&r3>Q$4WuK?DLE6Bg*W=)+Z$-(7TY| zLr$mqOI?%0+F1mMW{q$PWVxWWtl4E_QTNl(L<@N_x*&FaHjwmPEw3-$!HRo8k+L$D zb=Ny8uzRB9Bo)jS&2bkpy~@j0jA#xLgPw7DB7y@K-Z!I5ig8Y*-X7l)kP7>j%3=BoSJzLHB|1_Ubv<~*&r*FNtnf8nZxNGf&D+%0)i0PkA)-{B=7v7wb z|2$#*@-VhCFH_0du*|*A(JvuxWgFMg(Kr3)s(gT%c{`qG&D zv4+RMz59SuL}0b1Ml+cjk;;#>Fem3n_Xf)EbkOvkH|-I5Pw^+lL794oP0>B*XNND} zEYZ!MR95m~btgAyEgv?8d%sV2?{@QHEQtYQ&EAi}8NSt~?l!eudD}Mul!=nwq@im* zm=`5%_n*}@B)+e)Mb=2Ak_c<^0qw-iu0 z;AHYEC$ne!J&P{YTgyi(LuG{_cmL2JM*=f*s45 zmHUM8>;y#W= zmTlejHS28K!vz&X8L%>jNUCh$%INb@QdVZxuTg2TLF?AW1GWvIo0wcgOme~9-O|}v zU5J!sUQoZjTAmuxz}R?&Op`rR8b5{Np%zS7$q$REygM40s*W6|GDc0ZyLhugg7-36 zLEu8?45c_NxLf5LA%}*2CL!FGdo^%|z?*nJ6A`=ce)4*2#qK16#z8)-I3z)3vQX=7 z`RX`eIkqm60%l(fga(p>55Hb|<4pYc_#PAo<_xb5{evBwr3wb(VwZB2(vr|3@`}{o zdW6DICTeNHxPcbcn|y0i19W>9e`9k~r_PzqkF@(nZcJF*z`byurCtz2d9pZjfSo4W zJ71`o?t2)$bWyzf+m^++9#BTlSb?9tsoG7b&R&2!&>$a(Fk;g3@1s|ZPw~0e07U?l z%1I4Wp`6L3|84BjIATidNJO6Z=+L@GoXW))Apof_R)M&f%7A;fb3$WvSH2x(CpB;> zlx9|5$5Qqv%pCyM;84}44A>9_Gu(UkqVrN9)crvII|EjD{0laVavnBFNDb1l`JnE{ zge$yfKIy_%2Cj?jm!QNFKf#=NrvX97Gj(P3jC2~H`O0IajM+dXYZ*j+tLMbg1u2_v zG`QHfJ*a2Mz;sLWtFw(3;C@>U9CgnWjHBBna2_fSb?F$H#yeF)8VH5Bl-S zI2}W|8RU=SloNInbm!$-E=9NU5jexZ;ecIGjhl1|TUkhba-CC7j8Ug-Wn(Buh@z&! zbxwBI(Pg_o+P!RRU;_yV62`HN{2arcja#|@8AO1tV!a38r~#^z`f=paXks|cJtZTg z0ZhA}OJ~5ln=Un7*aB1eb~G*Nol1;8tamr?3GxV`E_EHiur@lw%j7!?Vjp+pWng`{ z@IX2M?qMGTPDHcnOOUX{FI0*Ka_{0zO9nDX{$wS5J*=h1nl%losx`k}nV_OsI516K z^wq*y<=*tZnmPe3J0a@W3#b-vtNv&Pyg_fM&Yz2jZK^ld*X#LiZrN4Ob};*lK@a?- zZBrBa-ARuHazt#JKnQ%VU5$*$%)QdcF@Wbp9}xi7qt z#&vST9M1gP7xhA58<7l}tXCWG`y1!@GK=3zBldK8$dX<)aVJ z?{X+a+~&)jot<}z&+zVWbe~}`iU@$|?x+(qmUTa}$Q;7Z)D(Slxh05z@9*FcA!`Ct zThJjwDu zJ#l6uU$7JFQa;iw)~&p^ef@^Gy=|3gC$d<|I;CVs6Zrcq+2>Y}TeFVvHtY!~7(}>h zSz6z;_X~#$iGMksH`~MmW@r-Ou!Z}M_P@JYbhRb$R~k{LVt3kz9k8jbF}3R}rMP#S z>F6Y;`BNrd`{WDUkfU7p#9^rU!;X`LRwklb~$1j$*9Z?$OQozfcbggc6#2I zU{KntP#Wpp?R=5azz_38k=DT6aUIKq8W+d`m?KP?=W(^cOJ=!km1`1!4$4BOl3!!K z7S3LAmF*@6K`Ros`pHjT(j6oYeP^|^fX`6O--pkIN5<=Pa7x;{wtr^9OiqpWm&$!& zTF@0sYCg(#K1;kT+{F0X*}jPypwi+gmShq>f8D~FstOFly|V8jYs=EgQhCTw9*7H^ zm139^{MExa0iJLi*oDW#FV5@U1t<0jTpJ8v@!*5?owfwPiBBXxh$3o0_!oCxoWD;o z)gyuYD(m$II(SjS{KZL>tT-6SNxG?LVAsC+#?=FM4sdM`A_y{-Ia)LZ8H6xfE(<{& zfq+W=WJj4mc9oe%qq=|~J`ch4C9pZ3@Tq>9a7&cx9w;GhQmbdu#*~-}It4sOMSp7& zW;ip8py2(9GsEbs-LUz5q22XV@47jEoq{Pk7;T?p14n0PG9Ycmo~(NJu4`<-uoJ|} z6~J#Y&;qrp-|e>d@iEFkgOri_*ud`qTi}MBEW|ID1d%TSAkIdBj-v;x(7=^ZiQEr2 zy?CI|{r{mKz#vv$RBieb$O9rLKk&Vno}Mo54Ho?qBLp0Z!3W2id0Cq4IABQvG#TS7 z0}CIYwHwU6qaQfAMJh$Kv?ge>yk9hCfmM$Ccpz<@jqPm#&*S_V@t4iMvr8NVV1*52 z4p0#}+yK{g-I3PAMGpPD)2Huux7=@eVP)fC<@wi67_Pq`|EHZW+~DDV_w;F24tAb@ zZiQiG=Vd|qkEcyDOPIM@y)u(_H1_yUdt}J|I+yx?KVX^+6!mWom`3_f2TTvLLPJ48 zegAMD0o1@0}38c@PL8`6g;5d0R;~zctF7e3La4KfP(+oC}?pq zV)kYD{qLe*?ju_6qhENq*?IpN{PO3T^Z)%AShoB7*#Eo1FaPE0^?zNoj`aUb=*xe; zTYV53_3zLZ2lU67v=2cq50O6)QBVIT6a=IPK+_^t`u-bx@CW37>;W6czs$k?3C#b+ z9NY)U{ddj5e>oNU|2uPl#{Ccp_b`6{&mO-Y;y52-SpRR|=p?;A0{U%-sQF(}+{y&k22V(g^ zEFW~^0R;~zctF7e3La4KfPx1UJfPqK1rI2AK*0kF9#HUrf(H~lpx^-o4=8v*!2=2& zQ1F0)2NXP@-~j~>D0o1@0}38c@IL_s=Y#~0ZoYN>yLgxTAeO)4rP;Xt6(ISKDC+-s zSRfnEU-2$VWb9 z0X7Q=yLoP+O;c_S6FL36M}+x_v>{QFL2-!~^jP#bNsq|sLlVj7o6_dieVT;9KcB4f zfxV)}Q$CyG#{N049b|tpQYt<^n07P~Q=H5-6Fcg))g6jZQh0=G%m6ZsJh(QgbUyxR zSnb=HC+CJ2Tu>gy9!0%zC$YDFVow7^zd=Kh^~X&Mvv84NE$KqBz(5ai@In1Dka<6& z6l=b~8(wRvA`0~y?h)EWNC?5NJA6&OJIN(Bvv;HXOFg zQAnSpTJ1M6h~R@?z(8ZvAbTV}qo`)xM`?4sy(6bt5oQTly3?W#!8*jhD}z4`X0H0s zAtkMXH9>MK{G~ITXQQ<88MIBZN?J5>gOg};QkX;eDKI$5Z$3f0z}@15VsA!r-jtKb{m=34iXEpj3!-``8-{B({Wp2$JD%< zvy}7f>63%jxN>2R&Qo+DA{?7dq)nB_>fS74-FPOh;Wi0kvjXIyo*#ER)C8ZBn}^hJ zbIl}W!;1I!d{S|G89iSLYLj1qCK_KN{^Iy=#%ifcG%DJ7w3iL4`SpYdU;?`K6Q%!N4Zk za0?S{?gzJo2^@bMVfT8w{n@yUIQ)%T4s(u)Ypz`lsciH|>`7Uq`mj0K` zgWE=W7!@&(w(^C!t`ow1Vt0NtwFeum(MbSu7hAI7rwx+;pZUVZmIp9_r=dWzjFfJ z$eXa}=FK9cBHiZ7{kvDVPrHO6=MHpty7^=nj*~asG@injgmu`nflaaYViT~e&g^y2 zv(ZiMEzK@fx<^W#^VPLQ9vn}nL~efMXny7@sJdR?EG@>7F}7?WfIVj%48q!Ax%I!O z0*6j>QYJE)BU!AFu}wdx=sDdh1h_ zSq;sbeqN_tJVvI8go)(sF;C`6{_))GxtliRTkks=$|vs-yTT-Bh^aN=rev69=XJV@ z=!>d~0*dOjk94-QuXKdJv3`>+Pc5@EmN)4!tM51sw@b^6co{mIk@>wTK``s)(G}U1 zz~fZ$%pVaH?h6fFC2D z+>^`@#gMRtrG-9$!cB9=XOF%Mx9h#DH3>7M%ds04q@@QP@_f z)}TNw_$=h?V4Pt6U{?fOWEbQ<L-`a;-8h}+~k-$JGX~#iZq=FNua< z_Va&z`BX6a#rs9lixbs8%^mfdg51w|*_t1@iuwzhLM18(L!-RsjbdYfAGK3+H~zQSF%& z6MfU`4vAsP!B3;6GwO33y~iInY1ld0(|c^B4_v zWwk@JHFWy4ZFKg&HoXd}{8rvo^`ru~3iWI8*UZTe<>Y2RUh?DdYt@gqI&9-^Tb)Lu z(T1U-{d_9*^fPhJ)2&SZgyIp_JpBH$e%5|&?j|f3tx&timj_xG}ZfF)nwVe5w$TyaFc?~%Fe;BYxNv!i)dP8Jy0)mm#4O-@lEM+ z^wQCCv%}dhU&a6ma{6q3Rq_LoCHHq4!y&{e#L)b@3GE4L35Izoxf$~j+sE^hb@Gl{ zmnGk3$Lo94A_^7@&__mx9f#LW-FK}N@RjB>Z(U1I<_b~9QFJ>Ngo1oRu2`=MuDsAJ zNjmxWkBk;tAE#QU)~5F8K4NLj!gQq7mgC1K)E|P4Lwe2-a=Syc)BvhIB&dlnGNQvgjC5e(r(aH6R z^TmS&`T0170xv=e-+oDJsJSrNql%PA9qS%jw{f>-V-D(h^Ilm0pq}mZ*sk>!=d2CT zgi82{t_k#Ua+e4f_LJj!3%AC9 zH{GgiEuN6M zigZ6+^|(Izyf{noD?W(%m*Gkij;GGC+^t4m{^>^X1YT+Vd`;66U!r~2-!Hf8SHB&f zeLAaM{0l{uZK})_>l4@NFSsCU0thI;-BI!Mvksu&KzmFKso8 zF*K=k)q40 z@I`(Q;yy)bnP7vGnS+Y+f+j1w?QS0DS#W(4Ab_!K)Nc&!1|5ru*@j;r0-cEen_3so zhww)vT?@T2{~J|z)$3Q^5vhegBC&^FQ1#$zVx?1GQO9ufGpxL^Cns^3OYo+E84es0 ztCsvFA>L*$zb`-hDeV)!S>@`-)gBxO!(vjB##4=;F|1KF&Qt5$V)>zuHenmKqZ)%h zHX28pjpOQt`UhuaergZGnX%dNS&rNL&VKAIYoY&n`9U#lCkEBIp4O{SJnq#8wGU1U z9V+i>wd(ZVdWHTp9!M| zW1rviAUj-W>U~$#FP;^PK!upfdQ--4rF9RUD))7ddNQq{yXN2d70|@}ZV>)U0t5 zAdXLMPYpP~b*4D3I0?A*3CcK0M>RtcCgLRA<38XV<6LIDvYms^A)oD@pK6o(Wj^WZ zE}rue;u9DYoAWIpioMIjcbVb+^6Eb2E+4LF40A^7 zzTXdsjG{P!?A?AKkMfk>h@rdnu3^MeL0G(m)xZ}l~o6^2w zsGntO@{Rj#`DJf<>BL%h6Q|Ez#iw#dZ@X(&7CjYMp#=g0(O^t;N_3Af-7voJGzosd zO083@i}0#&*F(~OkkSxfP^U0qV5i(@Z_Cyd4cj(sQ=$pbh)Fpa*S-<3Z3y&cyViwC z4kQs%Uqrz4Q)Oo5KRCg1d}sSwdW_0PiCRum>ojb}<$@O8DnzvXrJRYJTOu8OxLibG z^zRDYm^#R%O|*g{aUb_qjO7z6MXRh)){%?+^gN3K?wl+KBRiJ*roq9v{d(1iZ;=Ou zvYB*!3O{Ve8^)jYznFGxEu7;U>S!_VIvo$qbfrFRX&NJ+9qNc!Ic}>pdKDg-%g|kk z-XW6_R-E^Bou<@$FGmQPMGhfd+PlJliMOtxN6pEy+ zkhDAZHC{fUzA8GMCVnlnkuKXa<(I#|Ur9kM{kZ(6qY$YcPm}kO#qNMwn?U8r+{GsR zn8hRHR^G`YG|7sknRlVc19DnDV+=41%9<{QFk@TR`R@k|JiJj2>u)_3WwQ zxqqZ9&DXhk?Z#L}D%vPa7u5IdIPiTtTiN3ml-Z`=^Btntx0H8~oF9Jmp2iMVFYFw` z7(?4&>pROWl~r`-Z0oxFQ?TRwjxX$05h71YCLTWY0^)#&{!=JgRTvRn*b>q{D4qnU z*CVjBw*vkZB+%h5C-WykxU?<3Y%os)be7e=B4}YEQ$FPl)fb06L#BmJWTnTD8ZjHi z=$%~|D%rqs=DkFGWTeiL&ia@&It5)@vi>2K|bAE5iGBV9!)yo$7{yVk#` zx=`CwpX3&?htrI9=P%MgmSvPPh-X~1Pld^>T4Y(Q{k6v5Jxe0@QzedOq4=eLRKoMv z?XUXT4b6dx-@V!$KeL!ott!)NX;goC@`b$s-BN#Wrm0^;UN7D7Dz9I!=1bG3tXE%& z`_-tWhC38GvJ@dHTxnz9c^d3>99(`}hW4RO*P&`{)9)Y?$MELz4`sq~@ztl)Sl4vb zM7r;L9J(L4BcF%cy_+uDv}tHJ-lA@1k$VT66?0^cU!^+>1}%&m7E3U7;_X!DKbpM~ zu=ILWI&9d{V;3vGA%is|s_fgK=B6b}@1X0-w?5b4Gkmp$rfZ5u{PBl|HA~*1yYX(H z!1y(`#Yz7KzS(={#1c&cjh(tt$0tr>b*CaPjeneUgej7y$ujcUE$-lE8j@H}0jJpD#`yZz;bw_ipa(8(uf?Vb|`wyfuw~)#b`- z_W5wVW$L;WO?{D92S$M3^0C^!x{)AOlqp3e%fMa4JE_T>C6$o;t9;&+a{iAALmC^# zDD3)LRmN{wV71MQ=(sTT!ZLqaEn~f@-q%i%#$U)o%ncq1hNpJO<(H5&5n?AgBFAG& zE~k`yf&GPji${+h4Eo5@7&H;(knNt3*GX^qotTf*4=?xQ&!^7a5G)aUkqoduBHJJ` zhtJ?B;+A7t;FBiPCVY}lm3NX??wm>PONvZ#(^OHVr1Mq(ty-emrTO`b#}^_i8JjZe zTkSK^tTk zSnH=z9^86ww1s~6OPkrL8B(u?GyUVW{rGv)rpXEJH}Xuq+?RBQFl{h5f&K8Yp>I{I zLve%AB^@OuZKt33P_5ZL=bmL_;=DBu6fx0$p~mJVx8FZq@1gc;xNgMkY`2SG*1`P) zo7%H43twB}uWg4ihL^2r>@zEbPnM3WV2)GOLVVXx-g?OSCdMQS7uhyx>%H`;J+$_) zvwEp1?wli^ux8i4mYNKylHUpAtDbe+WAmiF3;*I)dpDNQ5l}>4y`J%7hxwynyfkz3 zHy?gBJl>d0p3?vedK=H%gr0SF_8*3m<}PdcYX$Qr`0tu%Zo>7V^bhr1by#l;D!LoF zZuLdbA$TM(s0+m315(I_I(0r_U%(8wY%lOCQCSo8z2%bpnZuktZyd}*l49E{&a+$f z>-jd65)6KjO%M(3w{zb>wCt3KFuL?k#pkA)79=LJG*&0Gq}et-`evog?;{X>4!9mI)yz$L@yVOXcLPO z6&3kAc08O{R4?~&d!-$|Ot|9qWOjx($Ldwd!tB7v%qhzD>^s&DS^oed}D;2RH@+vDUNY-ryb8lE(B zxe9)?&o)-3_}RCl$5-vOtD=W!r?ErCpS+tSy#Je8$ks1$%3`MZ`jao2wan6F&f+<~ z0CQ=SZX<~|(fRI(*V)0lhyrvhwbPN&SmP`hVZGk){)P+3#VL<@GNr#2Y{ED83GMzG6F|INeKfhwGE($N%*7rCVSy+$AV*f&qe6fuN0n$6k}_U0cV;01GAb*gt7|Z0z&Lv9TnR6x%4M*ECBLe*7rrPp{EGds7-dIJrX3;*A(X524P+^=SEv9YoLYc+%Q@27g;W+HKMF=Hn)Q!-YzzwSPI z`LAUEZj&$j-2nE~(d$OR)YN>L zj`Gu8CV$iV>F3QV)K24fe(}$^#VH>_AxVyL3HVauufim%mA5}(yMyaKPNHKAWo5(5 zM*LXxY`Lw}_B3yep}s5SJ@ra9p-%sk1`bG6y~ESl!`^l3Y}*JnNt`FU5r;5P2#IaH4UTA$7rd4bDEC~8mA7yavL?Bh z6Dd}!8=dBt2jyxPCaesJKNJ_k-4zCoD^Oxs@cm02k|m+3bnH?s<9CXm?(FD{uUTF+ zPtKG0s@({7dR}Q9P;U=FM57=&^S0YX%#Ck3?1%i%-{Z`(RSXW1|@Y;a#?1v+#$hw`4K_UvA1^5^0U2T;i3vYSb+ z=H}(fOZ4`lpuHb3y*b0UTW;aC>g)RPJR_?G{~%;TLv7cVu$1<~o-jUJdKj!oolOmv#qp(1v232V z>zAa+`fu$Q6-1w@t(~I8nmST_eEuY7KG?Pu1}pBd^9Ll3045fg=SHYc{n=l`&XGX{ z`^#X!Cc`qxz*vdEm5B=dfatrpbR$SD5OB1oaF z@+{DE0agfs`xv+%MgJFj?;NGq((Mbkl6I$U+cwj-?X+#%w$e!3wvDuvwym^n-A=Oe z?!C|1_dE9+cZ~bj9{uz))~aV!)v7rQzloYv9F3g&A(?L$7DElpg`Zc36%n|XKO`D9 z_T&9G;zCq%zv3)@8Lle=d-P^7O}~ds&~Lbm@1FrZ{Na*-rgWg^0qVUMDmgI0gu92= z1)PymK~XxFHpCi{xnUZ*Q8qBn04M{ryW_w<4uAnq2&sT!oD1+ps}KUh;hDwY=K>W8 zrbNT!Vl+jF#Mo>DzYogNNkT>LL)!{c4d2jJ(wWs2qn%08OHz_R*=06_W$?N8&C{K! z%2y#N<#7aOhWiph^;PLp)F<`I#46xO_(&aLFDh^M|Ey6nz$-SOHXyfD46*P?LVMA2w)H4ro34|tz(3C#%=V9~+$z@Gi# zx*27C3Z?Dw17TghYUq+xMb7iKieeH=#UY9Y5~9cvk|o#rD2STkYZ7x2x8cPNvg-@m zqN;w>k}fCAz||)D5X&PIPfCm^Eruz`w;;tP*7VWkqYHnY9CV@Ov`TSObDElTn}COy z2aRwXL*ixP)?is&NsL*-VWJz6bo^YRQ=&F?28lMFm)J}GQzMXU*T*h-pPWjiETN6s zZms}P!IbQ`vj%ljbVGFgHko>5iCSZQVjJM4i$3mGP7>weq4Q1UxlA_JO4hP38Z6Rc z3A5xrPQ~r_Ug3Oiy8<^LGEmJ->Dgrd*4m_>5f4TEiXJSyd^y9l5w|bd~1A( zxxz&2wUsR4p4^h$Jpn(#Faa4YCeI zZAWddPK!1n`D8@Fkfcm{qbwu0L%2iTYpC-Z?&7B~-Y;E+S)o}SI_Ww&8+ruAF(nh^Ichl^ zeXM%*HlgR-Tk6D>A!(wqq7j3V^7GTH3ZI(CYsaC?c8!S{OPE^vvn!WXRZE3tGue7L z2i$X9zT8tla)qgcr6I2%Yf~Om%2ORu;;53TzEiQNJ*a%>S^Sz}rm5%AA85LzS2LEs zvRhYHM78GFaqPj7qFK3u+#=O7egkuZ|495u2g()X9MlGLJ8$nu+T!mq19$j+qjBs! zd<&GsjihQyv|uewb&PBbdMpPL3grxCnhMo+!e*lp(>8`$pE_LI**a@laVcR-?eJkl zaxP-e@vFtxm3gj(=f+2h58@wUgv0vd3*z?B$04}v7F zp_$Ys)R;yF;(OwE4B!N3g3?5KutTM$WGp2I@%W9POgXtZ5?ewY@JXu zXnd|YTC}a(DH-npB1VGLPSvm_De^_)S|ptC3z45HWQ}R{s*$ik z#*pj?-0szO%C_Y&*5KvfqbHLglaqr{yW>mXQy0^T8BAHgY`Ml#la!NYSM$bo`(cy? zu7$|L*|5-XgaO8yW$5a(Y^H2w`zPa?)7?J4CO+AXHmWgo81r6pB=h4H!NcM~m_+GE)zTMMw~1Al3eOZA8M>))JOwX|t zvcxlYN5uA3ZQ1l&J+EK$yCIb9%P{0L-GQ*;v7K-B-{G95Lvb#+gnAV3lRRhK)PGY8 zRm+-Po(-wbWj1k>a9i8=o=U?S!=mE(^6GvSev_P1Gh`$_9y5lN`h_jS$@7A*FW@{Z z1SN=F*`B+(c6&0dys~_C*e9_<>%7UfXsPY-Ning+sGLoc!z0b3?Kto`Vivn4{j>Iw zr^$ZZsYTnqb`6UbU9F_B~dgCqRon zXz`4=vOXI>>m6-nlR!w5rx){-J!=Tl@&(oEsn=lzU30{rP{&7+KsX8h3mtD!wY~Q@(RKtz9STiE)2%U{UqQE z@(xh|1O(|FZ-~>O%c=Wbgp*gJS7#Yl^DTOb@=W2XSwxCmIWz!9nUS+Im@kC)x61D# z6dqJkpu!|lN1Wd4VE`%si3Lsyjrjoq;NJbOZLd|YXiIU{l$?FNFQwN}uU`7Hk9R^Y zzyPY96QQdcF%y+(@0OTtCN{i|ROj;}{8`>DVR)Ipb}$27_uo7uj^45K^@(8s_>%&# z+Dea$cmaTgR%S5FF5zeetpflA5|5D3LIIFFN1-yE0!ZTke7EYM%l5>hJFnz=CLw0L zVm&g_40`s}dacTT^_ovl*Lu}jo0@uEb2Ju#deVN0~got$nxfdVBeDl!0X26SJ`n!bt#o=LY}_JwEpsRag32jtIT!O@g@v z`DzNJz36oTHXhWUKeP7q@v7qGJRl!9(;nPYYwY!|br10S6AZx16c2YhDF7)vAgab? zWJvgP3+CPBcR=)V7_pC#NdO${fW9B0M1Wl~ff&8tw4=M7?^%IZ)}c>X5LXp3ML>#h z5w^V{*XbJ}hCaS41cZKbJodHx2Km0rjuwcx6DkQ*{1ddfw?!o=FDx=XA7L=~ruQ8# zoCvy{|1_@V07$hjCfj$l5diQ$j!hjey&*s-$<|Ct9dJB;e4Y8 z3c(frhCdJc1P1Pp&xfEBUdh{t{{#mY3?lG;lQSDkHnK6|`^PK%bOK`7%V4Ij(u5yl z@%CdhMCfwyLK{V!lO#AIO^H10kJMGHJ6e@KZ){FnkLrf8d*ZV2#OYl8QYBjuI%|gS2^I{lP}B(O?-n9b!C4x$n!C#~I0)%bl1z$_tVwc!zK% zF&L}@II}-4A9+^rHxX3a5qRdofq}-s_yNj6ph2k^q!^|+EEgN_`%Sq)spQ zKLK3fq^|9{-`~8X`J!*G@un^R`^z2r|R6C8Ti@&Ye?;Q?O2|G zo^CG;PiapSK;b}vK;S^vKsCMsybfJpUAA3we5iPWS)a1Z_z1eebl5fkHsCju@xkC+ zVm`*0;pb!<%Mwk{PS{S6(b>{TR;g6ER=u-vwLv&%JeNAJfNzDDg1?97hYyOijm3*i zcyoScloOIOk<*mp$qmSB%M;Jl9)>lz(wEae8FEiVin&f`qvoIzj%7&TAebX@!mYr? zAzLHuDDEs-&yp#o%@Zjx&Ppn|696yE&5O^TF1u1!)nZd?61@Ksnj}^!mNqm*=cCu& zPaZ{8Y+K@5ysD6nGeJoFk^EDlftya#_EtOeI<-Qs!8O zWnpkkcr45=g5{BBo~EOTuBpCK(tLW=c>Q#JaLs(Rb0vMiL;n#26=NGi0<9X&6=N3N z5|s><2#t%Gn5CY%-SnwTV4iR?cNkH}RNr;Nel~oZa-?($GYKO_n=zvXwlcV~(JG{> zwvw{yNuS6d!I(*3vf8nsyk@n2qI$392_PXNFxZcODN0e`GqpY#W*n^btu3>EyefyP50^&^E4Y@P zGm_I6GL%Y_Wt0CLFa$Az&P`!ge|Mx)FMU&kIhfj=`mAxfY_yjc^defa(APWiVyk@)49|#1*Pts&<)H zFQ)YafeEC?zz5lGYulB5#bVwmEd;ytrcQ|vkN>Dk$;*_|1J1HA)ftCnSKlW!)COQf^TH6iU}1!#=@ zj9%?qHb&LGjd>M{RdrPn6=k())9EXK4yoVgze9ab?KpIHx=NpDYo|^qzj@reEoo_L z7RUa^HQ*-VoOFIxNRqX;mvbh3*!I#E=5gY|@C@@@fuqiijZKT~Okc<{&y&kGeJOA) zdMm$EaGOrXedtd8+PW369CnjvOS2TT6U3oK*4oUG%{a;AYJRnm^q_LuICi&g)-yLw zGD0jwVnI?+ppm~@;E}Jq>fd_*!hCbQI#Q&1WqyM>qp`s;>$Gzku*xzzJkF!?P1X6l z>!D{P`*w4&zcA`i94#X_10s>_vzc*Rmu8Xy%qYJ zmN~0ArAO40=M{ldoJozVxMRs_LGQTJQr40i$3jPv=ggDR6IZQSM@uV8L(~clJ1qNm zc1G@0E(k7mh}-b1r{Q^~vX z!c_5>%TNK~V#40W01cFozE>bqL*()Y@3H;VZ#f97qvfGvZFUQTkzljO~dH$Clw-;KK3p7-9f25K<0b z(KyN2u+O*3l?sSTd}M9%?FDkqltME~lDuhxz*$x0Ycz^L85Yro&Xc5z ztRsZqrsqcbm;1Z>={w0s*cXWhnWs)#pOJ#-`%Mdo_h1q&=eQeqZ}+e(IQ!f3TaDbg z?>w(Lpm5)XzDEOj4A2i)g~4EJN9uwtLft{d!imFBhj-$5*$AofpAis%cdIrHeJr|~ zZmvDQ>X|x9mNTlYIT{Z%%or>h!D7FqiaPdH^t9}{6pv4|fDEe`L9WqqAa9amx5ZM< zw;^~jl)o1vx}{1i9ypL^LNOgaJeiGJSv4kPDq;j(B{OlE2{cpwUU?Ya?zW-jp}h7S za*_wShI4X*d5!-l^PJRw2iT44c=pNod2nFrz$j)sFP)}iz^mxY*0b?NaU}SG)Y9I( zRDXG|?(T360XXiReEL+VRni(}t7ei5r<)n|W!kCRsLSkqS%4AF5V9VR8f8eA;*H1s z@zB)F$+(4?)9jayT2G57rJ9Mew%7i?&zs|uSU1`q9CL1FV3H#v*Pn6#kk$k4b#NQs z=YLWvfDz%AK%pFGLqcW_Eg{anqApy)3`SIc~OVqy14+Wz0+Mn>F35+=xLx zUjPN-nd-7!s>@81Kykdx!@1h&HHN`H3y@_>0)>LLvYgV%s;jm`M{^-@{%o;Sb~+}v zCMfz4hBQ+XOUc?squq4%x5X)?N$iQNrNQOa9Y8fNnuv_?_w+mCna20X;?Lvp_jQ=v3NwHi4@{&ViKYmqO}R-U~9-|5evv-;?We0iz!X%4=x#}8G8w( zEjZH1R}fq=9$W%p8!e?6Vv>fEiIUw^MpRa70;?=*h^nxv3#Z5d~R=mkl+eB{W1M25VsS&ULq-WGiqi_A3Z9q@Y)W|$MeHT@C9*~D zinx^aWTa&>zC}-vew&}HoolV=%}U6sE4CVHT!N6g}cG`H?B++=#Sl@Ks zr0Lk-*xytEbVhRwJqOr104yU5;*)=a|^PR)`qSEV@D# zfGEe40EJTFj3qzDNfO+lpRd~ZJpttlA{x8E6zw_&?j)| zWUDGRso-s559FMSMEBL{ZK`K&FD@i5f*`_ZODtumWkNW1vx~F(3L=$X^Uu|4#7m&Z zOj|4qR=J+t-rquTgrA_!CC4XgF%Hv4)t}YZR!&xauHR@dXwa)IaLRPjcigl`wvVw< z43b7MiozWSsjyomXeZ?1c+K`^;f3m&#cRrX)>+yBf^&>1$WhB)>xJm+{rZ8pGBsQZ zQ(8%)NWws5cs!F$(>;);gg~9d=s|-qTu%O-L*fv`DT;i&Mtiw^PYGv-ZRJ6sQW}}qZh?=YpbkNCUgv%gA^>KMZgTJ6ccO>m z^yBi7;+Xn5yx{qM(D4oCjmJyJum3b^87LtzOJF3UPpXJ2J+u+$2h|sk@Ezt#I-GMC zWET(_`tZBl5xW$E6HAu$8<mdYmFj_P&D zeTn1|*Bo*k z;caIfZ5+5Zl)w%n=*CZ1Q@OF*S)O)*S>Lo6VtxhuMLMk_FdYb0sDdbE7;)&2^y&8k zGJH<>im}=kJ@QaRa3(bLAW{WJV@5^kWy2d|R9xe!%CY0JG7h2_7k(7Pf_BPLiTD*r z2`Uw&1n&Oh`ioz!=XVfK@$w7=<7;Qbz(7=0vkvw%CXWpw3aI_RQBF)_lF6IasQTNXCi(0->(N z1Kg0~2=7Vs6uAJsayj3?F2jS!mHqg|ODz+mwUf;n#oeEdA6O{-@EhzE*2y7ik4Gx| zSEyK^qL6SwW?Y_Z6!ZeB3CBmqySv47xjsF9Ymb|)00ASNuQ)}cVdcTj7V*lj;*<&@%8o6y{Ez2HxPR>Wp< zyVi){9@Sp#X18n(a3y#zz|W8aw8fIoY1lvNMp;y*QC4Ekd~AOdhS|=c%G%Im+qmPB z$tB;`{y_SW{}=&c{pPd-?O*BN=N}OuF02u`9CZ`1AEg%=#ZKogM|sXSS%KIgZ#88; zNg~~1P;QWysyQ?<)aHUcblG%P`|(0|(7;`%JHe{=MHxlBt(@w!>WZ@hwW`e}a?ydr zHLr#JO5)NBbeLrNC?u6unfNgt7KhVROW~<9r;Ib}6KUm#Ic=U#Y>l_MyU9I}-NQc0 zML7q0j};swJ^4**ttlaCIbKdiT2?xy6MI{8()Gg$6lNJsa}u+_9Uvap_xUwlRp%Rz zWjM$@o>p2*vCFPcQ#X58^;0*?kt<_i+G-u_UYE~fuO5{cl^oS14a%)fm8W%UZk;yK z?zB#Yw$As~TLa$ zo$SEtLDcIE&TGcY$DXzWJzSvW05Dp+0pI*jJ28XVAT(fDkX)c5OcPN$4lJfNHa3A+lxDcLTTDSaUF;=-uSqvJwv}GSvseybi@oE3 zrH=ZV5?WbOkV>u0YH?hLDJ5$!uR^EOu+oZEZ`we^9Ny|cKi_i9insR8v#3_v(8d<8k4rGtE%A>A`9ouGz=OKZ{ z*Na@&CS>`3?FzT00=%}WYLiNrx`27|6~h_q`IzZsuZ9aP;kj?m`zHyY9d2MzDsH`x z`VaTmaql}jAJ(U3PU9X564QyeZ#{Hw1YLjc63)xZmFA}iFX_r~n|s&3{6t)Lz9D?5bnSRsQQ-ywn)nj+ zlKU>U6I=tN1{Omf6p0^4rz|EyCE%V9MGSr>_%r{l4koSoyf`b;GQ@zfVv-723AM;{aI2_Qaq|f4aMK8Ka4&h8rKKb-C0{~)KX;?_ z>Jn+@LGQpLc_fVL859#2cTAJdlubu5vNICY<<>FltfJ&lRJ7#G6?t`k?EN%;<|A8O z_5P{4V4SgMq%+m{Wifkta!srcU55)|P9!`ni|fm?au9Yuq|~Z)!n%f`=4qorQ;Qp^ zYb|^8UJRLHs2Asu-ReZh?-_{m`=D z;gBd+oiCZrv1D*!%aVa|X9dP`$y3ggg7o@Q6h@}06T|e}W--Sp2+3a@%8%U5R@VcH zp7MOHP@JfbwYe!dDe)1-wHzo1NiABL72jKeEi+O@m6DdWx*bZ+$VMoXNv|Y4pg?EJ z){|A|)aI7ArHV2)`wc{*%TzACfdcszmAjri`Uifqs0DZoBFlu zfJVsVM*yX_h)L#eF_Z)h^sMv^{uU{zPDwHfLlCy@wu01>dFbZG={6Vx49^B%mkdIl#8#D#L}$T~KqMEC3(2Z9nRN zTb3xEIHJ%GA|s`ca*LbT66lg*-{mc$8e>tQW?>xTC~^OoV+(PeKrujS0JtXT+_mQn z1+itu0#l=t@2ex|hTi>6B!Ycj%J zgl&K#S|>J!#^42eiDVif4wOr@Xhhn+{pvPok+r5(TLfNptBTE=W)PwAhr^@o#Jf3L zi21N&5U)MAcybS$$*#MZ$~r2?g-<2`_`b#MjH?pHdethNr{vv2h2!iOV3z`)zv==Z z(SFAQ(DFY8z$1y=5%>&xmacx+{V{`l0c{b)VjZW@>dmXWSq$L3%hdi|i)&_uku&OQ zn2RvpEWx#{U&p17ZWo-A#o_u zGt`mKXl_1aT@`D~jozscZ2ZGb_qyVjr(hqDu)E16a90$Gxq*a@)-i+1N{$$qSS5Iy zAqtrCk*ybtqC}R4h3hmpsqaWB2UF4A$JO)WnXT&W<*iQopo1IcH5WVI*?x68?Q0>( zxTw7^LC;=1TJX*xElFYp4D0Oq5p_t}es137B z>;P^kzuGFh*6dgM7}jBmLHh}l=xQ{Z;DJ8~WZQoKT9 z-3(Qk_mLmK#6EdE`uoyP-dxZXMB8r9R~44l3L0C}TQW#1q6E})GJjw*(FHn;;RrfR zpUZVwQBk}GljbC9Ol{m~T;;hiU*DaFZat@9!3O25?p~Mkn09vEF7mI_cGXX}L)C5= z-Y=OEm2!G2Kr3!o#B5oEv{5%azL!;-MauXzB_z60(g^G9p(!|~uS}hHDVUH?j3r4+ zlY7^0_3SE`Qu6h9shs?S;($R$mW3GCD>-zikaH?cXB5{qz}?GqAIAu+=lL!=+>RBPtxfm8JdL6F*Y^ zI7nC0K;J}%&&nA>{l^|ERz`YUCN?I`AG4f+rT&je^;h2C)_WOSD?NDwd)&84RYpMQ zt#$)vdt6OinmhW)&z$EE+nKS0=y5%>2Y;KFvyxIa$`|M?6nF8$AaUl2bE7J6&h&#Dy^ z7;)+T$g7}0hx^OTmPSE=8JF(&;lT>@xOBg^jJ;+3v#Eb|Q}~mtcDOXZiG=%iBE7ZR z;jLC?TpDo`eY-cB{BqW1_(gxlpS3}-{GtOL?XOh2pUivnj`&NxbPRvp)b^`pejR%q zb1S1?oVEMSQY8ahI}wf*n zs~{@ED@>tmVriuR_W#CkMsYu+G<8i zntr8)3b^GC_&nA7$!NAuCLc1~bh4}#|HNT)9V0v3 zw^L4k@ z$zL}=v(WJCSc@2#7#Z8+vc8R18hLvI3#A`9RDPvGFw?zdk<@Yi*&}f2=;-KwRs6;Zx`Pcp1G{N#V@c&0}mVm5oj-Y(A%<(}QGiV+hghgst zA}CkY90A_g23Sn;hz?w-jyboiKxRg-pD+u&jxQ9Ttoj5LlEbGM=UAGj*fg)KP)2Dk zOAXC2Z}fvAcQXzJoHii5J-cq-et+Zfm0s>{e|yDSin z!bfjsn?7!nUMWU63wQ4n8~KWSf-PqGpO4Zedj}i_v%uuhWX?6Uq)x!*V=5 z&w1r^DyAn<81Iq2J%$ah*Trk=6OdCxKHM%nT>QPDvNKBWJ+nsOuYdr9mqCXVUXK?u zvwlu^xvW#3ul*G-gUJcQ{KTEl;qaFdIp2HGPCgzaw`X+0w*%d6a1hm-n6LswJmMzs z6;Wk=6`n@lS3^hpi2s!;*NgXwYLn>e8m<)XXV|7=kWI+oL^x@DWY|jr;Kw!YorNOK zqQW5rvBb$DkOUZmlF9tL1gcQ!bMjDpifle48SgqslN4@diAnP&uzla5cCP%nV3tSv zxGSCR#mQ)F4474rP1Sbigx>COt#UZj;Te%Ou>o}y{!*$Keug6LR&-ODDgVebugFiV zsKnxEs3Pi+_x(N`(V(rtbiH#igNjI~%m^eJu71pJbo|`8$vs#v7twJi-pHvRR^WX! z{B|n`-5+Spc(*A+utTvoiQzD(kQEx3CA#i`)xIM)&C=e>Vs)ak)OY2*Bwf)2sqf*v zyvn{NpLY;6Az*cEj=Q34V4>t9nY@EYbutG0##il3!}pHu%S&u|cHRbb!#ei9Lnq;( zJ*b*x4~Yiy)MnUbm>fL5fG@HkBQzRVwr<#EQ3m=s^AVWDz4pEW>wNi! zcZ3WBc?u!k&EsqyPAb9=gP9ol76|T=vqu{Db{Oqm@}6OwZX8I%`*!1qpv{3@V9lSw zTHRHWRd|h{4b_XKB0?(W-8fw{@S!t`TS}IyE+4Oouk=Rxw}7@ggrToxKqYElOI!IM zv_A>E+I*n@ip>7K_z6wyuv%o6b<*7Z&7-Zo4fxsZ!BLoCL$l+%M{$8$!AoxbiSy=p zxy+tk*D=;oeSO2br!sXl_t912UIOv#kKh7OTnWmm(&-^w4+A3c!_5H@hk%0VMTKHq zM?DJM<9t*6={8rK_rXTX*Wp&K@ExwOFhT^yStUmmqFCCJG)8s<+L8zPL$jDKE!=*|Thi@zT<&8-#3UQ-FM4Q&IWRZxi8iN$C8tQ+E(IacqAS%M!q-8XK zQX(UzQX$~TCV^%y-co=fu*aBX9oDxKqR%xkWb78nE<`~+BjGw~{Maqpvkh{|YBEh0 zxYOyY7D2hBZ0bq6-P3O4vCJN$=Nmu=g$!2H;~Io*<{eQ=%WHQOUaa>^;K*Av zf!R@0w58f$`GHbpRC)&;y0S1%y#RrtSLd<4gSeUBc^&6Kyfuo(mmap0)E-5v+LSY- z{T#|jqte1nF*kK->vOiKI& zPLHQREEikVF59S8%+AO#HJUAVqUVIxW;O==kx%xFwx9E^tF;YG%+d61SqCwXdOn+> zuk8e=VM35riZSmEkt6bn!=Cn7fsWb@Uj!N~K`zTJRGLeTA3CSbWdyI$NNAxJwwWSA~V?VApbEh&|0k$o@LZYbHW z)nq<1u@^6%NkrkJ^z2O~oL8uyJAQ8_z3mUXLxRAD4nIQrYOTmASs84_{<7B{^g&+$ zz(U^dRfIMeJ#-Bcmi$f-wiDQtbKNB%xFVYA$>a-w311_y$L-vc+1WDt>f`MZw6TvR zRi+}yT^8R4w+O{rFZm`!pJr(XQ3oDQXYjG2n5jSu;1%mt*~Yc`Yx*&uFU^3e%lTu} zw;r@>)bN&N0;gJpgS0Pc)l$+DiG~GXt;ytc=X;w%@Jq@`|Pqwt|grx}%Js zf_wi76#RyIbSw;i22c0_HGi*~e}aOy1^NFA|H-HciYX~kh!~hV8rYlY>HJ!n|3ngR z@b3>i{#W?-2ZsJXfqy@6?cZ?jPe}axJ^!=1{~sz_G^4vLdvIX|PThO4-@b^`lcW)~$IyD5A}xdRYr) zWa`NI@_wm!lsT6l1#8VNSk+(4JB}~v_-YXb)+9^3C`^O}MJ;PWxI?0!ZIaulLCA0Q zqRK(L$hA->H*LbMekom$xf50)=1MeVae!?)A=l~RUPd0Mf?awE>A7ev_D_udE&9>Z z|GAa$CqsS{@J~kn$+KTP{DuDhfxrJ9{86zn(cw}tvcBOz#<$Yn5E}je767uayuq$N z0pQzi$G-qTX4ZcKfJ}66!oi;akcsvOaC<|ZzX9Mc;pndb@JGt;7XGJ;{2|2s27pYo z%x}2zf07s4RJ^PaXRuz|pKYA*vWNkra6SJ$I+U}n^0UJ;sKC30D>r$#5-dw!-s|4?iaBHaZOC6WQ7=lq|r4F$W1{VvU|V+RVW8H&@u^Z=vrbHQ z0dfeDQ6ME$iffh9Al59A9wTe8{Ns!HG{O%rFvpPeoO zs?|cCiLGOBV>qwEiirlx>)@*Tygs$P$CN7f)*1)*QlXL+LA|ow4I%DX(;pwDoQ4VX zFlp{@N~bM#7%lS9wKIjTylq--_69P_1b7`?*nU$T>Dz!q@fo>5Y(h#vEV65x zw$=gnSx=M(Fpep&h!mBD&#e%Cm%HBpRwN(4(=L3s`TowHfa~LUjpI|j@`S8wnq+>7 z^^KUm4ApZ?^6v07Ux$DvOIr4dy+8f8{5WFV<~Wy;h|0Ea7$#x&b}4)e`%&F2tM-AO0wcdFl5lKk$_SOW~jruER-^RkY`SajyhOh;Uh^Fb{{q; zB2ffb;lBbqE-3h}=LpJSTA#wTYjO!yUmQm)%QZyo7@r3BLEI_jL$VhGXqNyWlFl^k zakh5mYY!hgk33wG8IyZQ2wh}` zp(~pVyLG!Aq-mzK;@okh*O^Zs1|+-oz6~_H~RWF%RM5vp6W+x0sP7u@by{1qk1hnIlf)r_STHuKK zZor?-c@9wy<^edUF!fI>Z|6ylT5%!Kx45mr!(mqe*ELKNl zh89S72U(vcwPi|b#C$!L)ZC>i_1j6}MdI@8=Ut3V-UkFnG0^7li3%c|rtJ(Jhm*|x zc|rbObrl7bXr37c!N+p--WVP-8kT;x^C9r9egh+e$WalTxZTPneNjZz1d!UH%3^8g z!%2m*;^O!vHIT@GcagN7L&aKb^uo$6Ens{E^lby?O{7y_My~SdRrA?{cH=)60!q$k zpP3bRDN#f7bu3i`C_I6?H()?dd)LfV98i|NzZy!Pb;doSq0)KQ`bL*u z>yLw}CANokSc_W?4oXS2jt0o3don@Fn!ch83IU!b*kyZl=ygbnc1Ghl@ZRgF4prrrZzi=fIl+W;-U+l7 zXwx#39Yr;;l4M(`Wk6Y0=2$(9&pPUo&s(%8ZUoK^M@8u=cQvzCE+|_QRoa-t(K;CI zv;*G|OshzP_|I1yEXs{^k1vz=d6!M4)*LJ(JHk9t587z!lTG*gPIzXY^T0l(0+yk( zI@ArK3joh2KOv`yp64g8gDVH?q*!#;d_<`<5{RO9D<*I)^+Xja;Q^;!K9SDd*;f02 zrww+$;k;{Jig>}m#N-JheOT#uvlWv*5Z%8!$SKS@fWls$jK>vq>O>8IMjUZ>RF z&NZ9TJ)7zSiCM|UgjvIl{o$-RQ(c+gdVNh_G=kT}p^G5=7z%A<*))1>ChE0tGX(>V zdPBWzH0oR@{&T17cA%qTh+0St#l4p7mT7AY3y zzzaE3M#Pi|&-`=GZy@{Uu&%~92Y{2dl8+FgQ{rc|NCmU+65n4Z@krl3@Tlv`XlDA^B5iPw-0T%_4d+OdE?ak3~9xOy{=MJz3>2c_E=Q48M zZ|Fa(hJ%{ZPTANYTLx$XGEP*7V$mQD?BGEU^vls@jpt+c-AL%f+=N<-)}8-SFcq+8 zeUz=2Nd4H=dH^(ZE-gAnjAO^UQ8Di9)0g1G5(XvWG~{Kcnzkf@oqGd3iAEy@u=^NP=N z-wVXA=8k=OKTt`{5PJK$q6OB-*W;PWVrOcYq6{RErD_|>{Ej(5+S*4D8oF0;A~N0B zNnIX2WsfFD?0PtM9h$MVmVzesv-+S~sq z`sse?V1H}+A(-EQ{a^ool>6iFuW3K7|0(UiJoB@xzvuj~cfZQ{v$Vh7|K%FuFV}y( z&tLQWmwNx(yZ(CLKc4!B7XH`#f4=44gx;St{w>k`Pcqy8j&DB&x3^$0|54jRs8hX( zYPeL)tZ&u6UA$@U>E7&c|E#%Z{b8c{kKo4eLkRm*bI(lA1o7WA_qdF2Cc{4kw;xUY ztK9Y`GyX6F{Y7s3new}pzvVWjKP)@H*ZMUC(`p4F_hU)?lc^kl&+7Q95(^yFneeol#&Z5YqsFq2}Il)^1djtVzV z$%pORrO`SsF;|0!qq*Pdm% ziOHR8$rSk>H!6>~$sA-L&kJ$R{oebHM&=NpG`WnKPM3rJ_a}G)&ICDwPok`z)dFld zS_|0pY&98cYYcf}C;YS;;I5-pLy96d=n`V{IVGmpvVEr{;v4ndSpEnD5_c4KY@Fcu zvrzrERz3&=hMqM0flD85kuirC{8G6FetwzkK7#EyopZS9^45NGt3WJya`aC;B|>A3 z>`2fS?{2(tX|gt?ZhfZ%cfqpVef_kU{*Y>spl3%I}W{WX9&fE#52l_FB->WBk)2m?AY2^@t`pN>fMw=FkoPi4 zQKg#JlZl#c36h5xRv75=#&0eE7_;yP#)QHW%4|Vggbbmc7YHUit}BK z)HL<{uQi@BA?iuv8KW8e5H`0pcjscPAyz~-xg_|b-3<3OVyr$mIsQhtYkp76?FsX+ zk$b`v`!*s`e6Ey}l$bqHCum5NI8})I$)sDs0Y>*Z-(qD^M`XVfezt>LHf-z>8+#+- z22A(4nB-7Y_k^z=2oI3aKx1GyeDYaqcn+E{!kT}q5T_)8d$LvM<@=4qE~Xwy|1aPT zI44xB&}#rZUzOu*Szz84l$#;Cnt_HF%_O9OT3{ALqd*@?ccZ$w89Gb(n6f zKs~JVsIdWIqwOugOB>I2Iq|aTN8}^+Tc#EShGy`&fD(GhtrBGmVmYp)}uhF z^4^C?nHV2>3Wm^1-Qkz1tRL4^R6z_HNIe;zLaZ^%;kpniliqnoM_pO7i{m^b!Zd^z z3U)~Q^W!yOw>4ou*Qd*ZxqhgPh~3qQP=~b)kUwv+LEIeZm-Qy_B?u?*CkQ6+o>=nU zLdIm-Qi;;TimXG0?w{RmCuFH{6}=uhP%matv?^OwE?XEL?Vjj$7cl-&bxBu~6J@Vm<;x%lE-Y}>YN+uGQ+ z?PO!ywrx8X+x9=dhyVM(s`u)>e|6Q)Y){Yj_Vm>5)J*s1+iDVY9QCKrj6u?5k~T6^ zj~u9Xl2>QsJbQPTZzeG7U^S~4&!|Kqr6i`HH_O;7zILprk3U8JAv#c{_!hErI8(w! zoa>(E6jP0YBy-yoTm|EWet~EzbJc2-h0;@1R}y6@J4NpdHr99RH?Wc}$Q%-w1#bgN zAIQze$Vi52p*=G`Kb)qQCNC9Q$Qxf3YVL;~yjY0bU|bTw1++Y!Gn~ArlxTE3C3cit6F#0e7j?8}d61)bRmYjAEgvpBrUpDPuBDat2}i%^v{Mt+St#DjPuY{FN!BLqIc}|d z6}%X_U2UUKBaC0#4D#Y8VKi8^s*EZ#!)gGQ8S%Z=Z@egJYMri7>U5bSq0_5I2gLB0 zvq04GmWc3|V?(^>YWtKK-S1EiFG7*t{}4Ct7o&KzSe2I44`LxKGYqh@^oY z?XQr^oZRf@7%jPuH}wFOVSADLh~%LrVUtMnODu-6qY=EOHnS_IwJ_uN(}`A-nsDSA z_eirsy{26^aL0Wc3@n;n#WMBaE=j@naSog zaUL{x*9d;Uxa*5HI%DJ!v`N`SOiKtSMCc0rrB^l-ZX{CKYboSDTNCikqCkiRL`D&2 zE`sJ=>2z|Uju3y!ct79lQ%q`jVf*b*-+;0zoEQX$orK^5<4TXu!T^d7~P3J+PP|i zOr}X{@0ys0Gwi409C>Xgj$7Vvtaf)$a0+RYh?oiD9-q=%FgzMvkQm!VOkuciE5xcr z)D^~1+d;HIQmG1g32bJcYZ5fk*dwko!T?mooMM+u5q>U!3OX~Jf1 z$O`89p^nI3n7Q)tLBMCh>38Yt7$ig~*y1Je%Vg6;b{&4QWMob9jC8SFZ5RBb*ztygLxCKc>5ZWRq-Q6be>I-Q>;s zOO5>G3zD)8x+4e|HL!4yec^dD7d)bD=hH6q5n|yL&And|(38b)GF^6je`oB*;hDnC zmzAqyOMc;*d02(4jnpaL1)MSY3KbCa`Vx{A;Nuuh2WFznxrM8<^BiVM2PpL3iPNN$ z0o~oDgt;Mpj(EfB=vUxs$f4n9 z6rUJ82fugmVs&xv~DG5Lg7(Sd?*`dDnC-X)IC5aqDs5Xyjq> z_3IbGOQHseVnEOc^62V&7vB|&V++RwlUre6hLQPbrTIzA_1$jPZplW*=1=w(%o~Lt z;d%x)LkFv;b1O^ysN^@m^*1d9v28S1^ECcd+jE^f797H814B1HuFE*<;$SdSHY|~; zf;m&v44LHV0*5~xaoT~}o)K0>?#FF+Q+F8Bf9KN?-xKyG54|P;dyV$s&CV@enOBFr z!D@p#Bi4IOx7OD>zj9?M6QB?SsJHF5A(3%YR|`Df177=gd{;moVL7v?rJ}`kQnZ0y z)bCa=@ez1+G`D1O@pkn!8RG&NRfD%%yjH|OUYzK>NSyeo5f!vsoM}|f1vwgZOvS+p z(DO{6BpFb{)^9@|t-s&9!mM(*?#x=VxJ7hws%Cg*qK}#|g-#`G=l!7yZBYOIx!7;C z*;of>_1gRBA@O;kcqTVR)^bT(c#Cw&YlNQ7Las{7YgKT}I`KI% zT1YmR+xQMSfvxtO^YnJQZqJX{6=E6W)P1XC=e>h|w6JdbLYgd+)wgl;B=$yF8CV9+ zyb49GBZ-;zI{1tr0W>=Udh z6*#g*vQEr6^O&u}39jH1`XMMB178ne@W`wd1W&%*1ZiDMQCj~7v7kShpho3Ux%0%s z2g@uU<((*9ByvnR8Ms+`XhkfSFXV=_&1&-(Jo|0KC&RH9-V2K*^OfNSB{uSojdNGK zHe^l0JJ_}aghyMFWajl5(hf!|2>XvPid|Fuucm}>pUk3|&z!D8X`2h%2&pea`d51> zM;7MJD&2{-9EOT`)%Of)VvDb_G?L&)UN`K{6eT(K&n7aWAfT9Bwh30dLvet+=BuzP z$nHnmJ40+z6$vBRVgDF-h3-^6?(d}~1mv)8m`^28?N<9<`6{;I!#~_uK3QI9S^Ojk z?VtD8P2EghMD%{@1Y)m&n9b&57ZR0%DP_j=hImV-@kZY2;-%7HD!-=KmjxU}-`Z?~8sgm~8w9n+X@Y#{ zNG4+H&7K8OxUMQ6_s{pB;&b-zQl{-^-V?pl(2>qkENrhgHqlEImy?)yn~T$FBXhai7sfjEo{OZP%;0MF z5BnW)m~lZ#2}st66)RC2#*KUU!gI&5Ek}2jsR#>SerD! z(Fi;S_gVTZJ&YJKBW#pSrX@)Q4_oTM#g1jO*l3j-e(HwWLsF}}zkliJ1Z=ClV$>`tT{+lofhxRau%7i*h&FFPQpYg6Ra>V0X6DHfOYEN zE9+hj+Tm`Z{O|pUW0Eplx`}0~{%aKqL9Qa1JWwTaHb%x)jWcxM{o4JuO_a$;Rs0M6 zR!v>P-+8l^p(E_faVEyKvx^tJW4sB5%I!5`fjt{Qd{LEJ9*#USdava~+RV)K5tEjM z@x77qL{w1!QQF2g+)yS74ZNUQg4N`ey2T|fH!TiqBW^6%*8SmOfSlW|+M1!;F56tu zc~Ak7!|t9Lmk%?Q7Qxz@L;%Y$C#&l1v5Jjb|0ATeO-4vvt;}C$+z+tcslVKTr@?DK z9y!> zw`foceC55B5G)jp-&D4I$>=Y)&{7}X`GoV=<~4WE@MH=KtHW~!Ug;)Lh@6kH<=0|qdNVCa)b-sUN| zu-&qowA0<1LavESmXW~~+pa&@;CCLgVwCn+As}9T<+?^adOdUHbAtU1b1hw$u1b98 z%*y^<|i;H!G>6P5+6Jr9EW}GotueGKxj!rR2WfT?SM{V#6t|RQ&8U09MqKi9&e=_P6noQbOa1 zRv0PRH*Ny!1lR)k^^B!FIRHr%7DkjrMp|GV_WMWr70Gm1q62`T?4=pQkZa*|`6T&+ zYXkcNPycUbVkF)v_bK10-f5F^q9dFme3W~m3KZwY5LbPkX4}uk$)Xl_UX`smv6Vws zCq>NeIZTeQPK)0d(^)PNHWy^lLN--1CozP9^A4E^_bvkD+cIX>_-K;TQ?+=)cGd^z zJ*DVkgE7pj#41v?Usr~9mNx)L%X_PPv%#2}(5Gg2JAkd2)DY{6HkXx&kSD0fT5ip? zdIr^$^(ER?^2!!siL#$6^RR+n#>L4s#|H5uGt&~iYnqIeBA_sjc`Ohp!4EX3&x>@3 zNaQdFa-5`@D;OvM$bg-FrKi=*D|@*d3e0TsfOxGw_!`BjdN~ao7BT8n*;P5MSvkZ@ zG}Kcxoejl!^yDAsrDy`>Bhj)A-oERF}J-ZNj1w@%|wgQ2Jlv~jTG>b#7E#88m(L0*v8(6Fk# zj7;C}$N3~9Auv*2xvi_%69eYwYO|%K?8qf0B|kpquaq9*>4d{iOj#idXboQh-KQ{| z=wM{(1y^-=lLV`T=&Pf4&dV2YZXG>af%d6Wqz&zi>to_`pSKb3YLz_ib!%46Md2XW zJv$B4EHVSC+zaF%IhIQY9 zRxKx!cr7NrqB?8lp@Vp_y_$m7>(){ zj9q0wh_>_$L@^~(v;HDzn)K~H3)e}_YC3GXqM8u`SI|B?B)wIo+1#Aw|JIyDRu#Tt zyRmLOhRIncLc_Cj!vH2Q!hCL-0wAPDme}6(6(2s2-q{MxW0lub*q*X!&^QPN zQ3qNj?a#sus@gt>oW>uuBsDaVw#9rm^%mKC8+UR&!nKL|#l*xYvF-bJYg8Fgq6go& zgSRekT|K?5$F1y_&zUonG3wN?n1KyHA!BreAlqf#9mwmLg)LhVeEVNrv>Vl!8euDv zO!W~x@YWdmB_}-Zv{!NyJrOPOU``-ENwf2#nMZ>{K_wuYf0W!66mfYnCSh0^)q|tA z$GOa(!bdw{8_~hF#)D40PxPhy1cPaYZw-bh`-=KiHULsKQIMJcpo9OzE=0bmR6GX* z#iV{tEXh&cLfKAZR}Ej@LeU>7frnMT;abotrI|f?;~+=5P5Vx@oYoIp96}j0jVK4bqdjoxb4<4KlIj#;&WFZeeK z?o?WV^(@C1`Hx4~h0(`OaT#|+FJTv2FMr;F7bGurlYnVC0US?PaBEY1tXA$-e_=<{ zEV5m)&&-DCi;ahR{8n(<*ZX+-MT#+Y4!x{#JA%L?MdB+05QcK@viw7AM%HmlOgs>nH!M?)`Mj{{Yi&_u#1dRi$K3l@#W}Tx*p=o`QjXT1L zQU&y`7<9m{&N}=>)1*=Fw%}4c!!Ts(R2#)N2(I;r9B#-zAVJmia0wfBEu0w?$cWe@ zR4s%>dohaUT{KguSD>DL>^yQYq>@NPKO1_ASxzF<^9GCMZ$m?vh~r~6DCY9nsX@+@ zMi|W@#^%2+?a{)G?Y0L3^Tx-Vn!|3Y;TVw7k={C0r%WV zNolq8nWi$s{qpHl{8pXHs(;l>3muK9mADB>476{sd}}@K4hb5g&5GgiuxWPd^Pu$Q za6o%Y#?X;nVBQQqciEgBrAQzqhEfUZOF6TN!|bw06qhPY zt=+8?e4?~P0_%|Wg*vVX%Oi2p`=MHe1NL;~6Lb^O*srbu{1|>d=mq8w5FheUM#qG0 z^+#HKSjN?$MAzb{-5L-91mykvco@otgMdLXwcODfSt+U}-=LHTG}V03NZA*R;7R=B zhPbQS>pxZ@XwefFD5FzG@-z8HrcO|9J6u=taY41R*2z;biV(8?FQ!AV9Wyg%a(rQo zaE3l}ZAoscA1#Lojnc+0*69x#P%9?w9EE(T+!coNsdk zI4d4uk|Yx@m89{ zL{Z|8Pw1G#%s|^LG2nUa{3ha|1Y&xejD}+;&$H*5I?^n2o%+fkU?mrRJtJfL`V)^U z<9;Wd7;W%IAqBBbwujtd#R-uEQTRpR$5!T z%FfA5&CI7@39y7w3B6gYtuh>O%-@VL+~gy&k=63K}3+_q|{>3Om-< z6h@~RcGSf_z6M`!ZX3DN{`9(7)dDk9O%w;bxWQ>95?O@^G1EyOUGgZrLEmxm8M4D+ zMEZIWM)OP4+m^&|g21cg9Lp#T?KlNzhZW`0H&b{MM=%ywx^r)j}=it#4K*KA&J0d=S~>TD~hL_xovpvZYPPgyWZmD zq>oD6AoZHdrILa*1xf{2naRoiqm`Q{a}!a6!Gl)T6e%hocc|85X|@sOkXAd_f_-vr zI>zp3U7v3^!Sj>pS$bURlHThF`nZ4Nr^w1rERKHA-qQB$tw5`HOB3zQI_mJbMUgf` z;L2M$0}|}iu1mIjCKR|H@x}7MtsgliE$Ht{U)$X1K99sh6U)E&D0?mG9yrb!mO13N z?d|QjH9tvJ@v4K{LITW!Ex*CZk>UT6CNM7J(PQ;Fw(G00{E;waBzgbG^ji`t#y4g3 zeru%l+~PbCm_idehI}g%6Kf^lwzy^skQJ;I(oX z*Yn89IP+|bw}k?oQ9JS9S8fwUDCqE==H9q^L8YovRPh? zw6ybZkHqk;F7rOAPS+#dtn+@|_F`YS$q!Sl`lj9P)NsEfYvn2;px*ftdX!EPWBU6F zaI#OQ66qAaC13^48xxlMs0j~+$zHp>k!R=xKCk8ZA1WM z#2MOe{vM4KuH7+|9iB_vwYGel;Mf9mo#is@2Z+?KUY@Kpf5s{;X`#~d8U2|O4EdT= zWJUY5ghlhIiB$#DW*G-~r-3G1ZfrG(W?WA9UQ7l*pn1>iafEwtt7dQ;2 zfz#2hZnrdZwKlY#X&aQe%lZSDYxu^MyMR*5;Wz0+F+~-Mtq{;JIoOPsQ?zfSX+~!p z%P&K5b3SA$=`0ng@%Rapw_e*r31143y0Te+%Za`aYldK3_yFnh{;%ke;QJo9xEOO*-Y& z$PF%=^!uvJqaM^6a0#(HZr4s3zA?HC+sE4+v1H)8!c7GB_^T8QZ7t z)+ChQoaPFW0d_n!<_m~2m733lO^qirl^on}S5c|ag{8q6Ozsms{uahE=pRi&j~iV! z4}+0r6LG=Vtw%dspV&A3u&z5`TK!_kfdH92_dT?@u z!C&p-DoVCqHSu_85+VadjoyNvMMtV7<~TXXlC9NsFU#3&v>!Tg;&%!Vlkyy2_W+7r z+W1*zEW%;~R#L1xY2R#&0I)26UU|zZV zTielZ&<1kte2_>aG+u(|&=ADiVZ_>uBuGiIITZXkXd3dM*e?HsVm@Yn2m7#NF%yJe z3@s6vd!GHsWlm1|KE(ZlN_?qB6Uh1OphS?v#2oVtOmCg=9fwk$)fQU^;aSoR&=QvE zwiA(a!LD4&c^q9QSn9{cUb;PjU9TIU_hV(f>)~T6`@5+oaHiVyUzx5s1T z&^^kF;>j=vf)xM>iCG6HW?KXeAI8Lg{j?HqemZ4n^*3p*9IO!Ek7ni6Ci;OBXk-MAx*HlJ$g6eI}R$)~iF1B(S3wK7k`hAm?!w5C# zI2M@{)4V4QOQS|(4D0x}7SLqrZ_MRQG4#4Di+TR)S^BIy!TAAUh+&&UTa&UqX0}$S z0^i3Awu}b}27ClZ&W{$L616+{qRtdPXP*3Hab|%2l>{@VvOj&472wlfy`BWpR+2RNZX~2K?Gw@rW=Q;j!gYE z$Y;!rZtC;*`=DWQI=?Nl_ZjEUezu<;aKH2t{$0>`HTAVW)Z7F<~3*9By2FVUH zCzUdfq+c;qOc7-4E|@88O^N$bN^3nGxZ*-H;DWk{5eXXgI$)C-gq$Kuij*W(X)KYF z6bS4?>|^Ky_G{j3yVelsuNem4P-WYSg2i#W0~e&F%&GPSGCn z!im-n%q#HLl_SQ~weWpCK}{n`{6gw{S6d70S6dC1v1+1Cb!Q}vItdnRW0nrEk(79bTa`x2PRs^Iyf9D*Q9? z_iKvv+Wn$dG>)tFQzW8FMOp_{KH`Sk?en9|>U>>7i7Unxq1$K;;!(5bNN(-IL*lrp6u-syaZaO-gS?UC_zB zDSLBkIR|>Wpmf-kT>l)q&|TU^l!D${D{fELWn9|d(<9^i6PAH_TmF9}Paf|~_`0h< z4dX0MnGe7OGTUWE#$fhq=s*uq#>reLZ)_}4Hvlf|)eN6LCrsyf+XR5F6N!oiBE@NO zrM#R#X~qbsbcv#3cBYIVw!0q-_7$IXAslGIc z?>h1<_vZgb&_l3YwWD)jp+D)dR6HH<6!1otGx>D)7MK(`>-QuT2fz9PcVpLgT**VfB%cbZL_Ofp>SdJyFT8%2MFIZ|=y>8E0LszHN_ zCTDP(qWHbbJ~$7|zN698KE~?T1)Lq9bqztfu75ilA62NXKFC9#=mfCUHfa<}=nPLns%WXW6Ga<)T)9doxHAGS|R>X1@+^DV2UR7%0m^`A}NN5~@qw_X2M)SFQ6MdmLE3wtJ zJNdZPbsO~v#F;vu75!UggL z$3Y7UW(@a;wRmq)Z1Ix~b=<0CA-Y_N#9mF=nIQ-ch|q)|cK32>5Ax_UgOK=yn`&s2 zeL-b0it0OZr}b_rQi~%m=*u?(oBohyn|Q#{^jiCpTdJbJ38geEQaV#T#Sla6GjuTc ziY}JIro8R0ymYg=*Lx20KarSHa!hRxa`WLp)G-Ogbo65MM?e<$yu-81OG}Y9gI)LY z8-&gsV5ygr>96j$(!5_Jx9Nr5Tu+iJ6PyY8p3M zH^LV!#Srn5Ts46ZrPxBrjXqu71J2d;DM9i@OZXM<$i|P=G;?C1YI=jR zQcf+0t0m*Z&J>g52na~Scds|2=gNgkPS>}m_{(xH!264ej#k$P)5X3!a%heF&G61G zq>mKWU4*R=f%I9S!w{_aETF0DV{mY7%LSy}hlcc5cn_50oqo$6_T}|&5?PXrFHX0^ zcXJX@2xq%dpFGD??j=~K)gW-2d*C^tS2bAH(2Cpwu>FaZZV)uIZR3u=*h`;eMw%(7 zt*NPuO@?$&2^hraE&RhCFIE*EqV{GUGBv!t)GDq_q^_kbr=_I^Uy_%@@2yHoN!o3* z1kXos($E^?uq;3)!%2z}6mL_kuk*}z#Orxiwy9@eCjjBv7ZA}a2mMZpfkNxI=uL4I zTrRG!8=O5ihd???O}cZwI__mG2A0G&Yj9tv3u2~%CV%&$i0-&v6z4Zzc5R}DzzHE< zvwsl3A(+9|NMH!fUVBuOVf+|DisF!LZ*#-i@}nmPPI>QxhzC6OXeFN6X}r^H&{dY( z@7Q`p(__;yc^ply@yG!nylwe6cUNJkev{tz?KGUbXVnVWNp~lo?bRG!-!)60^%vJB;8q<*UWOLV3NzLY>w=2+Xmr?)#ZF=a&Uy zf-^MtW6AU>J{USEKk~iwqik5R%ksogWoXiN@FoQ|`DtEI7 zZLvGdWYKz1ney!QSqnI)B z7#86@BT?F(HVRZx%T>MQYBd~%0*0TN=s=f2g(R^>gu`T zj=@PHEJP@t5bu~5_7BGsmp2!24o+^)2HM7Iw{QaqMXa(Y;cM-*UWn4#bfjB`1^~yV z0vyvpr>V=9~+g$2=3XuRY{RZjM6$u<%ODsoeCk7M-4AL_D zAs?7pX3KGpX{2cKbx3tnsO1s0Trai= zU!8t*e`mx(X<1!clj7)X)&t?{YbP|Nm)nhw>c?Ggj-zkZn3tNC!C>PUUytq-=JEZY z{F%kK4ipQ>NUmA`7$!)BAD1t1C(3PKb4F)#BI^JgCF3%d+@|3C!BOGrbicyIrft}^;_C;5N5Bf=_wW*GD`ZZTBa}6l&KM~v?Hk3W&Crjf zyEg|mMp#*y#R3V4j81rS>+^A^stVI`)mt(nlu-j+tyPP5nHrdwuA3FC>4Vp)*;KVI z)B_9h5JTH}NqKr^LzR}>+;T$`0@HvgWWkK*7VIH#gQ5mund9QS<;P%i#`GNSwcql3 zp6J58yVE6`44E<4XzlDIrev+2qDv-?1P+wvvG&lvFoaQumoYOYmZ~5~NUpd|(qiaq zemovgC3CUML5c3tT-!O?kk zRs5yNrb*M9nXN`~0cMAi;t@Z*bBR)TK;1Sg)R2+6t(TCon=6$gkQ5zQzSOt8Br8YI zP-`;kJ2hK9Uqz+S8K40-oQ;)^K?#H@WRzeFi9sAX3?dvuLtBULsuNm&&I;DpHgPo3`j_f{MnU=LAeYv&`b$r;soSx0$@f1< zC?;pbjaxEY9Iclp2sz@1hTC4CPERUwu|u7cpPtS;z;W^OPamJV>hXaj1iyE=WpM9t zQObo%k>>umVotCI>yAfjRd51OWa9;&*Y>m7K*tY=*}V}3!US3u6?m!H#vpxS)!IM3 zsU8mwXIF`JWJ+T+Wj_;=JcCfxzc4$N8?)wdm=L(l=6trBbJE7N9|;OeCiU zKk8R)((Mdmu2Hj(!#-wyMWFoVJ!=7}3IZuWkr9Oro^K2kf}svRvT&k>)9Cm5p$f@} zfq7N$=7N5J_i4cf7b3GuyDa-_YQMS_h&f)zK?$q8>tiV(SOu;+M<2aQ)dM!#*+I9r z6m{RGfC4GRYPdun7<4C>LeQ1d2;!anK!#(z`9^2&aQboQJl|@~(@@yue!=3+_166^ z0&8F?p3TN^Vf2b9zIOoGVWi5f={Tb10J&tACO}7g0wqOplqiInjGn1-x#XSw%=@VK z0gjwi!ZWZa+TQA2V2tGr_xZDv>92{0Wz6VJbzv&1t&s_t|M@gMPjwa<42JomUW%GH z6)Z$#E%QgqR(;C_ZNm1j=&P{C3fLRCP|#!d{v$~zy<(e~igHSPg1SoGv|-q$@b06P zm+igs+k-9m&U2D$UE$kcZTZ;uC&P4@<$gZ~15nUwRYEgbj)bKyC3Hk>Zs!ysPfBf> zICIasUp)}(lYiS}tY|&WO#Fx9qkRvy&skt$T>O=-=v-9Na@hG$g#| zFXIj|gBU%6$(oLQN{fEzM||XU_upAe)SSV#^_|r|*X{hiY$CIxweaa>h9hm71_WDu zazU80UF3jktW_qSxz%x{#hG8OiKviHNSp-X?-%GE>Ns|c} z_z%384g3}w=^5AKhOt5y>PohDV0;y^X=Jz}-}jS~3CJvd2W*@^s0e>7d{mxp6!JvB zjc#VW=NVA;z)!gj` z2+w63?a9#zOU%*9`ALW&)3}bZ9NMk!Z%JBogJ+4g-z}`X%^x;UKzqr`e)8Idt>jiZ zk3)xiF4 z*!*4|P2C-(Hg8fZNZ6dhBZ$6{L?LGBAZ_Ij`-F$JJMaRvo zV9`uJx0|>n?~&5g^j6KJNT>BWLI5LcC*C!sgym;DbqQXVm1=EkPPcW9d#*}k$JI;= zeDDf}3&P$hB}@{F4&BLkZLO@iS6^NB9VZ-C1*V+Ep#mV~khu2i!~3 z{kz*j!2!m&a|#Y!m#NEAwv)xmKfgbQ0jr`Gz2i3cjp3idq^`Dpn(vQkrPOGfVKqHOA?VM_ z#`4oAh=#(i`6A9pLA%^BrCNjj?$HP%>qj35LtW2b6NUrqr`_fiB|OBnXPnIH1BA*5 zqmOa&8m}{6p2picF>b;dIhr#YTTtqgKsKG!-;qY@d2&UOs#pU5V26_!LFM(GcY@RvECGRtC}xhe79-ShK79p_TCOZ3 z0e9(NJpSh)Iv^aL{M8mHoI^>oiTieEUF<9Gqs#M|;s=(qZ!j|L9t9pz`urYxAF0-s zazWb~pmy4>-edI=%|7&Kr&HQb4$Nr{tu=JTV}=21bYP$!HE%Y)6kDDkpUtOwXc5kB zjcpA9h%Jeg8k!nfQ?0OVv()Ft9zI97L%Z=|($RlyQEUSFeHpg2NaopwAPq7U0!yOI zCe3E+{h*Eldp!<0A34pmdlGxA(w*Bb9C&&G@LreeXPZ6e$S>&|7h1EGekz(YEuUxX zdmq5EtqjIy4{DFw+odTh3#W`t%1q5-XV$*w z2<))rLDJAbeY=Ryr~&4o&9G|;gEIYeG$7KhevLb%e$AVoXtNL6!dXCXYHMPv#xlL& zZz%Y;CiYgPCK=}xBiW1#?63JUK^uxh0qy0DOf*%Jqhq(?u`zos{`M^bo~hS%1qy!! zU=wk5JGOk2L#~`WhY7xu=;FW)&BY8wHeS|2%JvPM`z!AkQuvTYWxr<7E(n2o z6h+>|gL-;-E^FY_E&=E72W?0V>HjQ9=t_BOf8E$}wDYq}*t;$aAhFLZ=lFI}Na+OyrhJ0cte|QV4mzSqK zkZ^osj&ipMBSH2xVn1|^bfwu3VaJ20e?XOVP4gl_+)24gaU*vp#5^~w56F}i!;fCH zUCsutFYYR&4*x3hTCoYJ0}IZLpC9{G^o89`@SULTG!Za)k`)}wsJ z)T$t#=sYPw_c)9f(&f^O)V*H-zk(UZa}xNLJ4Y2Ldy_;5HAHjs!4zLX(>KUcJaO zfk8eJT;77XimWqFP8g+&Bpf@O@b zD)bqfQu;8h0=%=?{CfHY{kj$Y?F0f$Xx=Bu!#>3jHji`#UsJQqhU(T&VMJK;f#k(=soR??0+X3Cz zPzm}rVh61f!CT1^iqSSn$8-ezN5jz4bV9+BQw(MvXW_8$0D3wN%C4c@U}`RQQRw${ z0TUgrSw_D?4(_b-|n>MUj(tE zLzFJL5NK zZ~!U(a0-MJ$@iih&2;4EK|I8Q)I!9Xg0$1#+6~jauB-8c@1h0dC9d3`@bwMTK(8%h z3KFR0GdG8bg9El#pdFFQl9z}vQB<3}btP+gwyOj~3t;)OFX{gU`lrQZ`j_wfPc9SdKXlL6@(WjI z{*urCS!ew!`Oos-(!U8cOkY0BKjprHFML6qOe{>e3}4hH6YW327#MKr+5V}OiSaAm z!B@SkOl)7dU+mP61c2l3LKOCX^h=c>Y{T%3;w!aaT;e2#%3rx6{)G(BIl zml_`t(ND6kUo&DQ<2u_PmtGH}9E=ar*%)p)y6#_J#W)%r8*#Z#_@Hm9)@J9U>ZSe< zZSMdi%k${@j&;ViZQHhe#D+HCW+7b2{?6DIG`R$XlFT@YI{ zXfKNeP5kD@ie1`dy*8hHI{9$hcU*muu=2=yy3wXSTi|NJe;QKS0~- zees0T6e@pxU$?Q@Q%%BwC+63~1mfLk8$^)C0!kwUR3V5>C@uhMMgpz2PoPe>T;m9l zEOm9moF-XY03FYZ&9mi*j0`-vX$cN4y9SlzJI=<(3g9n3UYcv6ULgOiN48r4przkl(nIrsw#*kPLs-yo^`*S)r(296mcNo1MkRlX{+d9<*n>-_Hh%*Hv3HTkkH7CBGYOwp^(W zcET+sXp|fY_2mMWfx&M0TE1))>KBrG?ix1lv(*MSD8W$)< zpV|*hT-zl^oD%MLnkOiUV4WwV^l3Chek`DlAf#&`M2J^sA&&~JG}vEYi8n;w(Zy?2 z&aXg;41pgxaNSCM?%p8eE~iYX=SJM%EAOFHg&;Fqs8?sR(puxmZzhI zumsKLtgHZmv~lqKU4mJiX|%XP;g`Tjab|V|!un)3&5I~FR6@RWu}ta_u;%G8{pAd> z0vS+65%JKaW(3AL#O8b+s4)dg=Q*4pyI-muIlm}9B4ZMVUpO4tQtH4T6Vgw~UVyky zer3Vs_U?z?LAhQ2a{DzSRyr<%ZG5e#J8)44`=c#lJLru|zjS{9@c{A#cpnYJ8ObHH zO;9~z%Y#}=nJ+0+m)J6DJ8}H&BR)ft!8;*RkO^%KYA3vl_endyANY9dPc9x!1T9o9RocN9^T^k(e+<-<{K2D&l@a;&rz&(^T%;yb z4z>|L6Q|gF^{>g#XIRRzb_TiL?d~3PYvK{+ewk0{y53$klbJ{vXK({0SMPHGu$G~} zTmE{~voJv_!M0rhqixv3SC_pJes0gFD0y$ciDbqRc*WWyPDMI~u&g5XO2QpMngE0A zcvB-69A@+IScJ%y8>tgcxfC2n><{V2Dr4hCJ&umTsVJzQb!F(Y1=SleJ%iL)d#>$0EQ(i*h)Z$8L>KI_|rz~u2zK)@f;8V@?Ne-?*E{1 zZ5&Ua%hT zv?*zIF5-q`h0lLQtG>ZEos$MV83V~tz$D0+=0Qn=Zl~He(_My4OU}SMUyP`&d>*w6 z&CCF^oscCk+jEb7O3!gb(1sCXXX#Ep2s%-1{SBAEi1-VD(O@4YLmfZhJ)~sF^Q*Rq z#6&5egfo!F-xlE|J5*4Ni2k+drZiDrhd3ROI7~TGG3=m#UqV1ycy{E3qlD$!`OmBqV+ijY1r-Wh~GV^`0GjM2(`Gi>e1K3-z zX^e2@a`>s%d7aWeTAQ-w>zH6^jvW?i zT-wUh;R%DeAaT=$vHw+52D{=2gM-ux0kFMuBYVg`UHJy@3D~|C)h&tgY(N;PK=l3I&c1Tbp<=cjEAHz!qA9IE&xahP>jdnkjD%di)EB2%?KhL z)IgoP3^?%3rFjP{x4D{%>^e0?KfpUs9>us&FPkr6DhYrHM9 z6Un0a()tjuh=Y|P1Z50 z>zn$i&oxd~Yy_#lDH*R=Lm#yk5N{;T_9xpV%T>!o%drl&riP`F>Yo3YpENUl%W|Xu z;}?2q>7?a(kxn?i1S11FgJr`M>S9I`wGdS3#6;5kufe8t8b|-S`F3;Ac{60Lq{jJq z*TTZViB8kdS=iZ(a7;bs^ZQ~{6x7)n=g!Ep`D_}u<0%SCX_XD72Qt(CUgKt0Vdy803N z+2-Wn)sM5Y^?IUNhiQMffr8RY%StF^EQ3iR@TE zWlQ_Zeo@Kdta>}J+$F*&K>rFG1d{FH!dxmFz24m1U;8DVU=eLb1UNwP*u{lKJJav$ z8Q!+(&qQ{fscGx`e)nC)qoRpnW(EO*iFM}-fuOb)lM*ZVy!>5r^cu>x`MhtfGJ%JA z#$twl__?dw;z$+`csU&Gb8LGx<;9*z56*$js7Kww&>__qWdxG~K|ny*1nCV#CJl8S z1!%SMcpf%`0AGjWSqG=s%E|3FtB+tBI5ib{RV}M^a_Jnyj&bNz0>2#JgN~(y+Nf?6 z-f}Kz+%%_UR6=-3j!6STVL=$xi>e}uA`=HQ52gnqjzE0okY0+6(opBNY-L!lfmFej znNQ|e=GHh)xfI*2oom1yHhsQvKCvKjKK3DgRb}e)wOi}hE^tu!{Ut3G=yCm!yEb`F zx0;$0)mv-=#dWjY2;-FMV8DBbz^S~KdknBxkz_1T_Y2n_0h+uI6l9(VXnpYje$s)Q z*q%TEAk6gVcc3Wye%HihC!_?PP&Fe0p%{>4k zP!Z>LliT!6dxsW5zB?D}B)m`zXiEi3ieKllJovUM`Go8lg92ZPCKzN#9WW(Bi0$pG zfx!|u^nOsRD_VHBpuw~^&Bi-Lc1Q5YX(B-~a#(sdy(#~J(x6v`xcx;QXNSH$lSkbP zx((KH19$-*3T@l>a29SnouL5|>xtaB8Rvp`v@G2gE5!7X2%1-yYP@QDU0XDhWhyvs zN^Fh=Rx>x+ruYQR@ZO$ZYZ~RpGH=S_SPOKbG$-nd4*{iCzAH%uE19MqfLkwniRd{D z7>@+Qjt|du2ai`yTsp=b19P2TdbhHA5+Tiepu>3sj2Y9*$yrVpvlrtfwXr z89WpLUAn*wAA~S~kW8kt>{67<4gl%Q(faCMkg?b>Hep{Tilbw>Kh{hh*Jc`gyDD6k zw!Q5hIjww8WBfQBjNR5wGVv$Sj6a9wXAH^9e(SchW4tvejqM6hD}`l&SLiVXs)fv#OmX@ZIAFflWv9_bdaKUN8Kpzy+~+;AIASTP z5Hb;mPfxAee@6MB#a4MUk{xztG>?Pm87dz3XN@F=-(DCO+xOL7V^$5)Zl5mCbV%-* z7f9bx!VWrkR^VI+u)??F^701Dq8)KI_ zu$Crx!a7j-UE-w3nHNvc%q>y*Qmh+?J#CIQCh(huz<>a_19})mf|P!112*cF8ol6^ z{P86U9fFMdP~&T(W^l+b+@$)q?$h4mzxVmXd7Yz467 z#R>PL1|a&WeQ2o!eaSS2AQ}u#QB#Dn#DdBq8^v~jedTSe;s}XA*61~bBdd?cmE;w@ zy}Yoz2nFFK1edwI+(9yfEo8NP9)w;3#0(`X7wfEXXD%fx`1Nt{HMtt^H{v0pEZw)% zcg*8WpO5p>%7&DwjK+xr*NPKx-Zf>#*N45GE^Ckc-DFU_N>g60i_F9pD_~C9(Upe`IAZTU4yM?tavhwK?G!x@uS8fTC&qaU zdv%aQD8C5EjiEXP)4~tnYxAg1fXlp$q+7EaQ8_`rI|+agtdc0CkjgeFZ_La%cUA`! zM&C{3*RxN#-QefV2A4^?Rvjh2{`-l* zd0Z13{Wao7P7S{WIvDi~M&d39<}c%}CS+o`$c3OA$`VD9;YI{EJiAPM9XtNI7!KYN z;)~K|v?cq?SF@G3`ubw$cf8Ta5-Vj?6SO^Pm0{!Hm$L&GrY?qxLaWEK-T+C_Xb83Cgc-0H#|8?wVAU`w(Ky$fdQnsQmnpN zfxWQ2LQ%X0&a61agGRm1Vbk&^Ck+o8aOy754GX*IywUDA;5Wce$WMyTu$+}rf3)*` zPxpY7Oa{Ch(w`Yp5Yb0qrz}u9Kvd(fS!<)sHk%ckiR8VEuk?|yQk+VPpv=_G+1K;C z#Fp^a=jx-^<-lL!e%1NXtjGTewuOd_8c&9TfK2L3mT}H2gD+ln(CSle;huqr-TAD1 zE5R!_R9pHEKJmHbknR0KVJPvnNBy47dB4zI4{9u9oKos#XDi&B)gy=tq;KCOsfz>i zb&n`2^huUq(KNsY8THt9OXpN898meS)L|iDyW;u4`w2oOT$DOcz+gqFU#Y`-rz(S0 z#+YP*F>-opb|#^|HNNsAr!r_=i&We+c|k@~n6e?m3%RFS*^AxAdtaL!{`RWq2_3}f zJckKktHCqL*mnEu<;K4gbf$3(@5ZSZFE$(d7OL$Lh9i}@q9&_lhkJ1LHxzgV8k1n8 z@rq{aCFV=o$(}tfeYN0DZ{tETrRC>f3DIELLbXc2At50aOoJbZ@N8k*$~h8G$9XbI zHVSSa)UejjQr%+awr*EH=^tyvwqn*9Pqvk>wY< zwWj)eA8dkcC!fo={&icd^mBt*MVsY$=&>I>BO~`(^Y(5&>P#uvjQ*m3%`Nh656hQs zU0ru)6;r2K1IN30Lw7+Bi*kGS)Z@Ec?%3+xeQTPBjCc2iyVJGdt^YviG9%>bYI<^= zEfDoVkowtQw=U0*Pq#^5*&4xl$)Fj3jU@Ik(d?L&(3>P&ykUZq)v9SM!3r5aSPtD6 zG0uP8B0OeNdY+5UFU#8`&cPxgonouor{5Z*V%_OsO6;)oqGR&DCf1QIW#k+6^=10S z#A0Q)j_+_A;E$Q;{l{83z^r&Hqe)@UTNef#kPG8)7%7ydOtpuGfx*t?#ypFRlS_bd zvzw8fi6V4)rc?~Il4mFNWt37pSdz!4mhEi`In7*nx9rACs$?f<-Dzdtz|9K)oL^PjL@yu#>^fy6@IvUS`v_D-7_doH$VCD{)RKKn6PS`# ziWCL3S-Y^#GgDTNkJt4Kn*pVj?|1hvjos%&eHj2rBkDjY9dJ;khY~Icm0GrCK}7$@WD=ilXLp-sC)`>{b0e$hM>A&E!)rQNV)rr z6vh_ukLS>34iLzzFn}7kI$vH^XWXB0K_hx}92lR$)ex}{F8aYu^I^Xc=Rw~Hjr4Vw z`BBG#it`Z+`SAl3Y0|Dt;C2sH@59pBxI{t+1%xw!@uP^AjHHYQFy8DeQm7|PIE2Je zs3B)a2Eu_*{P%?Qia4CW4`XqdBf*X&&zE6Hs2Y^i63PJ6+C$JJ*A+)HE`GI?MDwWp zc^dM}{1sE>c8$#OF;mcWp_`c4JRf1cqSCT^Y|Rxh8Il`0TPp6a$xl!<7BKO-$nvWU z#FjucH}UovLtp{KXuHfEG|X3m#>+Ke1QK}8tPo7Tp?gQsn!=F*3x{hSNRuA<3YA-W%eiWCuL4`j@syG{2OZy ziW(dY?(n<-W@&4sB$8E5US`Oc;*nGZJOEk$JaVyouY~!RDj=XO23F^*O__za zi?gYc-t;2)6JIx{koH(Nk|x%7;2Yedl8KMk>hsVYn)$l4v!BK{)bR9}&bWjJb^{LQ_@D{-V`RdLN|i&}lhXD2Ye z`#g8Y+h8|e{-vKwZSP?VO=r`|^H$k=<0E7L%D3xezCw+1y@Yn%qwI4}7x1#*4ApI^ z*PcetHu{TknCNXtl3W_wZ(s;g0p7p2Ye;-)>l72nyT~~SSYG%}Q>qFi9U6N&#El|q zAPRIp&_ubgSWkTrisnP$6Vao1t`i>g))2Hy>2fhbjJe`nv9I8MekFj2|P zuGv=jI6hLhS7OHoy>}qBZ{zV)=o=F-Njiu*Ggz`9v1sSud+rKT#acU!=)yaO(GjwB*;PTBhhH-l}q z<}o7&o8ZGu&7m)c=(nD?eobd4)ERvr7FO-A&S-A*Z$N;{jq&XlTn92cFermdu-z!w z(s!|$$rtR%ad$vT;TJ~YNFZDUyHr3=7p zb09e3ttT~cJ|Hf7YOW;m^dWyrQ=HpK)tRygAChx1J#Z07@VfxRC0LSOaKfT!r$k&7%kbPGE6_ zuc`uYTd+FPanreS1wY0nb`R77?a>x2T_mff z7QPV;-;Nlva+()c_KL3rX#!4X2(^*gk-b^*K8-MJN54j}hbZ50xQdjlB*G){C}=)r zX(oDkiVM*o{+j4c>9jZ2g=vF7;NID?u^stS{pXfa&`Fo$3RU2?}CVe9H0a zny>Z)=M`Py8R24~QhCx?^Ybi?`Xgq$NaV1T*t;Ql6M_9HazNXqu-GnxO>IKiE5e6C zDr~|WInHRnEzk1GCxkLOk9e~ND~gZkCb!5hC_(NPi{5BH3vLM%k*0{6_SA#EWPF5l z0!y<;t#eZ#l>JS#fHsN4d;z)^eSZC!eVP5i{P|T;Aa^^nS^iwPh8cheIzYJ7Ph8!* zk3?2j8!&u|S|PdQ59)17aQ+Yx2!3~FGVjennV@mfmMt(i=spboh@N*=P%|h~bg{CQ zK2{n$i(So(aX+)Wxp&bN4CLCFVXv@0TE4)IKU*v5#rf}G0#NkbsJoNneLbrL9rHV| z!hyczurM%e`T2GaMizWlwtueXzhedTtWa$99Qdq12m&kHKk@#* zK>_TH`2V;&|G@@We*l3Wz~J8yjephqukxSzSXh2Afggb2r-b@Rs{aEq__4Awvj5Xi zEc8DZ!#{|@kJ*#uXDbWS&(-}L_0Ph@&VkQN|8vwokipMB<{t!sjhPvWAVqcmDs|L;r(H`S-5(@0!*BvSa>N zl)(>HLc{oz{xi`3v>FF9)Bho4z{37t=z9J~$bjKT#`>Q;t3M6+KSBooZ28wE{&&dW zpB|+6BY85mF?BLy!2j{}u>Mog{|Ykb`sJmv)J(^HqBZ;JV{(&?w#JniC(e({K#V_u zh=?dYNaQEsCk|i;v;+l#xIY+f9kbJ{;ye?qodHvjZ@_v2eYO8n6vg|p-FzOlAzFecRGSYSFQbKR}$|9x4@QN13 zIKoEV>tnsJwjwh!R8gtgtb1^onH^=GxnA3|M`_B(oK>%(=F&vdy|89#T9-ZN4?M%$ z3$d|>vr;we{cxgo_p!UQLOYuUXEWF@vqF6})s_1R_&!cY(_Io>V^XEE-Fv=%vCR1{ z#cJ?ARKa4Me&LQ}c%B%L-FY)gWv7BtX$n?ph>1i!Hc|(QJ|5}?e{l4-DqF#RaLCmwg)zqus)x$kyNlD)Bs^7kxE?+y)g=HOWUbUc_|AOCAtP`pl z=1Q{Z$ZT>hrJ%WhMxYa@8q}I$ovMk0Xoqgh!8f<{b}}Ia7@( zsP)K`)0~O49G5liWqSl`q3608Q^kqodeReh>GW8RaZ`JqDTTG9ho-sGW@8X5kw;CQ zjDp-R>yT&a5}6KD1ZyZy)CJO|Md?f-5Yn#EgfHRc?sET=$Sxhzg*py99m&#`68CB;?QQWpr z+qK)O48Vem~cAsMUFnZd-0~ zoouUKp7yIOQ_gp!wCarhOu?h72xI^gDqTrPf278M`(o4YDgu;I@e`}%gmPX zYg(9T&WRaDMnq{21XHZh#^i-3fnLcsETeqThw1TmZo0>`Wr@yXTKP`f^q*R7lXH|s z>CaI85})GCa^7j_?y8LPRAi>d0(zz1Lz8oOCM9!U=loXAqZ-+aB~Xt?`esgD<&*kz zY$pAYsWJ@Kz>=MZ44Xw}XC;>4@u?0S!@B&MjjYBpbF!0XR@cxA^{tO`PmGg5-EFP6 zosUi%%GuhBne3H6pL#xy+RttP)V`)sGS)Rx26S7WyPLr>TZZ?UQtpot?n>@kStZ$| zGqS%gtql8BQm?DZ%5>r{P3|*0s+W%|vJKZN@P39tX*^X7Ra_kItT)d*W$k>M_xebXyc1^10> z)OkDmx-km7x5IOZ@B|;TnClo+KYADYRb$jz$7Mep*k%IZ6ZUyb9d%$po!f`>q2QAy zg9gbP!3WOZllGbXnf#rxGjehdQG1Nzg}gyM;oit7vIuZvpgW+gcANS-d5(1{waOJ$ zO1np9U!&ADaHC{n*c!QEAM*B=_NmR9b0xy}#rK{5U3<^)0F?pvR`~j|^Y^*eoVN<{ z{z8$-^v|+%ZA}L2BctU+ajJBW+rrR91muw+EjCYuk?{PjlfD2UCKQ<0&wTjIPBJPW zriB%Yi@y`Mh%`Hw5YE=u=bLhMB7mi4Ip)^0hw{%(bQiOW-c$DfxT|Tl{jKnATX3jp zn$Z~#93Qv(d#W&g?$pp(OPPIn^y`Eba9b7D`6=-roxEL zRz}rTuD8cf$=P!0RKcrsl!u0=dYZ=rdE@K}-~r&AR-$%&T#EJx5uRiz(FMxn?X-DI zQsHrds`F&Zx}s)6ra0q>fmMdL@^|jC^_VG%np5HIW#xEw;gfAgDce{|bBaf;v~IhT zy;5rfGMlwx1)KHxIc&0vZd}cI&+bSeBz|4Br*cO{M<;W1%o0nMH{i{3M8Mf$Nh}6u z?zJyoH}A>V!W2R``3pl~BJ)tA+4-?ls9s1dMeT5ke(C#DyUdJF0?p)= z{&L#FvCX`s=@VS`xF)};4IZcC)6+6D{qO7=o9U0<9-?{g_lCn$g*1)V-m>2`1FuG{ zj0MhXe__{Ytv8Zt1|a;UDEun{)TNlls6Kn?R=DmX!R!N zVy;%0q{hOJB_&j~=d@W8Ik)!0y_ueKu;rTXR$*L?DLL;u+sF*q1b%z^{ zxzsy0|L({Qu!|P}>(E50iOG6Ve|apnb8?ojpK!A=Bnf|lAO74pFwH} z#INBv!)V!>#@b7ja`hV{BiIGv%Am<|u3`RKI5XFLdUdAg;!LLxu3)Ro zMgQlkUW~{83c88$DX%498X<92X9@g80(Hruz8i5xEB2mim1yDyfNx}AUHvKV%ko%> zZs3b^x!7xfcCba(T0b>B7O;}NC&)Qm(@J}lcH}X(ftIsmdEBz|)Pp3Jr%Y>rR!Ove zjomf!uiEjFY=a+Vn%XPGm9c67Z);w6unWA$pF0=~Zo_Qd*iYh(PdVNkKRAi8#WYyB zMI%~uA>7S9LmyPXS_}hyRDY7>VS~1r*T_bYNfQq0)T2HA9&Yw1l-*Yf)v#`6teJ>a z2>#)}o3DH%mq4ru$qfot%$@K(m+D!#;F*Czk{p?Rl%Iq(l;dy=7^N~Bvmk|+o9Z`by1i0exBP?pFiHZZ_`OFJLNTkh}UY@vH#9G-uf);2MkYp z{HMTLtqCxABz0}uZ-(pT^nC-t8=Q|hOx)=KQV3)U~89p9ezr^f(<&D1IW7%SlJTT7_3PpjdFR;Bucs9i6Mt=17F+5 zPjcNZ4er*p?U_urd(nZ3#3x|EJ&oNB?8(BHHv3e%p-op%joZ`vzK1@4Jv@^pH^Ent zVWJ7T40%@G6qKddBp!y#zadgon6=G#Wm{cdf69KHPgee}ru$CGd7GO70YX3YLcyq6mWf#~PnG97d zYCg2(y3~=Ol}1e0DfO)P@b}thbJ{p`A@~nR&*ef%iPXFsE9>+$z}--8ziX%JJI9-2 zxXK?2b_81(C1`F9h`C#8+JdZK#w~h{?GrKt^rLP*-@iY#(NeY%y>bjI?n;z1QtzmG zhzQ{h^zqRxZ@rHU-GXpY53s5S zL??`#chrc=8BchSJ}w4tz~_kuJyWnk=LtQU-=dDq8QLHA(McF?47-dt6<;PC#v|_Q z4V&xHQGmG0rWKJ^bZd|7v?JjxTS3@`?k5S2;~>aFT6-Yn^w-S|;5~JgjC(72fX%5B z{KLmdc}iYWRLEBni4rYi|M5H(!roQf%e<;fx%O3ME4R6f$L%%KW5l1pBcRHfgHEqa zPS}s!7bzMgPDV2$i_P^l-+A+O1+RwJW-54M@QyP)Om^>irTxVC{@aBscRUxzE$!WX zu+z2%ND@vzBDY^S)2bQ;50WCkmIc3V8nk_Q1dki62+L{E8g4f zara^T{I97G2s#Mn zQB7jYV#=uPfx`vA8nxaCbyHSC&oU8<5a6Hnj!D6FA#h7H3M8=ET7peQHB@H^J5lH# zg_~Y?iSt?@_tREqAniNfO_i;UyW_W*cBGAWU(1g6(_)OR&U7Ff-@_Ks4U0`z{*Ow~ zH=}De*i*;H6Kq_}2vHda`_P1UDoIWX{=`gYfQEvTV!5k3P^@SO_%l?z{aVybEQ+oweNwLdp{|3#Uq0oCr9>Y_;HdOC67=i*!=_S z_0AC(nuMPR$nFsBIWkWD04}Eyc~9`Mpt{uNp2w7$@Ash|-Zb=&C*)RY@;AmY`Bg6T zlC0LEnC9pnhN|X7G3|+QegpN4(nN+gu(hPo+sakxCD<48jzR75?`87$nW~SHmzlmD z3Ai0dUU$@&*v4K>hQ&!3wN23ZK9yJ>j#z{gx0_w?IdMdGlK4QPQhesa_{0gmTW7T+9iajK^p@X0}})2Y5~cBv{C%r^4Rj~eWM03BS_8wvg*9O zcyok{a<)NMo3=+1W6+hqlIfY#%6^fZX59W5YzWR);S#RkWP^kyl&|)k<)_W_u30A!WJcVN1h9H%F1H#EGpAF*tYIG#LR zBU4Ah&~RIORqX%D0r&oH{L~b7(942g^}TKTi)thtcVuVTTG$mttZBvoR28>Tz0%y? zwqMscpu(wn2s+a6$DvtMJFlhuLRovSUUYF-N{dU&wk^p(tx$^pql+vYw+|fg3Lr)U zNqoCa8P}rf*7ddZt@Zu+h2coK^5>7ec!nk}Kh5VE}08w5c zp2oV-H#zss#ccO;>(&#!&!EdpZI7`~Xm$77aFh2mi=*u4wex#ZTXg5}DO2H9;7;dz zt+ z9Kz4wn+P-ia4s7wb8|`_e-S+@Q;d$^w`AKndn7d;L(k#f)j*_)Z*s6h4vXE%;9dX(I;l!v1W@W?mD`vn0r9+n_|yHv_dz z*IEh8|GYYiiuOkcC>7IvPpbi9#47>(gn~fSc_pOFKSr{l)bwJrlf07wx`lv#s1L-_ zbfpD1E^BS^R;qGQMre@8v278f8$!-4)c6EeMAA*+A9)6SAXpc$QyWX)hQWma+z@hc zrJkk#DfuZiyq8fz?9a4l=-aGbTXrG@lW%!7Y55?^9)R~Fe>V3b1=}MZ;^1oH58{LO z>5KTCgbpDwKeE_EoAA@46$yaG$VK`0!jbZY$RyhrfP{im1-BRQ@b21Y4a@Aj_mz1X~WKhkMCetTCQ+Yq!fAvv5ZMQvi(%FuJ1 zz~c(a%z0I&X{*Om&byXY{B=-`F7m+&42>FsJ+TP0S1Ut6^00u@-Z?$-!})Oqu$A*c zj;(=7sNWaag|oP{w@5Y$RXf{@DhvM+VLC|&AQRG7{OT;)wLdx!fFzlTbSJVsxo983 zmjnq%Q1p8s1*p~NX>q zZ&6)mI637wKb+W_1OKENwBeh@oGUSp;8kc}luDFbJatA7-9#p?AC%mQG~AWO`mj+5 z1}?5>&$p$sWg}2=!N`|k`ui$l4W3yGuWj(lXjkP(g;xOzbI+~tocY)v6~`1t38-eD zUnGxo4qYDDb;*Rq7&0Y!?#3YGxrV;I*c3;}ZSUm0B;NO^G@({fCY$xJHiv^7#2>TB zmUbs+lD0X*D;`m;IFg%j$vG7J~JfVbp~XHI#Q8t9J32;4ukwXFOz-0_V?LdRoL!~cQBf)H+_h{D;jj$F%{SJ z3ahnhoFNm?Q6LDaS6H@`Ss@Gq^BtYi4U}yYPi@n=`I(ZE2LhFjCccC%33zoOewokW@xA(4{ z@f>>hc=vdZTsj*osG>E6&?P!%(M7BDhQe5&$MwOCSReTF@mPcReyJWQ-vw99FXcdFb!YS&Tmqip78>#X;cM_tRFn50?Ap0Md&S-texryp)Gtxn7nlX}aZnt|d2aQ2D$a8qQjHdh@xTSKw$6 z)rI#Ze{ki8xv{ZJA%blvYGYjYj}k(IdVrb4IWAs_77JJ_!Nek z`b)AlSX+T#h>-8WxBwNIyB%yB*aoW^>zoa^9e6m4ORmMqwn0g7LQ3G^LLp@bbumK{ zU>M{R`5B^IvKR3F3_-{S?BSgNjgoI|kk=?DCjw3c61;P3{d?sF$2X>XGTJ`#Vo%ou z5#~k|pmQpiiY8FI-LF=~PYzN_cHV4u@hDWB8uA0ok(946ENj zNMkq~tAPIf{LMmM{r%Wi~FxDsQl(F>=)Z;-6~Qp^Ans;Bj>~JFbA$X zMLd$w^pQY(y{UjTUQ2-YdY3yJRp1|%bpC)BZ| z&|b_ytO8bY2vmB7{XAVKo5Ihjt!B4mgPdTC!vFxH8;R@!L zmSM8xkSf@UJMwa6rEwdo6=|A*1mfjXJ12HSI5NgOZsOcwGd`jpI5=LqKhD65BRow7n|Und z*NawS!Qm!Q8P%SZ+}qR_s?P|>yanA0+rKxr&u=h1gE?N(ljpm8_J)qt{pnD(s9qWF z*%UpyJ!>>ch{36C?hJ8l$@kWjpF6GBvtQRJU@f^gfAaB=^l4Rs>Q>jV22Dl| zsKv$^*g{G46gvFXR9))Qer7XdL34LD8*Zo?e4L%4GY$p?(W z+K{&QOBz_z%HPEMs=VPgzQMD-areT5quZzPIv4cu|9hBDG0|vxZ0^bDse%KuPkN5) zrTfWv2K@EMhDHD}gnUsF=`aL9WLx2Mpp22hRV5-_$jf3P38!ggBS8Ytt0}Su9H3C> zoCzJ(;k!_JokB7w?B2ABJeX)2|E?h1%~6X&l|1I)76u^H7QpC5G(IZU`{$h(v(dXk zmsW;XOVXlK<5B)76)6wyJD#S-AN^sOz}<>#2Z}kqg@!c7V!BoEolmhjY)Vj-vG`U@ zk3BD*ynAO(H2buYf=D49$2uh4soG;UqT@d?RLI$-kBr_KymGoVx}_JA0jYTa1u1L- zEx9t)ilSPk4iOB7GfjZ%-9{|?Af`N^bu8FBj%l5EIA_bGtl%VlMx!p~7sxHJi91oN z4CKX4$o4%>Wl=%^WlUh)@5f<$S3)YcrZ;Auvu;VTa;X9pf^rrLLuTYR7mb861hl9x zZ3_s81{}l=ZJHJ~2{iyZDM}E21vY=j$QG6c5Jm?R&=P|P`yAqf1Z`R|4;>~d2&=Fl zc#w$}JCm>czbz!oX@uydD}+f^2oo*hB+w#!&z%*z%vzIni!%5c3P8Y3 z+6sK!UBHY21S?`6bofvZ)%UVa$4-k*qZL@FvSK)c&DILLq)n&3$c1as9W2j9*_ys4Wc{<5{s3l6{-o>Yu+p0R{<({!Ah_N z=%R?H1vJk@s)4L$cR*Cc;x_zagi(N=?lbgvCvgJ7Z;%Lpk(-b>R&Qqy0bnL+oQT=@ z=K(@tIEt{0lcJl6o4z{5v)Vh_3yR2nQ1=vF=UFOmuP<1U?MoF4a!!7~uu~K(R4Bm; z;4@lADC3rCGNSx--{FO%v?-$i5_#9rOC#d08ur^Hy8T7pWU!?T(~IVN2crFa-=tAE zUESdRGqA7yJ>fOzBQKDYbEr$$IZvC-@W$uGXTZA(TqZ8W;jmExlPXQ3Ibw+yIOZhr==A@hfvd0CqsI0K84K zdFk^Gmiby0jl0tC{ptuk^q$5~(QA_Qzg=I2B#ppMG+FiM#j@gf27}8I4JVKwkq9S8 z62HK3CD^l0v`wTv(aG^$l*h;N=p3%P>d>|LeAw+UmtbhSvB*X$KL&dA*H>WO-7G2~ zcza^Lcc;GAE3{)>Zm>v~+rjmcK`)0hw=^p)b!TLXgL-@pKB8K{N#t;!D#Dwf(BlejD|65^S0Tgxj^}m3GG*W^{BPndb z?o!g-5)uXtA}LBENTZZAB1oswAc&NJgwi1(U4o<%OaH(7{NCsN%krCfcNk~*%(?fR zd(OG%-s`aE6E2$7!DSvMeF-@W58)1;r!J6t>!`-^GUQF2_rm0oQ{-0(eieQ0iC4c~ zttwF%JXC!e7aB(d*Jz(iZb; zO-?CKB~QgqUHfEY$X1wfTzZ{2xIn(DKi5XF5>}`nODpSXOh89^<4AduH0CGB@>M6( znw|75f9C=@Q+Vt>A4xQ0n-wcNQ`qDyyOaCl+e=mpU9kSFxj8j6R)@EBatcZ2+wM0^ zC7&rQ?iKvncyqF~OY#0z+0iqB+7Ao;D+ceb8P-()X}-3mIepqzIYq+fa9{FIbzS(% z(MM(<^S#>#)FXn0Cf>G-tts@?5>H7-WUq>Q-YO;xm~zF`ZF zq&}ngjdxG;o(rgoJ9ji_eUcs2c$RDXvGixaqty9TM1MD>zONN*KB4Dg&5V19#0T(MA#7o@o#V%**Ka#EYZq-{Mx?$7AQm_U(t^7}x#)U$e#DskGy zXXB7)Wv~m)0u0Cd)i$98OW9^UUX!xz0SMis(kFID{eu$!Xkit8N+H|(ASs;A72cER zuggdTO|hi4o06zvmyCuEkxb|+cW~k@_n+Hd4X0?fqmr|Ou#?NAVZ|TQe>kVRti9aZ zo7QCJQadD=9!*c2k~dbkx4__Z86M9uut}BM7dSdU;`-U1Xm&qlWqdSbfbBTXS3UU( z?!1p6!>Jd-nEIiVeid1vFL;@#(}pQyK~Mn%QDFQefp z6TD&*Y@$Ikus)LgPil`K5ng%(m)yB~nlG zEF8-Eu3|?W8G|_Jj#oRzA_H2o;(`=x&6)G zsBOQKP|mq9*(b_;)M0D&1T`y;V7xFX<+oSNZHXU|tP$-HkmFAgr4qR_taYAzWOtUP zN zD{utuC&bVulvq6*g1}uThH&G#(f?h2~kw{SpVR2v;a(T{DXep=xcgZgb80y-spqim(Xv0Bej z1c`IUE$ZCWo+5$OM#SIP@dOP*`EU&NqfHs(US7%}rh0Q9Y~R`NgYe;5lk6Vhrq8VJ z{wMj~b@$Vw730;!hk1k=^miXNy0l2z?yKu6kc(eU-Tu1i)+o-PvjiQoKE8U)xI8ve z`Y_@dVZ0F6So~NL{QK{{ZoF9VdYgdJ?(n3 zV4)3a_ikU+@^?Z_*LZFR^j(K@1T7PN3pBwMFf=F%ju)JS(T$h-XYeyek`j-jIr#$6@&Kksb5+$yf85X~X@9TW3?J zutvWZ9=*JdKi)j+-}K!Zq))h2o*IQFRh7S?#x3;Dq4d57i|e}en0FFw_mjhWo85aO zqv#Jp%5pr;Db3|Wtw@W3tIl)OC^?YgO+$@e0i3a&UvH_xK-`k$@7dXR?6lkOaFh_H+#(YtzB&u&OYu;Tncc!!T?nKwz1nkMd^uxJp2g2%NDvfPg^-?cyONS{-~ z$2E%~Q5jIC>I&p7LH{I3?1 zPM5CRG>Km}g~g3NX>S&k?6UW8+w9eshtm+u6Y4w$MZdstVps0iZMVsE-f@g8!=cFu z+pc4L5O_&Ww)GeJPpSf=4&o&5$j?B5QH~8Dd`@Vj^=nS<_lK;?c}qiEG?>RRw~gO< zdoFuBqNoZn{bT=~<0tfqhiYYKKbd{)K~$>YyGI_`o1aW)icouIi_vv-c3*G&(YMpJ ze|r0=;#2GDu5eX;l^~n>U!`|A8NQPIs!&nkSG7}pts+!xW_^;OQ<^xCV@ZOp3QT@ovsDmJ9B9xfa-3 z6gx?^>j#{akogha&+_Z?S7Ug?sdAjEck85NmnC}V$1~8CGWp=UQVXwKIr4jRo|Ez% zy0Rr~>AsZmzrIw!?$9U0fma(_%=12am`OLH2exZMlWuE&b}Hc}zBRZI2~liB9`$ZY zY_BhIAxe_B=d#Yy+}g?qCbJqo4W91gM4H$89^6D!*1W6jJUywld!09x?45c1yF=yu zCemdrH@LA%=-B`Kf$XF;Ctp8KP2y+cD@?@gYZB~%&AnG-OX8sr|6!&#)WM-#br zQ>b1N&So|ljjQW+t=bymtKF&Xn~Q^ga9W_|*NA0~A(3a-k&w?$4tgBI718k`yY5AY zmcX8-Ar<>U=t=?N7g?Mgy}3MIT;%NtoTjp6A}788lYz9@qk*)?%3eKO_c?{Q%`Q2O zzq-;%d$(XJpV(IQQs~rBuvF{13n8iZH+J*#H+Ha8$9K{{`}oK^@A4W!{dTX>2qY$4 zQ?umSKNQk`R%J8YKy~X58eK6b_U84H2J*44n8?;@TSb&OqBPKTgo$<6aNVP|M|REa zBZp3<+02n!EXZk6u9hGSxXY4UnyJ)f1f4o`mNRfI?2nXCIMeBLmJ%tCUBM;Cq3EOo zRifpYQA<~8UGZ0~iMsD(;SrhK*rzbo`5dUGVjIlfP%G{7Qh>Mk`?tC^4${lI2Y8Bc zbisN@wca-jUlwoSao9|=MHH6i?AlSIX zaB8~1=^jvW(-yUc{4tQ1>0T&HzhKHwKQTEyT@&@}kNpwhu^0Qc?2+&K_hg0QhenV- z>3M}*wX0WaI>|RI9XhyDZnt{vsg^{8>^Rl4XLE;HXg4y38PI|XOuTIJ^t&3)-+nQ5 z!)?b`a6tLtGPo?L1`XiPEptLQl-;oXVz0XKEhejb#L z5xbY@C6_A&>7$Ipz0H@y_glAyTgSJ4Gfjd0T<-hAW}9O;Ul7@aKbSr1F-RlY_qqZN-M- zXF_t=MkgrwonCK5i;addn1*=1`HqACP0Lq}_A~l`Tk!P9gOC(aM{eq7g<#4|A&vt{ zdVgmf!-Xap(ub8|x?V)lS$oO%UTiT*Q$LKHISeYJ z)0-Obh4S)Hw8_#z?M&=r-p!uShFH3}wxsueD%GuedR7xOIXO@&Av`y-EP|~jQEar| zqNif|@p;lp$7d*{8$Ud0d^y$Rgrr|wrWt%7+QE2AKaQWT9xS7xaYU9lDP}hPCbk59 z(~)-cbc?^@MjEOxa%{)m>lEbEB<(5d@Sras{A;Jawh6({xfy)z8pZi~Xpd|~KIeyE z{rF#7d=}6>`;}zYT~8|>O;z$R@x>23$i*aAP-+l0DAH(@8u!VjfJ(Q6qS+p6ICM7y z%H*vlts}#I=)i< zd}x3hD3S{_lay@?+B75zU?-#`cCJbr{Zf`7M!hK-8Jc)H9qNwSjHW7q%8YwZmDJz3 zA41Xgc0HJKSX&bIS}`Xldi#jcyF*r#!4$WnRYs<~dB#^>v7-eg3tId^wY+upw}Wg? zE(9(n>kPfxp5*s9FNBk(C4S2e`ijVFCVGG!T362cs3jjB+YimoSzy$-)Lpp0{_*gd z;=1&n_ONW();Mv)qc2mhs^}+p*N1b9*0c5qxz`ih`LYN$y03rP^jgV_Pbv^ai=E-Y z7L_EbC zx#})0I>v_PLHAv1b0~$1QPV~?uj_X$pUmw)TRu?SsLfcb^C3g{SdYGU^j;*{GdoT6 zQ2Ll<79QpB+RL-@(E0Q0k7)-KtzT0Q5#dwlvB42Af>NF;L9Ue3ohP4pr*VVccT%rp z)J@77FJ>SgXXdIf2&xdlrbXk#d<3OK1=WY z9ShBU(SN}0p+xb>07&k4=OXw`EjnUoL@W z7Rx-^IU+x3Hi+DUDT1n;X8v%B47YQHk)@Pr=uFTLT+k zHjUsntIjf>NKosS6g)Jn*-j7^I{isF@;mFoK#d?&XG=rPDRT6ZAp>w^U%&;g>EjWyq_G3(Aw4? z**m4dOy2kuUw8%aX24)SYJJJslujh64;*)Dov0vNC6vRtje$S0v`0byhN4^(H~jM` zr9wwtGm#hR3bVhO6c15b>K}DHTf5!Ffe>XLiTP-%Xj*Bl+TPoR>I!J4UP8#NkaQxaW1HIw(`B0iU+}le<4i$B zV!xMS_32ETEq1wE@>*JmzI<*o4a&&;0%-@OCL~<((=3LYq6BV{_>+RNwZ3!y2yQM= zB5Pu57fSACYq3UV!qImf7BqHVRvktK51_&srCWqges^=X)r`|0I#ZPu3>jGsSXa@tq)&QP&FNq$supY}&U zrrh;(#=r@}Vg47H+ENd--q-Ft%0+o=B%oYR)syXd8;4f&L52foR{~Rcf2d_x;iVh( zThUuL#671q;>y$+3cr#4O!$QEhQn+=&OL)puUeiZS|-|H^NKm159*$NAMeG-P8+lR zlATR|zr=i9f}4UiW^h<(F{7jU*<_+ncwF9gl}xbVd?&8d`*>1fK;h{~l`27xiHk zkOXPq=5P8CBDa5k=^%MRXDjtE4NVmj8E`{%_9{1WJLNNfGW-*v*&RgL(AuLEW?eRC zWL$~RiNWQgfdMs0uLJRz5}(*&EAq5^`BZb@Y)jqcrgzF^JMj-TGSBH(C*&@>aEC`v zOEKS1f9GKpWpOMMkymfBJ=Ildtk*UFaZ_=fr5UR~)R@nH{5GlUsWnk~kfIdVWC=x6eYMF}v%luZQc4k7v+2HaJ?&On z6ncSMTVPM9eeK>2UyX=-=9qd-R*3l8#-w+gtC=lbSrd7r8&HFuS_}w<8$r0|PZDtR}*VA^H$>`c1see^izZCwBVak|(n3U`i%VNNb4P0?P9Rb9Mpjs)$)ETpCx66MpNwe?t%TvEtm z(L}%JaM=r1qx4jApSB7dpML+kTxSSP0qr{p@n0zRoKzqq73QnV3mH( z*~yhZdwR?=#wJI=7b^l5qi+4RUQ-xcK1`f}+S&wlNsfxY+fI7Kvi%Dzsf-NWN`#Y2_{eeGQjP!P*oey($@QY%mPmOw`#Xs{Es=N!} zGy2ee7fqM=G0F8NTT*4V96 z*5c)X$&W&v&0myu<);oJh};8gkQLGb*U|niyYo>|21^o>{)bcSnR9$)bo|mTH+k;! zGBJGZChOU+^n)0!s!k6+q!OgEw{MehZ}F+X$0x88!J1w@eQIHo^iX`=SecP{$c;^5u}e6@geEF z*A}!Hlu@q*iv1l!L$RJ^O;Ba#J-WwUoC*Aa6#HJ@;DULT%hBNaw`9W4crnlRtk*;c z4@0K;*7#?P;|5z^i=X{^zU-?9PDf2sXO|GsnWwG1@XxyH!{2wHGt=jW%U#ANkeVKO z@XiwUUCo>AjN}pB>xl0=CL>KtvlCZHzAq*n-5B{wS1$huVrMFWCZ1y+6DsVHC8c~O zI=u2N-w<5%&~xQj*uHz@=BACY@vY4>oLD?YivQM=0`nzz%s1a5B4FtMa#%nBT800> zJZezHO)U>s8%GD2pp%oUJMaHCt^hjj|BnnnLBXndoAnOxWqv{6N0?RniK&aLC##m6 zf~=#1tEIc^U!yRT3>bwxPNsju7)FSH;J-xw1pZ;Q`sd5{e~J9d4!|QP z3I#(D5HJJ+hQi=*5hE~|8~FK4^xy6qJpUj2AD#bDb=bN-vSj_w!htXSOFsdY?7|8W z!I%sDe*1~pLrZg40Kgau09r1N7EjDAF(Md00En!MrKzi<3*bqN-Twl%jt+9BuE5Md z?|^?$bw`WyfU2d3o1=@xV?YFB;@|8C?k<*AKm!MehzK$Ge?P1u0IP;Ds}<`%m@ph5 zQ2-QTKCBM^!N6cR(2e3e21h}l2*CF9a$qn(+JJ?@5kL_+6RF`fL(iDFYLd_!B7}ll=E`J5cq$=FjOn& zp%|*0^Kwua7&~qVq{xMsBcURw{~~w6&ww1JkIgw9NGKBMG=qh~AQyZJL=ucO79eO5 zMq!PG02ZUL;sIbtC{{cG1z=1qJ7)`^13N|-9oTgP3Kqt6#yK|@sGJZ4mJfi^2qYku z914j7D1gq71#H1k0sUFQ`aegcy2gBBZkpp@ioznqePy|+t089kiFTn0V0NswxkA+|KGgJid7502kBocz< zD=07)b0lIu|DIb=6i~*o{DPSe=+|^!4gtQf-vAYG?0pW97$Gj`MLK{h2aLrKhn*XX1cR|_9UPbs``m&9Bw^S!77o-{?7V`DKrh^V;6P8Y3-=}j z0yt=}Yyos&pN&A&;1}e82w~SXj2zHO?EKmQTd@6%u?2fi!x2DuvGxpr!LaXKaKKj= z){6u~uyYdQ7wr54unYAWlWEvz1yHhq!hy98fV%ZUZUAyXr?m6yMM1z9d;r`mP}n(y zf}r5oI)GA#T@Qebg@R(o2nD@xZvtAgp|H;YIIssV+6Sa5wx5B__%9fc9N23^2*a^+ z7a&o?zBj>9NGP@(=B|vrHq0#>^9aFw{@wck2AGY70e5Qb`w-ArPZ;w$IX4yxM_}K* zh2cPqu<8Z|!#+PS81@|;v8|*m;k6&;0EdR~J*;N0u(cm^a#O zTTjeGN`zHN$I%gZivjd=|2(Ob9jqK#0Uu!=UCMH-#;oEn5hxS}T#_viBBl_qu$hIK u2-H#p2DXC0%tVCE5t79Jx5$48_a3_fPuYLoVSr^YD4dv!OI}lf`2PW1nwz@- literal 0 HcmV?d00001 diff --git a/Turtle/draw_en.py b/Turtle/draw_en.py new file mode 100644 index 0000000..ef0a3e8 --- /dev/null +++ b/Turtle/draw_en.py @@ -0,0 +1,10 @@ +# https://github.com/asweigart/simple-turtle-tutorial-for-python/blob/master/simple_turtle_tutorial.md + + +from turtle import * +for i in range(500):# this "for" loop will repeat these functions 500 times + speed(50) + forward(i) + left(91) + + diff --git a/python_bacics_101/Datatype_convertion_en.py b/python_bacics_101/Datatype_convertion_en.py new file mode 100644 index 0000000..cd5b7d9 --- /dev/null +++ b/python_bacics_101/Datatype_convertion_en.py @@ -0,0 +1,28 @@ +#DataType Conversions + + +#Converting int to float +i = 10 +print i +print type(i) +print type(float(i)) + +#Converting float to int +i = 10.31 +print i +print type(i) +print type(int(i)) + +#Converting string to int +s = "123" +print s +print type(s) +print type(int(s)) + +#Converting number to string +s = 123 +print s +print type(s) +print type(str(s)) + + From 2f3f074045fb797e4e621619f27f53988e76088b Mon Sep 17 00:00:00 2001 From: Fatma Date: Sun, 8 Jul 2018 22:02:51 +0200 Subject: [PATCH 079/116] Create python-turtle-moon-night.py (#40) --- Turtle/python-turtle-moon-night.py | 1349 ++++++++++++++++++++++++++++ 1 file changed, 1349 insertions(+) create mode 100644 Turtle/python-turtle-moon-night.py diff --git a/Turtle/python-turtle-moon-night.py b/Turtle/python-turtle-moon-night.py new file mode 100644 index 0000000..9f2dbf8 --- /dev/null +++ b/Turtle/python-turtle-moon-night.py @@ -0,0 +1,1349 @@ +import turtle +from turtle import * + +x=Turtle() + +title("Fatma Farjallah.") + +x.speed(0) + +x.hideturtle() + +#ciel + +x.color("#0e0e3f") +x.begin_fill() +x.goto(-1000,1000) +x.goto(1000,1000) +x.goto(1000,-1000) +x.goto(-1000,-1000) +x.goto(-1000,1000) +x.end_fill() + +#moon +x.up() +x.goto(30,-120) +x.down() +x.color("#ffff00") +x.width(20) +x.begin_fill() +x.circle(150) +x.end_fill() +x.goto(-35,-100) +x.color("#0e0e3f") +x.begin_fill() +x.circle(136) +x.end_fill() + +x.up() +x.goto(110,25) +x.down() +x.color("black","white") +x.width(3) +x.begin_fill() +x.circle(25) +x.end_fill() +x.up() +x.goto(118,40) +x.down() +x.color("black") +x.width(3) +x.begin_fill() +x.circle(11) +x.end_fill() +x.up() +x.goto(111,45) +x.down() +x.color("white") +x.width(3) +x.begin_fill() +x.circle(5) +x.end_fill() + + +x.up() +x.goto(180,25) +x.down() +x.color("black","white") +x.width(3) +x.begin_fill() +x.circle(30) +x.end_fill() +x.up() +x.goto(185,40) +x.down() +x.color("black") +x.width(3) +x.begin_fill() +x.circle(15) +x.end_fill() +x.up() +x.goto(175,48) +x.down() +x.color("white") +x.width(3) +x.begin_fill() +x.circle(6) +x.end_fill() + +#mouth +x.up() +x.goto(140,-20) +x.down() +x.color("black") +x.width(3) +x.begin_fill() +x.circle(19) +x.end_fill() +x.up() +x.goto(140,-10) +x.down() +x.color("#ffff00") +x.width(3) +x.begin_fill() +x.circle(20) +x.end_fill() + + +#stars + +x.up() +x.goto(280,230) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(200,200) +x.width(5) +x.down() +x.begin_fill() +x.color("#ff99ff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(120,260) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3d9") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(30,230) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-50,260) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-110,270) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-190,230) +x.width(5) +x.down() +x.begin_fill() +x.color("#ff99ff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-270,270) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-310,220) +x.width(5) +x.down() +x.begin_fill() +x.color("#ff99ff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(280,150) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +# +x.up() +x.goto(200,100) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(120,150) +x.width(5) +x.down() +x.begin_fill() +x.color("#ff0000") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(30,100) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-50,150) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-110,160) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-190,120) +x.width(5) +x.down() +x.begin_fill() +x.color("#bf80ff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-250,180) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3ff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-310,150) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(280,50) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(200,100) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(120,50) +x.width(5) +x.down() +x.begin_fill() +x.color("#ff0000") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(30,100) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3ff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-50,50) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-110,100) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-190,40) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3ff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-270,50) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-310,100) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + + + +x.up() +x.goto(280,0) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(200,-50) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(120,0) +x.width(5) +x.down() +x.begin_fill() +x.color("#ff0000") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(30,5) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-50,0) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-110,10) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-190,-70) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-270,0) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3ff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-310,-50) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + + + + +x.up() +x.goto(280,-100) +x.width(5) +x.down() +x.begin_fill() +x.color("#b3ffb3") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(200,-150) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3ff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(120,-80) +x.width(5) +x.down() +x.begin_fill() +x.color("#ff0000") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(30,-150) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(-50,-100) +x.width(5) +x.down() +x.begin_fill() +x.color("#ff0000") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(-110,-150) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-190,-140) +x.width(5) +x.down() +x.begin_fill() +x.color("#b3ffb3") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-270,-100) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-310,-150) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + + + +x.up() +x.goto(280,-150) +x.width(5) +x.down() +x.begin_fill() +x.color("#b3ffb3") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(200,-200) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(120,-150) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(30,-50) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-50,-150) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3d9") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-110,-50) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3d9") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-190,-140) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-270,-200) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-310,-150) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3d9") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + + + + +x.up() +x.goto(280,-250) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(200,-270) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(120,-250) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3d9") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(30,-300) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-50,-250) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-110,-300) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-190,-250) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3d9") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-270,-300) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-310,-250) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +''' +x.up() +x.goto(30,-200) +x.width(5) +x.down() +x.begin_fill() +x.color("#ff0000") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(30,-270) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3d9") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(120,-250) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-150,-200) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3d9") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + + +#good luck +x.up() +x.goto(0,-200) +x.down() +x.color("white") +x.width(5) +x.forward(80) +x.up() +x.goto(18,-220) +x.down() +x.color("white") +x.width(5) +x.forward(25) +x.left(90) +x.forward(35) +x.left(45) +x.forward(4) +x.up() +x.goto(40,-220) +x.down() +x.color("white") +x.width(5) +x.right(135) +x.forward(27) +x.up() +x.goto(30,-230) +x.down() +x.color("white") +x.width(5) +x.forward(25) +x.right(90) +x.forward(20) +x.right(90) +x.forward(20) +x.left(90) +x.forward(1) +x.left(90) +x.forward(20) +x.right(90) +x.forward(5) +x.up() +x.goto(30,-230) +x.down() +x.color("white") +x.width(5) +x.left(1) +x.forward(27) + + + +done() From 9ad7f7511f7d707c01fad764f86e58563ca5ab91 Mon Sep 17 00:00:00 2001 From: Azharo MMA <38683226+Azharoo@users.noreply.github.com> Date: Tue, 10 Jul 2018 17:49:44 +0300 Subject: [PATCH 080/116] Add turtle\Stamp_en.py (#41) --- Turtle/Turtle_Stamp_en.py | 49 +++++++++++++++++++++++++++++++++++++++ 1 file changed, 49 insertions(+) create mode 100644 Turtle/Turtle_Stamp_en.py diff --git a/Turtle/Turtle_Stamp_en.py b/Turtle/Turtle_Stamp_en.py new file mode 100644 index 0000000..9e3275f --- /dev/null +++ b/Turtle/Turtle_Stamp_en.py @@ -0,0 +1,49 @@ +#Added by @Azharo +#Python 3 + +# Example - 1 Draw shape using stamp + +import turtle +loadWindow = turtle.Screen() +loadWindow.bgcolor("lightgreen") +t = turtle.Turtle() +t.shape("turtle") +t.color("dark green") + +t.penup() # This is new +size = 20 +for i in range(35): #The number of stamps + t.stamp() # Leave an impression on the canvas + size = size + 3 # Increase the size on every iteration + t.forward(size) # Move tess along + t.right(24) # ... and turn her + +turtle.exitonclick() + + + +# Example - 2 Draw clock shape + +import turtle + +loadWindow = turtle.Screen() +loadWindow.bgcolor("yellow") + +Lena = turtle.Pen() +Lena.shape('turtle') +Lena.color('red') +Lena.pensize(4) +Lena.stamp() #Stamp a copy of the turtle shape onto the canvas at the current turtle position. + +for i in range(12): + Lena.penup() + Lena.forward(100) + Lena.pendown() + Lena.forward(30) + Lena.penup() + Lena.forward(40) + Lena.stamp() + Lena.backward(170) + Lena.right(360/12) + +turtle.exitonclick() From f800857c5c6a86b8e47c43e1dea1a59b2fe283fb Mon Sep 17 00:00:00 2001 From: Reymond Date: Tue, 10 Jul 2018 19:06:19 +0200 Subject: [PATCH 081/116] Update README.md --- README.md | 2 ++ 1 file changed, 2 insertions(+) diff --git a/README.md b/README.md index 7cb6569..f8d05ac 100644 --- a/README.md +++ b/README.md @@ -1,3 +1,5 @@ +#### Please Note that the project will be soon moved to another Repo . + # PythonCodes This project was created and maintained by students and tutors from (1 million arab coders initiative). From f0a44557c1fbea3fdb0e14074f5bb813baf02449 Mon Sep 17 00:00:00 2001 From: shorouq saad Date: Tue, 10 Jul 2018 22:29:52 +0300 Subject: [PATCH 082/116] function to extend list --- Functions/Functions_example_en.py | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/Functions/Functions_example_en.py b/Functions/Functions_example_en.py index 2069424..d8356f4 100644 --- a/Functions/Functions_example_en.py +++ b/Functions/Functions_example_en.py @@ -32,6 +32,15 @@ def sum(x,y=6): print(sum(3)) print ("----------------") +#added by @engshorouq +#example 5 +print("Example 5 ") +def extend_list(val,my_list=[]): + my_list.append(val) + return my_list +print(extend_list('first iteam')) +print(extend_list('second iteam in same list')) +print(extend_list("new list",[])) From 39849020a04092059420a60d3d27fb34c803bc7b Mon Sep 17 00:00:00 2001 From: shorouq saad Date: Tue, 10 Jul 2018 22:43:05 +0300 Subject: [PATCH 083/116] ignore lanch.json file --- .gitignore | 1 + 1 file changed, 1 insertion(+) diff --git a/.gitignore b/.gitignore index e69de29..ba698c7 100644 --- a/.gitignore +++ b/.gitignore @@ -0,0 +1 @@ +.vscode/launch.json From 8340de01e75cec03931ad0decebb1a1477c4951f Mon Sep 17 00:00:00 2001 From: Heba-Ahmad-Saada Date: Thu, 12 Jul 2018 00:49:57 +0300 Subject: [PATCH 084/116] Define Boolean Operators --- True and False/Boolean_Operators_en.py | 23 +++++++++++++++++++++++ 1 file changed, 23 insertions(+) create mode 100644 True and False/Boolean_Operators_en.py diff --git a/True and False/Boolean_Operators_en.py b/True and False/Boolean_Operators_en.py new file mode 100644 index 0000000..fee5df1 --- /dev/null +++ b/True and False/Boolean_Operators_en.py @@ -0,0 +1,23 @@ +#This file contines a definition and some examples of how to use Boolean Operators +# what is Boolean operators? +#Boolean Operators compare statements and result in boolean values. There are three boolean operators(AND, OR, and NOT): +#1-and, checks if both the statements are True; 2-or, checks if at least one of the statements is True; +#3-not, gives the opposite of the statement. +#the table bellow shows the results of using AND, OR, and NOT boolean operators: + +boolean_operator= {"row1 c1": " A ", "row1 c2": " B ", "row1 c3": "A AND B", "row1 c4": " ", "row1 c5": " A ", "row1 c6": " B ", "row1 c7": " A OR B", "row1 c8": " ", "row1 c9": " A ", "row1 c10": "NOT A ","row2 c1": "True ", "row2 c2": "True ", "row2 c3": " True ", "row2 c4": " ", "row2 c5": "True ", "row2 c6": "True ", "row2 c7": " True ", "row2 c8": " ", "row2 c9": "True ", "row2 c10": "False", "row3 c1": "True ", "row3 c2": "False", "row3 c3": " False ", "row3 c4": " ", "row3 c5": "True ", "row3 c6": "False", "row3 c7": " True ", "row3 c8": " ", "row3 c9": "False", "row3 c10": "True ","row4 c1": "False", "row4 c2": "True ", "row4 c3": " False ", "row4 c4": " ", "row4 c5": "False", "row4 c6": "True ", "row4 c7": " True ", "row4 c8": " ", "row4 c9": " ", "row4 c10": " ", "row5 c1": "False", "row5 c2": "False", "row5 c3": " False ", "row5 c4": " ", "row5 c5": "False", "row5 c6": "False", "row5 c7": " False ", "row5 c8": " ", "row5 c9": " "} +def display_board(boolean_operator): + bord = """ + {row1 c1} | {row1 c2} | {row1 c3} | {row1 c4} | {row1 c5} | {row1 c6} | {row1 c7} | {row1 c8} | {row1 c9} | {row1 c10} + ----------------------------------------------------------------------------------- + {row2 c1} | {row2 c2} | {row2 c3} | {row2 c4} | {row2 c5} | {row2 c6} | {row2 c7} | {row2 c8} | {row2 c9} | {row2 c10} + ----------------------------------------------------------------------------------- + {row3 c1} | {row3 c2} | {row3 c3} | {row3 c4} | {row3 c5} | {row3 c6} | {row3 c7} | {row3 c8} | {row3 c9} | {row3 c10} + ----------------------------------------------------------------------------------- + {row4 c1} | {row4 c2} | {row4 c3} | {row4 c4} | {row4 c5} | {row4 c6} | {row4 c7} | {row4 c8} + ----------------------------------------------------------- + {row5 c1} | {row5 c2} | {row5 c3} | {row5 c4} | {row5 c5} | {row5 c6} | {row5 c7} | {row5 c8} + """.format(**boolean_operator) + print bord + +display_board(boolean_operator) From d403eb91376f3be85d5d1f29b8f9e4f758f1f1a5 Mon Sep 17 00:00:00 2001 From: Heba-Ahmad-Saada Date: Thu, 12 Jul 2018 01:17:00 +0300 Subject: [PATCH 085/116] Add the order of operations for boolean operators --- True and False/Boolean_Operators_en.py | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/True and False/Boolean_Operators_en.py b/True and False/Boolean_Operators_en.py index fee5df1..079bc57 100644 --- a/True and False/Boolean_Operators_en.py +++ b/True and False/Boolean_Operators_en.py @@ -4,7 +4,8 @@ #1-and, checks if both the statements are True; 2-or, checks if at least one of the statements is True; #3-not, gives the opposite of the statement. #the table bellow shows the results of using AND, OR, and NOT boolean operators: - +#Boolean operators aren't just evaluated from left to right. Just like with arithmetic operators, there's an order of operations for boolean operators: +#1-not is evaluated first; 2-and is evaluated next; 3-or is evaluated last. boolean_operator= {"row1 c1": " A ", "row1 c2": " B ", "row1 c3": "A AND B", "row1 c4": " ", "row1 c5": " A ", "row1 c6": " B ", "row1 c7": " A OR B", "row1 c8": " ", "row1 c9": " A ", "row1 c10": "NOT A ","row2 c1": "True ", "row2 c2": "True ", "row2 c3": " True ", "row2 c4": " ", "row2 c5": "True ", "row2 c6": "True ", "row2 c7": " True ", "row2 c8": " ", "row2 c9": "True ", "row2 c10": "False", "row3 c1": "True ", "row3 c2": "False", "row3 c3": " False ", "row3 c4": " ", "row3 c5": "True ", "row3 c6": "False", "row3 c7": " True ", "row3 c8": " ", "row3 c9": "False", "row3 c10": "True ","row4 c1": "False", "row4 c2": "True ", "row4 c3": " False ", "row4 c4": " ", "row4 c5": "False", "row4 c6": "True ", "row4 c7": " True ", "row4 c8": " ", "row4 c9": " ", "row4 c10": " ", "row5 c1": "False", "row5 c2": "False", "row5 c3": " False ", "row5 c4": " ", "row5 c5": "False", "row5 c6": "False", "row5 c7": " False ", "row5 c8": " ", "row5 c9": " "} def display_board(boolean_operator): bord = """ @@ -21,3 +22,7 @@ def display_board(boolean_operator): print bord display_board(boolean_operator) +order_for_boolean= "\n".join(["1- not is evaluated first" +,"2- and is evaluated next","3- or is evaluated last."]) +print "The order of operations for boolean operators:" +print (order_for_boolean) From ec5d61074c076e3e56c98273c0b39bba2d5f05e7 Mon Sep 17 00:00:00 2001 From: Fatma Date: Sun, 8 Jul 2018 22:02:51 +0200 Subject: [PATCH 086/116] Create python-turtle-moon-night.py (#40) --- Turtle/python-turtle-moon-night.py | 1349 ++++++++++++++++++++++++++++ 1 file changed, 1349 insertions(+) create mode 100644 Turtle/python-turtle-moon-night.py diff --git a/Turtle/python-turtle-moon-night.py b/Turtle/python-turtle-moon-night.py new file mode 100644 index 0000000..9f2dbf8 --- /dev/null +++ b/Turtle/python-turtle-moon-night.py @@ -0,0 +1,1349 @@ +import turtle +from turtle import * + +x=Turtle() + +title("Fatma Farjallah.") + +x.speed(0) + +x.hideturtle() + +#ciel + +x.color("#0e0e3f") +x.begin_fill() +x.goto(-1000,1000) +x.goto(1000,1000) +x.goto(1000,-1000) +x.goto(-1000,-1000) +x.goto(-1000,1000) +x.end_fill() + +#moon +x.up() +x.goto(30,-120) +x.down() +x.color("#ffff00") +x.width(20) +x.begin_fill() +x.circle(150) +x.end_fill() +x.goto(-35,-100) +x.color("#0e0e3f") +x.begin_fill() +x.circle(136) +x.end_fill() + +x.up() +x.goto(110,25) +x.down() +x.color("black","white") +x.width(3) +x.begin_fill() +x.circle(25) +x.end_fill() +x.up() +x.goto(118,40) +x.down() +x.color("black") +x.width(3) +x.begin_fill() +x.circle(11) +x.end_fill() +x.up() +x.goto(111,45) +x.down() +x.color("white") +x.width(3) +x.begin_fill() +x.circle(5) +x.end_fill() + + +x.up() +x.goto(180,25) +x.down() +x.color("black","white") +x.width(3) +x.begin_fill() +x.circle(30) +x.end_fill() +x.up() +x.goto(185,40) +x.down() +x.color("black") +x.width(3) +x.begin_fill() +x.circle(15) +x.end_fill() +x.up() +x.goto(175,48) +x.down() +x.color("white") +x.width(3) +x.begin_fill() +x.circle(6) +x.end_fill() + +#mouth +x.up() +x.goto(140,-20) +x.down() +x.color("black") +x.width(3) +x.begin_fill() +x.circle(19) +x.end_fill() +x.up() +x.goto(140,-10) +x.down() +x.color("#ffff00") +x.width(3) +x.begin_fill() +x.circle(20) +x.end_fill() + + +#stars + +x.up() +x.goto(280,230) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(200,200) +x.width(5) +x.down() +x.begin_fill() +x.color("#ff99ff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(120,260) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3d9") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(30,230) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-50,260) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-110,270) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-190,230) +x.width(5) +x.down() +x.begin_fill() +x.color("#ff99ff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-270,270) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-310,220) +x.width(5) +x.down() +x.begin_fill() +x.color("#ff99ff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(280,150) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +# +x.up() +x.goto(200,100) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(120,150) +x.width(5) +x.down() +x.begin_fill() +x.color("#ff0000") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(30,100) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-50,150) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-110,160) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-190,120) +x.width(5) +x.down() +x.begin_fill() +x.color("#bf80ff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-250,180) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3ff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-310,150) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(280,50) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(200,100) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(120,50) +x.width(5) +x.down() +x.begin_fill() +x.color("#ff0000") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(30,100) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3ff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-50,50) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-110,100) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-190,40) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3ff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-270,50) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-310,100) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + + + +x.up() +x.goto(280,0) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(200,-50) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(120,0) +x.width(5) +x.down() +x.begin_fill() +x.color("#ff0000") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(30,5) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-50,0) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-110,10) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-190,-70) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-270,0) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3ff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-310,-50) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + + + + +x.up() +x.goto(280,-100) +x.width(5) +x.down() +x.begin_fill() +x.color("#b3ffb3") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(200,-150) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3ff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(120,-80) +x.width(5) +x.down() +x.begin_fill() +x.color("#ff0000") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(30,-150) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(-50,-100) +x.width(5) +x.down() +x.begin_fill() +x.color("#ff0000") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(-110,-150) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-190,-140) +x.width(5) +x.down() +x.begin_fill() +x.color("#b3ffb3") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-270,-100) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-310,-150) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + + + +x.up() +x.goto(280,-150) +x.width(5) +x.down() +x.begin_fill() +x.color("#b3ffb3") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(200,-200) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(120,-150) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(30,-50) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-50,-150) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3d9") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-110,-50) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3d9") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-190,-140) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-270,-200) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-310,-150) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3d9") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + + + + +x.up() +x.goto(280,-250) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(200,-270) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(120,-250) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3d9") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(30,-300) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-50,-250) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-110,-300) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-190,-250) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3d9") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(-270,-300) +x.width(5) +x.down() +x.begin_fill() +x.color("#99ff99") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-310,-250) +x.width(5) +x.down() +x.begin_fill() +x.color("#4d4dff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +''' +x.up() +x.goto(30,-200) +x.width(5) +x.down() +x.begin_fill() +x.color("#ff0000") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +''' +x.up() +x.goto(30,-270) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3d9") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() +x.up() +x.goto(120,-250) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffffff") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + +x.up() +x.goto(-150,-200) +x.width(5) +x.down() +x.begin_fill() +x.color("#ffb3d9") +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.forward(15) +x.right(144) +x.end_fill() + + +#good luck +x.up() +x.goto(0,-200) +x.down() +x.color("white") +x.width(5) +x.forward(80) +x.up() +x.goto(18,-220) +x.down() +x.color("white") +x.width(5) +x.forward(25) +x.left(90) +x.forward(35) +x.left(45) +x.forward(4) +x.up() +x.goto(40,-220) +x.down() +x.color("white") +x.width(5) +x.right(135) +x.forward(27) +x.up() +x.goto(30,-230) +x.down() +x.color("white") +x.width(5) +x.forward(25) +x.right(90) +x.forward(20) +x.right(90) +x.forward(20) +x.left(90) +x.forward(1) +x.left(90) +x.forward(20) +x.right(90) +x.forward(5) +x.up() +x.goto(30,-230) +x.down() +x.color("white") +x.width(5) +x.left(1) +x.forward(27) + + + +done() From 654dbf223c605f6f645ba76d20d64fc11a8a91fb Mon Sep 17 00:00:00 2001 From: Azharo MMA <38683226+Azharoo@users.noreply.github.com> Date: Tue, 10 Jul 2018 17:49:44 +0300 Subject: [PATCH 087/116] Add turtle\Stamp_en.py (#41) --- Turtle/Turtle_Stamp_en.py | 49 +++++++++++++++++++++++++++++++++++++++ 1 file changed, 49 insertions(+) create mode 100644 Turtle/Turtle_Stamp_en.py diff --git a/Turtle/Turtle_Stamp_en.py b/Turtle/Turtle_Stamp_en.py new file mode 100644 index 0000000..9e3275f --- /dev/null +++ b/Turtle/Turtle_Stamp_en.py @@ -0,0 +1,49 @@ +#Added by @Azharo +#Python 3 + +# Example - 1 Draw shape using stamp + +import turtle +loadWindow = turtle.Screen() +loadWindow.bgcolor("lightgreen") +t = turtle.Turtle() +t.shape("turtle") +t.color("dark green") + +t.penup() # This is new +size = 20 +for i in range(35): #The number of stamps + t.stamp() # Leave an impression on the canvas + size = size + 3 # Increase the size on every iteration + t.forward(size) # Move tess along + t.right(24) # ... and turn her + +turtle.exitonclick() + + + +# Example - 2 Draw clock shape + +import turtle + +loadWindow = turtle.Screen() +loadWindow.bgcolor("yellow") + +Lena = turtle.Pen() +Lena.shape('turtle') +Lena.color('red') +Lena.pensize(4) +Lena.stamp() #Stamp a copy of the turtle shape onto the canvas at the current turtle position. + +for i in range(12): + Lena.penup() + Lena.forward(100) + Lena.pendown() + Lena.forward(30) + Lena.penup() + Lena.forward(40) + Lena.stamp() + Lena.backward(170) + Lena.right(360/12) + +turtle.exitonclick() From f429b2529184b297e50a185dce524cc39afde707 Mon Sep 17 00:00:00 2001 From: Reymond Date: Tue, 10 Jul 2018 19:06:19 +0200 Subject: [PATCH 088/116] Update README.md --- README.md | 2 ++ 1 file changed, 2 insertions(+) diff --git a/README.md b/README.md index 7cb6569..f8d05ac 100644 --- a/README.md +++ b/README.md @@ -1,3 +1,5 @@ +#### Please Note that the project will be soon moved to another Repo . + # PythonCodes This project was created and maintained by students and tutors from (1 million arab coders initiative). From d3d3e45e75e26549c456667d7db0ceff18b1a0b4 Mon Sep 17 00:00:00 2001 From: shorouq saad Date: Tue, 10 Jul 2018 22:29:52 +0300 Subject: [PATCH 089/116] function to extend list --- Functions/Functions_example_en.py | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/Functions/Functions_example_en.py b/Functions/Functions_example_en.py index 2069424..d8356f4 100644 --- a/Functions/Functions_example_en.py +++ b/Functions/Functions_example_en.py @@ -32,6 +32,15 @@ def sum(x,y=6): print(sum(3)) print ("----------------") +#added by @engshorouq +#example 5 +print("Example 5 ") +def extend_list(val,my_list=[]): + my_list.append(val) + return my_list +print(extend_list('first iteam')) +print(extend_list('second iteam in same list')) +print(extend_list("new list",[])) From a4c6e2de78c690813482525b1517f24d8f9f5133 Mon Sep 17 00:00:00 2001 From: shorouq saad Date: Tue, 10 Jul 2018 22:43:05 +0300 Subject: [PATCH 090/116] ignore lanch.json file --- .gitignore | 1 + 1 file changed, 1 insertion(+) diff --git a/.gitignore b/.gitignore index e69de29..ba698c7 100644 --- a/.gitignore +++ b/.gitignore @@ -0,0 +1 @@ +.vscode/launch.json From f0ad5ada057ebf880fb1852df5dbeb96e3caa114 Mon Sep 17 00:00:00 2001 From: Heba-Ahmad-Saada Date: Thu, 12 Jul 2018 00:49:57 +0300 Subject: [PATCH 091/116] Define Boolean Operators --- True and False/Boolean_Operators_en.py | 23 +++++++++++++++++++++++ 1 file changed, 23 insertions(+) create mode 100644 True and False/Boolean_Operators_en.py diff --git a/True and False/Boolean_Operators_en.py b/True and False/Boolean_Operators_en.py new file mode 100644 index 0000000..fee5df1 --- /dev/null +++ b/True and False/Boolean_Operators_en.py @@ -0,0 +1,23 @@ +#This file contines a definition and some examples of how to use Boolean Operators +# what is Boolean operators? +#Boolean Operators compare statements and result in boolean values. There are three boolean operators(AND, OR, and NOT): +#1-and, checks if both the statements are True; 2-or, checks if at least one of the statements is True; +#3-not, gives the opposite of the statement. +#the table bellow shows the results of using AND, OR, and NOT boolean operators: + +boolean_operator= {"row1 c1": " A ", "row1 c2": " B ", "row1 c3": "A AND B", "row1 c4": " ", "row1 c5": " A ", "row1 c6": " B ", "row1 c7": " A OR B", "row1 c8": " ", "row1 c9": " A ", "row1 c10": "NOT A ","row2 c1": "True ", "row2 c2": "True ", "row2 c3": " True ", "row2 c4": " ", "row2 c5": "True ", "row2 c6": "True ", "row2 c7": " True ", "row2 c8": " ", "row2 c9": "True ", "row2 c10": "False", "row3 c1": "True ", "row3 c2": "False", "row3 c3": " False ", "row3 c4": " ", "row3 c5": "True ", "row3 c6": "False", "row3 c7": " True ", "row3 c8": " ", "row3 c9": "False", "row3 c10": "True ","row4 c1": "False", "row4 c2": "True ", "row4 c3": " False ", "row4 c4": " ", "row4 c5": "False", "row4 c6": "True ", "row4 c7": " True ", "row4 c8": " ", "row4 c9": " ", "row4 c10": " ", "row5 c1": "False", "row5 c2": "False", "row5 c3": " False ", "row5 c4": " ", "row5 c5": "False", "row5 c6": "False", "row5 c7": " False ", "row5 c8": " ", "row5 c9": " "} +def display_board(boolean_operator): + bord = """ + {row1 c1} | {row1 c2} | {row1 c3} | {row1 c4} | {row1 c5} | {row1 c6} | {row1 c7} | {row1 c8} | {row1 c9} | {row1 c10} + ----------------------------------------------------------------------------------- + {row2 c1} | {row2 c2} | {row2 c3} | {row2 c4} | {row2 c5} | {row2 c6} | {row2 c7} | {row2 c8} | {row2 c9} | {row2 c10} + ----------------------------------------------------------------------------------- + {row3 c1} | {row3 c2} | {row3 c3} | {row3 c4} | {row3 c5} | {row3 c6} | {row3 c7} | {row3 c8} | {row3 c9} | {row3 c10} + ----------------------------------------------------------------------------------- + {row4 c1} | {row4 c2} | {row4 c3} | {row4 c4} | {row4 c5} | {row4 c6} | {row4 c7} | {row4 c8} + ----------------------------------------------------------- + {row5 c1} | {row5 c2} | {row5 c3} | {row5 c4} | {row5 c5} | {row5 c6} | {row5 c7} | {row5 c8} + """.format(**boolean_operator) + print bord + +display_board(boolean_operator) From 0400fb11fe24081e047fef3088b0a47dd04e720b Mon Sep 17 00:00:00 2001 From: Heba-Ahmad-Saada Date: Thu, 12 Jul 2018 01:17:00 +0300 Subject: [PATCH 092/116] Add the order of operations for boolean operators --- True and False/Boolean_Operators_en.py | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/True and False/Boolean_Operators_en.py b/True and False/Boolean_Operators_en.py index fee5df1..079bc57 100644 --- a/True and False/Boolean_Operators_en.py +++ b/True and False/Boolean_Operators_en.py @@ -4,7 +4,8 @@ #1-and, checks if both the statements are True; 2-or, checks if at least one of the statements is True; #3-not, gives the opposite of the statement. #the table bellow shows the results of using AND, OR, and NOT boolean operators: - +#Boolean operators aren't just evaluated from left to right. Just like with arithmetic operators, there's an order of operations for boolean operators: +#1-not is evaluated first; 2-and is evaluated next; 3-or is evaluated last. boolean_operator= {"row1 c1": " A ", "row1 c2": " B ", "row1 c3": "A AND B", "row1 c4": " ", "row1 c5": " A ", "row1 c6": " B ", "row1 c7": " A OR B", "row1 c8": " ", "row1 c9": " A ", "row1 c10": "NOT A ","row2 c1": "True ", "row2 c2": "True ", "row2 c3": " True ", "row2 c4": " ", "row2 c5": "True ", "row2 c6": "True ", "row2 c7": " True ", "row2 c8": " ", "row2 c9": "True ", "row2 c10": "False", "row3 c1": "True ", "row3 c2": "False", "row3 c3": " False ", "row3 c4": " ", "row3 c5": "True ", "row3 c6": "False", "row3 c7": " True ", "row3 c8": " ", "row3 c9": "False", "row3 c10": "True ","row4 c1": "False", "row4 c2": "True ", "row4 c3": " False ", "row4 c4": " ", "row4 c5": "False", "row4 c6": "True ", "row4 c7": " True ", "row4 c8": " ", "row4 c9": " ", "row4 c10": " ", "row5 c1": "False", "row5 c2": "False", "row5 c3": " False ", "row5 c4": " ", "row5 c5": "False", "row5 c6": "False", "row5 c7": " False ", "row5 c8": " ", "row5 c9": " "} def display_board(boolean_operator): bord = """ @@ -21,3 +22,7 @@ def display_board(boolean_operator): print bord display_board(boolean_operator) +order_for_boolean= "\n".join(["1- not is evaluated first" +,"2- and is evaluated next","3- or is evaluated last."]) +print "The order of operations for boolean operators:" +print (order_for_boolean) From e7d218aea8bea25e2175600de14214860ea4fafb Mon Sep 17 00:00:00 2001 From: Dima almasri Date: Thu, 12 Jul 2018 09:37:28 +0300 Subject: [PATCH 093/116] New Func --- Functions/Calendar_en.py | 12 ++++++++++++ Functions/Counter_en.py | 17 ++++++++++++++++ Functions/Zip_en.py | 24 +++++++++++++++++++++++ Print/Print_en.py | 5 +++++ python_bacics_101/Simple_calc_en.py | 30 +++++++++++++++++++++++++++++ 5 files changed, 88 insertions(+) create mode 100644 Functions/Calendar_en.py create mode 100644 Functions/Counter_en.py create mode 100644 Functions/Zip_en.py create mode 100644 python_bacics_101/Simple_calc_en.py diff --git a/Functions/Calendar_en.py b/Functions/Calendar_en.py new file mode 100644 index 0000000..b7368b1 --- /dev/null +++ b/Functions/Calendar_en.py @@ -0,0 +1,12 @@ +import calendar +import datetime + +#@DimaAlmasri + +#return current date +now = datetime.datetime.now() +#print calendar +cal = calendar.month(now.year,now.month) +print(cal) + +raw_input("Press any key to close") diff --git a/Functions/Counter_en.py b/Functions/Counter_en.py new file mode 100644 index 0000000..7aa0998 --- /dev/null +++ b/Functions/Counter_en.py @@ -0,0 +1,17 @@ +from collections import Counter + +#@DimaAlmasri + + +#print top 3 counter + +words = [ + 'Dima', 'Mohammad', 'Randa', 'Dima', 'Randa', 'Sara', 'Saed', 'Dima', + 'Randa', 'eyes', 'marwa', 'Dima', 'ayman', 'Suha', 'Dima', 'Dana', 'Randa', + 'Dima', "Sara", 'Randa', 'Dima', 'Sara', 'Dima', 'Sara', 'Dima', + 'Saed', 'Saed', "Rasha", 'Dima' +] +word_counts = Counter(words) + +print(word_counts.most_common(3)) +print "____________________" diff --git a/Functions/Zip_en.py b/Functions/Zip_en.py new file mode 100644 index 0000000..3380da5 --- /dev/null +++ b/Functions/Zip_en.py @@ -0,0 +1,24 @@ +#@DimaAlmasri + + +print "_______________________" +print "_______________________" +mat = [[1, 2, 3], [4, 5, 6]] +print zip(*mat) +print "_______________________" + + + + +print "_______________________" +print "Name ","Age" +Name = ['Dima', 'Sara', 'Marwa', 'Ayman'] +Age = ['30', '33', '22', '50'] +for x, y in zip(Name,Age): + + print x, y +print "____________________" + + + + diff --git a/Print/Print_en.py b/Print/Print_en.py index a7fbd0b..ef419f3 100644 --- a/Print/Print_en.py +++ b/Print/Print_en.py @@ -38,6 +38,11 @@ print str(x) +(" ")+ (c) +a = [5,6,7,8,9] +print(a[True]) +print(a[False]) + + diff --git a/python_bacics_101/Simple_calc_en.py b/python_bacics_101/Simple_calc_en.py new file mode 100644 index 0000000..93d7d53 --- /dev/null +++ b/python_bacics_101/Simple_calc_en.py @@ -0,0 +1,30 @@ + +num1 = int(input('Enter your first number: ')) +num2 = int(input('Enter your second number: ')) +oper = raw_input(''' +Enter Operation: ++ for addition +- for subtraction +* for multiplication +/ for division +''') + + +if oper == '+': + + print(num1 + num2) + +elif oper == '-': + + print(num1 - num2) + +elif oper == '*': + + print(num1 * num2) + +elif oper == '/': + + print(num1 / num2) + +else: + print('Invalid input') From 56209f5a8ee4d019e4f2d2714d546b15cec150fd Mon Sep 17 00:00:00 2001 From: imane Date: Thu, 12 Jul 2018 16:50:55 +0000 Subject: [PATCH 094/116] Data types_Fr --- Data_type/Type_de_donnees_en_Python_Fr.py | 49 +++++++++++++++++++++++ 1 file changed, 49 insertions(+) create mode 100644 Data_type/Type_de_donnees_en_Python_Fr.py diff --git a/Data_type/Type_de_donnees_en_Python_Fr.py b/Data_type/Type_de_donnees_en_Python_Fr.py new file mode 100644 index 0000000..e799af0 --- /dev/null +++ b/Data_type/Type_de_donnees_en_Python_Fr.py @@ -0,0 +1,49 @@ +#Il existe de nombreux types predefinis en Python +#Nombre: Il y a trois types numeriques en Python : Le type entier (int), Le type flottant (float), Le type complexe (complex ) +print "******Types numeriques*******" +print "1:", type(1) +print "1,345:",type(1.345) +print "2j:",type(2j) + +print "******Booleen*******" +#Booleen: est un type de donnees qui ne peut prendre que deux valeurs logique: Vrai(True) et Faux(False) +print "Vrai ou Faux:", type(True) + +print "******Chaines de caracteres*******" +#Chaine de caracteres( str ): est une suite de caracteres non modifiable. +chaine="Hello" +print chaine, type("chaine") + +print "******Listes*******" +#liste:est une suite modifiable de donnees. +liste=[1,3,'a', '',0] +print liste, type(liste) + +print "******Tuples*******" +#Tuple: suite non modifiable de donnees. +tuple=(1,'a','',7,'b') +print tuple, type(tuple) + +print "******Ensembles*******" +#Ensemble:(set) est une collection modifiable de donnees sans ordre defini et sans doublons +ensemble ={1,'','a','b',2,4,2,'a'} +print ensemble, type(ensemble) + +print "******Dictionnaire*******" +#Dictionnaire: est une collection modifiable de couples(Cle,valeur)sans ordre defini et sans doublons de cles +dictionnaire={7:1,'i':2, 4:1,'a':1, 7:1,'m':3} +print dictionnaire, type(dictionnaire) + +"""Conversion +Il est possible de convertir explicitement une donnee d'un type vers un autre, +en utilisant des fonctions predefinies.""" +a = 234 +print a, type(a) +a= float(a) +print a, type(a) +a= str(a) +print a, type(a) +a= set(a) +print a, type(a) +a= bool(a) +print a, type(a) \ No newline at end of file From 2223dfe8091d4389e35bcc4de7b98049abdea1d6 Mon Sep 17 00:00:00 2001 From: imane Date: Thu, 12 Jul 2018 16:52:24 +0000 Subject: [PATCH 095/116] Print function_Fr --- Print/print_fr.py | 26 ++++++++++++++++++++++++++ 1 file changed, 26 insertions(+) create mode 100644 Print/print_fr.py diff --git a/Print/print_fr.py b/Print/print_fr.py new file mode 100644 index 0000000..a95e5a3 --- /dev/null +++ b/Print/print_fr.py @@ -0,0 +1,26 @@ +"""la fonction print() permet l'affichage a l'ecran des resultats d'une operation effectuee par le programme +il peut s'agir d'une chaine de caracteres, d'un nombre, du resultat d'un calcul, etc...""" + +print("Bonjour")#affichage d'une chaine de caracteres +print(True)#Affichage d'un booleen +print(12)#affichage d'un entier +x=3 +y=4 +print(x+y)#Calcul de deux variables x et y +print(9%6)#Calcul +L=[2,'R',45] +print(L) + +Nom="Mark" +ville="Toulouse" +age=25 +print ("Je m'appelle",Nom , "j'ai",age,"ans et j'habite a",ville) + +#Fonction format(): s'affranchit des contraintes des guillemets et des signes de concatenation +print("Je m'appelle {0} , j'ai {1} ans et j'habite a la {0}" .format("France", 25)) + +#concatenation avec le signe % +a=3 +b=2.4 +c="abc" +print("a=%d, b=%f, c=%s " %(a, b, c)) \ No newline at end of file From ee7fa63d34c8c0f01abcf62627ab31c9fd612486 Mon Sep 17 00:00:00 2001 From: imane Date: Thu, 12 Jul 2018 16:53:06 +0000 Subject: [PATCH 096/116] Print vs Return_Fr --- Print/print_vs_return_fr.py | 37 +++++++++++++++++++++++++++++++++++++ 1 file changed, 37 insertions(+) create mode 100644 Print/print_vs_return_fr.py diff --git a/Print/print_vs_return_fr.py b/Print/print_vs_return_fr.py new file mode 100644 index 0000000..2bbaf27 --- /dev/null +++ b/Print/print_vs_return_fr.py @@ -0,0 +1,37 @@ +"""la fonction: print comme son nom l'indique, elle affiche quelque chose a l'ecran mais qui ne retourne rien. +a l'inverse 'return' est un mot cle du langage python qui presente ce que la fonctionne renvoi.""" + +def f_r(x): + return x + +print ("*****Appel de la fonction*****") +f_r(6)#Appel de la fonction f_r(x) qui renvoie la valeur de x (sans affichage) +print ("**********Affichage***********") +print(f_r(6))#print affiche la valeur renvoie par la fonction f_r(x) + +def f_p(x): + print(x) + +print ("*****Appel de la fonction*****") +f_p(5)#appel de la fonction f_p(x) qui affiche la valeur de x +print ("**********Affichage***********") +print(f_p(5)) + + +def f_rp(x): + return x + print (x) + +print ("*****Appel de la fonction*****") +f_rp(4) +print ("**********Affichage***********") +print (f_rp(4)) + +def f_pr(x): + print (x) + return x + +print ("*****Appel de la fonction*****") +f_pr(3) +print ("**********Affichage***********") +print (f_pr(3)) \ No newline at end of file From a9c8fd249c90f331786170850f904d7ed67bbe2a Mon Sep 17 00:00:00 2001 From: Azhar MMA Date: Mon, 16 Jul 2018 00:15:22 +0300 Subject: [PATCH 097/116] Optimize the code --- Turtle/python-turtle-moon-night.py | 1239 +--------------------------- 1 file changed, 29 insertions(+), 1210 deletions(-) diff --git a/Turtle/python-turtle-moon-night.py b/Turtle/python-turtle-moon-night.py index 9f2dbf8..9243a7b 100644 --- a/Turtle/python-turtle-moon-night.py +++ b/Turtle/python-turtle-moon-night.py @@ -1,25 +1,18 @@ +#Added by @Fatma Farjallah # Optimize the code by @Azharo +#Python 3 + import turtle from turtle import * +import random -x=Turtle() - +#ciel +x = turtle.Turtle() +window = turtle.Screen() +window.bgcolor ("black")#("#0e0e3f") +x.hideturtle() title("Fatma Farjallah.") - x.speed(0) -x.hideturtle() - -#ciel - -x.color("#0e0e3f") -x.begin_fill() -x.goto(-1000,1000) -x.goto(1000,1000) -x.goto(1000,-1000) -x.goto(-1000,-1000) -x.goto(-1000,1000) -x.end_fill() - #moon x.up() x.goto(30,-120) @@ -30,11 +23,12 @@ x.circle(150) x.end_fill() x.goto(-35,-100) -x.color("#0e0e3f") +x.color("black") x.begin_fill() x.circle(136) x.end_fill() +#left eye x.up() x.goto(110,25) x.down() @@ -60,7 +54,7 @@ x.circle(5) x.end_fill() - +#right eye x.up() x.goto(180,25) x.down() @@ -90,7 +84,7 @@ x.up() x.goto(140,-20) x.down() -x.color("black") +x.color("red") x.width(3) x.begin_fill() x.circle(19) @@ -104,1197 +98,24 @@ x.circle(20) x.end_fill() - +########################### Optimize the code by @Azharo #################### #stars -x.up() -x.goto(280,230) -x.width(5) -x.down() -x.begin_fill() -x.color("#4d4dff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - -x.up() -x.goto(200,200) -x.width(5) -x.down() -x.begin_fill() -x.color("#ff99ff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - -x.up() -x.goto(120,260) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffb3d9") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - -x.up() -x.goto(30,230) -x.width(5) -x.down() -x.begin_fill() -x.color("#99ff99") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - -x.up() -x.goto(-50,260) -x.width(5) -x.down() -x.begin_fill() -x.color("#4d4dff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - -x.up() -x.goto(-110,270) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffffff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - -x.up() -x.goto(-190,230) -x.width(5) -x.down() -x.begin_fill() -x.color("#ff99ff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - -x.up() -x.goto(-270,270) -x.width(5) -x.down() -x.begin_fill() -x.color("#99ff99") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(-310,220) -x.width(5) -x.down() -x.begin_fill() -x.color("#ff99ff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(280,150) -x.width(5) -x.down() -x.begin_fill() -x.color("#99ff99") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -# -x.up() -x.goto(200,100) -x.width(5) -x.down() -x.begin_fill() -x.color("#99ff99") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -''' -x.up() -x.goto(120,150) -x.width(5) -x.down() -x.begin_fill() -x.color("#ff0000") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -''' -x.up() -x.goto(30,100) -x.width(5) -x.down() -x.begin_fill() -x.color("#99ff99") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(-50,150) -x.width(5) -x.down() -x.begin_fill() -x.color("#4d4dff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(-110,160) -x.width(5) -x.down() -x.begin_fill() -x.color("#99ff99") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(-190,120) -x.width(5) -x.down() -x.begin_fill() -x.color("#bf80ff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(-250,180) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffb3ff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(-310,150) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffffff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - -x.up() -x.goto(280,50) -x.width(5) -x.down() -x.begin_fill() -x.color("#4d4dff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(200,100) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffffff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -''' -x.up() -x.goto(120,50) -x.width(5) -x.down() -x.begin_fill() -x.color("#ff0000") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -''' -x.up() -x.goto(30,100) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffb3ff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - -x.up() -x.goto(-50,50) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffffff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(-110,100) -x.width(5) -x.down() -x.begin_fill() -x.color("#4d4dff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(-190,40) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffb3ff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(-270,50) -x.width(5) -x.down() -x.begin_fill() -x.color("#4d4dff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - -x.up() -x.goto(-310,100) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffffff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - - - -x.up() -x.goto(280,0) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffffff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(200,-50) -x.width(5) -x.down() -x.begin_fill() -x.color("#4d4dff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -''' -x.up() -x.goto(120,0) -x.width(5) -x.down() -x.begin_fill() -x.color("#ff0000") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -''' -x.up() -x.goto(30,5) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffffff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - -x.up() -x.goto(-50,0) -x.width(5) -x.down() -x.begin_fill() -x.color("#4d4dff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - -x.up() -x.goto(-110,10) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffffff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - -x.up() -x.goto(-190,-70) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffffff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(-270,0) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffb3ff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - -x.up() -x.goto(-310,-50) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffffff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - - - - -x.up() -x.goto(280,-100) -x.width(5) -x.down() -x.begin_fill() -x.color("#b3ffb3") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(200,-150) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffb3ff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -''' -x.up() -x.goto(120,-80) -x.width(5) -x.down() -x.begin_fill() -x.color("#ff0000") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -''' -x.up() -x.goto(30,-150) -x.width(5) -x.down() -x.begin_fill() -x.color("#4d4dff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -''' -x.up() -x.goto(-50,-100) -x.width(5) -x.down() -x.begin_fill() -x.color("#ff0000") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -''' -x.up() -x.goto(-110,-150) -x.width(5) -x.down() -x.begin_fill() -x.color("#99ff99") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(-190,-140) -x.width(5) -x.down() -x.begin_fill() -x.color("#b3ffb3") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(-270,-100) -x.width(5) -x.down() -x.begin_fill() -x.color("#4d4dff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - -x.up() -x.goto(-310,-150) -x.width(5) -x.down() -x.begin_fill() -x.color("#99ff99") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - - - -x.up() -x.goto(280,-150) -x.width(5) -x.down() -x.begin_fill() -x.color("#b3ffb3") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(200,-200) -x.width(5) -x.down() -x.begin_fill() -x.color("#4d4dff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(120,-150) -x.width(5) -x.down() -x.begin_fill() -x.color("#99ff99") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(30,-50) -x.width(5) -x.down() -x.begin_fill() -x.color("#4d4dff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - -x.up() -x.goto(-50,-150) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffb3d9") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(-110,-50) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffb3d9") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(-190,-140) -x.width(5) -x.down() -x.begin_fill() -x.color("#99ff99") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(-270,-200) -x.width(5) -x.down() -x.begin_fill() -x.color("#4d4dff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - -x.up() -x.goto(-310,-150) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffb3d9") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - - - - -x.up() -x.goto(280,-250) -x.width(5) -x.down() -x.begin_fill() -x.color("#99ff99") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(200,-270) -x.width(5) -x.down() -x.begin_fill() -x.color("#4d4dff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(120,-250) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffb3d9") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(30,-300) -x.width(5) -x.down() -x.begin_fill() -x.color("#99ff99") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - -x.up() -x.goto(-50,-250) -x.width(5) -x.down() -x.begin_fill() -x.color("#4d4dff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(-110,-300) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffffff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(-190,-250) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffb3d9") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(-270,-300) -x.width(5) -x.down() -x.begin_fill() -x.color("#99ff99") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - -x.up() -x.goto(-310,-250) -x.width(5) -x.down() -x.begin_fill() -x.color("#4d4dff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - -''' -x.up() -x.goto(30,-200) -x.width(5) -x.down() -x.begin_fill() -x.color("#ff0000") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -''' -x.up() -x.goto(30,-270) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffb3d9") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() -x.up() -x.goto(120,-250) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffffff") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - -x.up() -x.goto(-150,-200) -x.width(5) -x.down() -x.begin_fill() -x.color("#ffb3d9") -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.forward(15) -x.right(144) -x.end_fill() - +def random_stars(): + for i in [(280,230),(200,200),(120,260),(30,230),(-50,260),(-110,270),(-190,230),(-270,270),(-310,220),(280,150),(200,100),(30,100),(-50,150),(-110,160),(-190,120),(-250,180),(-310,150),(280,50),(30,100),(-50,50),(-110,100),(-190,40),(-270,50),(-310,100),(280,0),(200,-50),(30,5),(-50,0),(-110,10),(-190,-70),(-270,0),(-310,-50),(280,-100),(200,-150),(30,-150),(-110,-150),(-190,-140),(-270,-100),(-310,-150),(280,-150),(200,-200),(120,-150),(30,-50),(-50,-150),(-110,-50),(-190,-140),(-270,-200),(-310,-150),(280,-250),(200,-270),(120,-250),(30,-300),(-50,-250),(-110,-300),(-190,-250),(-270,-300),(-310,-250),(30,-270),(120,-250),(-150,-200)]: + x.up() + x.goto(i) + x.color(random.choice(["#4d4dff", "#ff99ff", "#ffb3d9", "#99ff99", "#ffffff","#ff0000","#bf80ff","#ffb3ff","yellow"])) + x.width(5) + x.down() + x.begin_fill() + for i in range (5): + x.forward(15) + x.right(144) + x.end_fill() +random_stars() + +########################################### #good luck x.up() @@ -1344,6 +165,4 @@ x.left(1) x.forward(27) - - done() From 36158b1980fd616ee58d77b1e288ec2b1fa32cc1 Mon Sep 17 00:00:00 2001 From: Azhar MMA Date: Mon, 16 Jul 2018 00:26:43 +0300 Subject: [PATCH 098/116] Optimize the code of turtle-moon-night --- Turtle/python-turtle-moon-night.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/Turtle/python-turtle-moon-night.py b/Turtle/python-turtle-moon-night.py index 9243a7b..c7d0330 100644 --- a/Turtle/python-turtle-moon-night.py +++ b/Turtle/python-turtle-moon-night.py @@ -8,7 +8,7 @@ #ciel x = turtle.Turtle() window = turtle.Screen() -window.bgcolor ("black")#("#0e0e3f") +window.bgcolor ("black") x.hideturtle() title("Fatma Farjallah.") x.speed(0) @@ -165,4 +165,4 @@ def random_stars(): x.left(1) x.forward(27) -done() +window.exitonclick() From eb2e6384a8d93dd322a5fd15f0bf7f63bb39d4cb Mon Sep 17 00:00:00 2001 From: Azhar MMA Date: Mon, 16 Jul 2018 09:14:28 +0300 Subject: [PATCH 099/116] Add Flag/palestine_en.py --- Turtle/Flags/Palestine_en.py | 120 +++++++++++++++++++++++++++++++++++ 1 file changed, 120 insertions(+) create mode 100644 Turtle/Flags/Palestine_en.py diff --git a/Turtle/Flags/Palestine_en.py b/Turtle/Flags/Palestine_en.py new file mode 100644 index 0000000..a176b79 --- /dev/null +++ b/Turtle/Flags/Palestine_en.py @@ -0,0 +1,120 @@ +#added by @Azharo +#Python 3 + +#Draw Palestine Flag + +import turtle + +turtle.shape("turtle") +window = turtle.Screen() +window.bgcolor("white") +window.setup(width=1.0, height=1.0, startx=None, starty=None) + +turtle.title("Programming by Azharo - Palestine - 2018") + +## The black part +turtle.begin_fill() +turtle.color("black") + +for i in range(2): + turtle.forward(500) + turtle.left(90) + turtle.forward(300) + turtle.left(90) +turtle.end_fill() + + +## The green part +turtle.begin_fill() +turtle.color("dark green") + +turtle.left(90) +turtle.forward(100) +turtle.right(90) +turtle.forward(500) +turtle.right(90) +turtle.forward(100) + +turtle.end_fill() + + +## The white part +turtle.begin_fill() +turtle.color("white") + +turtle.right(180) +turtle.forward(200) +turtle.left(90) +turtle.forward(500) +turtle.left(90) +turtle.forward(100) +turtle.left(90) +turtle.forward(500) + +turtle.end_fill() + +#change turtle deirection + +turtle.left(90) +turtle.forward(200) +turtle.left(90) +turtle.forward(500) +turtle.left(150) + +## The Red Part +turtle.begin_fill() +turtle.color("red") + +turtle.right(9.9) +turtle.forward(232) + +turtle.right(100) + +turtle.forward(232) + + +turtle.end_fill() + +## Make the flag stand + +turtle.begin_fill() +turtle.color("black") +turtle.up() +turtle.setpos(0,300) +turtle.setheading(180) +turtle.down() +turtle.forward(20) + +turtle.setheading(270) + +turtle.forward(550) + +turtle.setheading(0) + +turtle.forward(20) + +turtle.setheading(90) + +turtle.forward(550) + +turtle.end_fill() + + + +def writetext(text,color,x,y): + for i in range(1,10): + turtle.penup() + turtle.setx(x) + turtle.sety(y) + turtle.pendown + + turtle.pencolor(color) + turtle.write(text,move=True, font=("Arial",16,"normal")) + + +writetext('Programming by Azharo - Palestine - 2018','black',8,-100) +writetext('UDACITY Full Stack Web Developer Student','blue',8,-150) + +turtle.hideturtle() + +turtle.exitonclick() From 642a1bb52b9fa20b2b6770e807ba4d4198c9861e Mon Sep 17 00:00:00 2001 From: Ammar Asmro Date: Mon, 16 Jul 2018 12:53:48 -0600 Subject: [PATCH 100/116] Simple documentation (#39) * Implement python to md compiler * Add mkdocs utils and starter content * add script for automatic compilation of documents * compile current pages to documentation * Comment on python compiler script --- compile-pages.sh | 11 + docs/404.html | 414 ++++++++++ docs/Functions/Calculate_Age/index.html | 473 ++++++++++++ .../Functions/Functions_example_en/index.html | 476 ++++++++++++ docs/Functions/Game/index.html | 488 ++++++++++++ docs/Functions/built-in-functions/index.html | 510 ++++++++++++ docs/Functions/lambda_en/index.html | 449 +++++++++++ docs/Functions/math_functional_en/index.html | 469 +++++++++++ .../python_exmple_fibonacci_en/index.html | 460 +++++++++++ docs/Functions/revirse_string_en/index.html | 456 +++++++++++ docs/Functions/strip_en/index.html | 466 +++++++++++ docs/Lists/Dictionary_ex_en/index.html | 455 +++++++++++ docs/Lists/List_Methods/pop_en/index.html | 481 ++++++++++++ docs/Lists/List_Methods/remove_en/index.html | 483 ++++++++++++ docs/Lists/List_Methods/reverse_ar/index.html | 511 ++++++++++++ docs/Lists/List_Methods/reverse_en/index.html | 528 +++++++++++++ docs/Lists/Sets_ex_en/index.html | 460 +++++++++++ docs/Lists/Slicing_en/index.html | 470 +++++++++++ docs/Lists/Tuple_ex_en/index.html | 457 +++++++++++ docs/Lists/comprehensions_en/index.html | 485 ++++++++++++ docs/Lists/example/index.html | 452 +++++++++++ docs/Lists/list_example_ar/index.html | 469 +++++++++++ docs/Lists/list_example_en/index.html | 473 ++++++++++++ docs/Lists/list_example_fr/index.html | 442 +++++++++++ docs/Lists/modify_add_lists/index.html | 477 ++++++++++++ docs/Lists/pop/index.html | 458 +++++++++++ docs/Modules/secreat-message/index.html | 463 +++++++++++ docs/OOP/Classes_en/index.html | 466 +++++++++++ docs/OOP/Inheritance_en/index.html | 467 +++++++++++ docs/OOP/OOP_test/index.html | 481 ++++++++++++ docs/Print/Print_en/index.html | 485 ++++++++++++ docs/Strings/example/index.html | 452 +++++++++++ docs/Strings/strings_example_ar/index.html | 494 ++++++++++++ docs/Strings/strings_example_en/index.html | 487 ++++++++++++ docs/Strings/strings_example_fr/index.html | 442 +++++++++++ .../True and False/Boolean_Type_Fr/index.html | 489 ++++++++++++ docs/True and False/Logic/index.html | 480 ++++++++++++ .../True_False_Examples_En/index.html | 453 +++++++++++ docs/Turtle/House_en/index.html | 460 +++++++++++ docs/Turtle/draw_circle_en/index.html | 494 ++++++++++++ docs/Turtle/draw_en/index.html | 449 +++++++++++ docs/Turtle/draw_rectangle_en/index.html | 483 ++++++++++++ docs/Turtle/draw_square_en/index.html | 470 +++++++++++ docs/Turtle/draw_triangle_en/index.html | 461 +++++++++++ .../index.html | 503 ++++++++++++ .../index.html | 505 ++++++++++++ .../index.html | 505 ++++++++++++ docs/css/highlight.css | 124 +++ docs/css/theme.css | 12 + docs/css/theme_extra.css | 194 +++++ docs/definitions/Data_Types_en/index.html | 475 ++++++++++++ docs/definitions/Function_Def_en/index.html | 461 +++++++++++ docs/definitions/OOP_Def_en/index.html | 504 ++++++++++++ docs/definitions/Python_Def_en/index.html | 466 +++++++++++ docs/fonts/fontawesome-webfont.eot | Bin 0 -> 37405 bytes docs/fonts/fontawesome-webfont.svg | 399 ++++++++++ docs/fonts/fontawesome-webfont.ttf | Bin 0 -> 79076 bytes docs/fonts/fontawesome-webfont.woff | Bin 0 -> 43572 bytes docs/img/favicon.ico | Bin 0 -> 1150 bytes docs/index.html | 458 +++++++++++ docs/js/highlight.pack.js | 2 + docs/js/jquery-2.1.1.min.js | 4 + docs/js/modernizr-2.8.3.min.js | 1 + docs/js/theme.js | 99 +++ .../Arithemtic_operators_en/index.html | 512 ++++++++++++ .../Assignment_operators_en/index.html | 500 ++++++++++++ .../Comparison_operators_en/index.html | 501 ++++++++++++ .../Datatype_convertion_en/index.html | 463 +++++++++++ docs/search.html | 421 ++++++++++ docs/search/lunr.min.js | 7 + docs/search/mustache.min.js | 1 + docs/search/require.js | 36 + docs/search/search-results-template.mustache | 4 + docs/search/search.js | 92 +++ docs/search/search_index.json | 729 ++++++++++++++++++ docs/search/text.js | 390 ++++++++++ docs/sitemap.xml | 273 +++++++ .../Functions/Calculate_Age.md | 38 + .../Functions/Functions_example_en.md | 41 + documentation_utils/Functions/Game.md | 61 ++ .../Functions/built-in-functions.md | 116 +++ documentation_utils/Functions/lambda_en.md | 9 + .../Functions/math_functional_en.md | 43 ++ .../Functions/python_exmple_fibonacci_en.md | 21 + .../Functions/revirse_string_en.md | 17 + documentation_utils/Functions/strip_en.md | 35 + documentation_utils/Lists/Dictionary_ex_en.md | 26 + .../Lists/List_Methods/pop_en.md | 52 ++ .../Lists/List_Methods/remove_en.md | 55 ++ .../Lists/List_Methods/reverse_ar.md | 100 +++ .../Lists/List_Methods/reverse_en.md | 63 ++ documentation_utils/Lists/Sets_ex_en.md | 29 + documentation_utils/Lists/Slicing_en.md | 35 + documentation_utils/Lists/Tuple_ex_en.md | 24 + .../Lists/comprehensions_en.md | 34 + documentation_utils/Lists/example.md | 11 + documentation_utils/Lists/list_example_ar.md | 37 + documentation_utils/Lists/list_example_en.md | 43 ++ documentation_utils/Lists/list_example_fr.md | 2 + documentation_utils/Lists/modify_add_lists.md | 46 ++ documentation_utils/Lists/pop.md | 25 + .../Modules/secreat-message.md | 24 + documentation_utils/OOP/Classes_en.md | 38 + documentation_utils/OOP/Inheritance_en.md | 26 + documentation_utils/OOP/OOP_test.md | 50 ++ documentation_utils/Print/Print_en.md | 58 ++ documentation_utils/Strings/example.md | 11 + .../Strings/strings_example_ar.md | 62 ++ .../Strings/strings_example_en.md | 57 ++ .../Strings/strings_example_fr.md | 2 + .../True and False/Boolean_Type_Fr.md | 57 ++ documentation_utils/True and False/Logic.md | 39 + .../True and False/True_False_Examples_En.md | 11 + documentation_utils/Turtle/House_en.md | 19 + documentation_utils/Turtle/draw_circle_en.md | 60 ++ documentation_utils/Turtle/draw_en.md | 13 + .../Turtle/draw_rectangle_en.md | 47 ++ documentation_utils/Turtle/draw_square_en.md | 33 + .../Turtle/draw_triangle_en.md | 23 + .../(Twilio + Profanity) Arabic version.md | 91 +++ .../(Twilio + Profanity) English version.md | 87 +++ .../(Twilio + Profanity) French version.md | 85 ++ .../definitions/Data_Types_en.md | 37 + .../definitions/Function_Def_en.md | 22 + documentation_utils/definitions/OOP_Def_en.md | 66 ++ .../definitions/Python_Def_en.md | 27 + documentation_utils/index.md | 23 + .../Arithemtic_operators_en.md | 63 ++ .../Assignment_operators_en.md | 51 ++ .../Comparison_operators_en.md | 51 ++ .../Datatype_convertion_en.md | 34 + mkdocs.yml | 4 + python_to_markdown_compiler.py | 61 ++ 133 files changed, 31185 insertions(+) create mode 100755 compile-pages.sh create mode 100644 docs/404.html create mode 100644 docs/Functions/Calculate_Age/index.html create mode 100644 docs/Functions/Functions_example_en/index.html create mode 100644 docs/Functions/Game/index.html create mode 100644 docs/Functions/built-in-functions/index.html create mode 100644 docs/Functions/lambda_en/index.html create mode 100644 docs/Functions/math_functional_en/index.html create mode 100644 docs/Functions/python_exmple_fibonacci_en/index.html create mode 100644 docs/Functions/revirse_string_en/index.html create mode 100644 docs/Functions/strip_en/index.html create mode 100644 docs/Lists/Dictionary_ex_en/index.html create mode 100644 docs/Lists/List_Methods/pop_en/index.html create mode 100644 docs/Lists/List_Methods/remove_en/index.html create mode 100644 docs/Lists/List_Methods/reverse_ar/index.html create mode 100644 docs/Lists/List_Methods/reverse_en/index.html create mode 100644 docs/Lists/Sets_ex_en/index.html create mode 100644 docs/Lists/Slicing_en/index.html create mode 100644 docs/Lists/Tuple_ex_en/index.html create mode 100644 docs/Lists/comprehensions_en/index.html create mode 100644 docs/Lists/example/index.html create mode 100644 docs/Lists/list_example_ar/index.html create mode 100644 docs/Lists/list_example_en/index.html create mode 100644 docs/Lists/list_example_fr/index.html create mode 100644 docs/Lists/modify_add_lists/index.html create mode 100644 docs/Lists/pop/index.html create mode 100644 docs/Modules/secreat-message/index.html create mode 100644 docs/OOP/Classes_en/index.html create mode 100644 docs/OOP/Inheritance_en/index.html create mode 100644 docs/OOP/OOP_test/index.html create mode 100644 docs/Print/Print_en/index.html create mode 100644 docs/Strings/example/index.html create mode 100644 docs/Strings/strings_example_ar/index.html create mode 100644 docs/Strings/strings_example_en/index.html create mode 100644 docs/Strings/strings_example_fr/index.html create mode 100644 docs/True and False/Boolean_Type_Fr/index.html create mode 100644 docs/True and False/Logic/index.html create mode 100644 docs/True and False/True_False_Examples_En/index.html create mode 100644 docs/Turtle/House_en/index.html create mode 100644 docs/Turtle/draw_circle_en/index.html create mode 100644 docs/Turtle/draw_en/index.html create mode 100644 docs/Turtle/draw_rectangle_en/index.html create mode 100644 docs/Turtle/draw_square_en/index.html create mode 100644 docs/Turtle/draw_triangle_en/index.html create mode 100644 docs/Twilio + Profanity/(Twilio + Profanity) Arabic version/index.html create mode 100644 docs/Twilio + Profanity/(Twilio + Profanity) English version/index.html create mode 100644 docs/Twilio + Profanity/(Twilio + Profanity) French version/index.html create mode 100644 docs/css/highlight.css create mode 100644 docs/css/theme.css create mode 100644 docs/css/theme_extra.css create mode 100644 docs/definitions/Data_Types_en/index.html create mode 100644 docs/definitions/Function_Def_en/index.html create mode 100644 docs/definitions/OOP_Def_en/index.html create mode 100644 docs/definitions/Python_Def_en/index.html create mode 100644 docs/fonts/fontawesome-webfont.eot create mode 100644 docs/fonts/fontawesome-webfont.svg create mode 100644 docs/fonts/fontawesome-webfont.ttf create mode 100644 docs/fonts/fontawesome-webfont.woff create mode 100644 docs/img/favicon.ico create mode 100644 docs/index.html create mode 100644 docs/js/highlight.pack.js create mode 100644 docs/js/jquery-2.1.1.min.js create mode 100644 docs/js/modernizr-2.8.3.min.js create mode 100644 docs/js/theme.js create mode 100644 docs/python_bacics_101/Arithemtic_operators_en/index.html create mode 100644 docs/python_bacics_101/Assignment_operators_en/index.html create mode 100644 docs/python_bacics_101/Comparison_operators_en/index.html create mode 100644 docs/python_bacics_101/Datatype_convertion_en/index.html create mode 100644 docs/search.html create mode 100644 docs/search/lunr.min.js create mode 100644 docs/search/mustache.min.js create mode 100644 docs/search/require.js create mode 100644 docs/search/search-results-template.mustache create mode 100644 docs/search/search.js create mode 100644 docs/search/search_index.json create mode 100644 docs/search/text.js create mode 100644 docs/sitemap.xml create mode 100644 documentation_utils/Functions/Calculate_Age.md create mode 100644 documentation_utils/Functions/Functions_example_en.md create mode 100644 documentation_utils/Functions/Game.md create mode 100644 documentation_utils/Functions/built-in-functions.md create mode 100644 documentation_utils/Functions/lambda_en.md create mode 100644 documentation_utils/Functions/math_functional_en.md create mode 100644 documentation_utils/Functions/python_exmple_fibonacci_en.md create mode 100644 documentation_utils/Functions/revirse_string_en.md create mode 100644 documentation_utils/Functions/strip_en.md create mode 100644 documentation_utils/Lists/Dictionary_ex_en.md create mode 100644 documentation_utils/Lists/List_Methods/pop_en.md create mode 100644 documentation_utils/Lists/List_Methods/remove_en.md create mode 100644 documentation_utils/Lists/List_Methods/reverse_ar.md create mode 100644 documentation_utils/Lists/List_Methods/reverse_en.md create mode 100644 documentation_utils/Lists/Sets_ex_en.md create mode 100644 documentation_utils/Lists/Slicing_en.md create mode 100644 documentation_utils/Lists/Tuple_ex_en.md create mode 100644 documentation_utils/Lists/comprehensions_en.md create mode 100644 documentation_utils/Lists/example.md create mode 100644 documentation_utils/Lists/list_example_ar.md create mode 100644 documentation_utils/Lists/list_example_en.md create mode 100644 documentation_utils/Lists/list_example_fr.md create mode 100644 documentation_utils/Lists/modify_add_lists.md create mode 100644 documentation_utils/Lists/pop.md create mode 100644 documentation_utils/Modules/secreat-message.md create mode 100644 documentation_utils/OOP/Classes_en.md create mode 100644 documentation_utils/OOP/Inheritance_en.md create mode 100644 documentation_utils/OOP/OOP_test.md create mode 100644 documentation_utils/Print/Print_en.md create mode 100644 documentation_utils/Strings/example.md create mode 100644 documentation_utils/Strings/strings_example_ar.md create mode 100644 documentation_utils/Strings/strings_example_en.md create mode 100644 documentation_utils/Strings/strings_example_fr.md create mode 100644 documentation_utils/True and False/Boolean_Type_Fr.md create mode 100644 documentation_utils/True and False/Logic.md create mode 100644 documentation_utils/True and False/True_False_Examples_En.md create mode 100644 documentation_utils/Turtle/House_en.md create mode 100644 documentation_utils/Turtle/draw_circle_en.md create mode 100644 documentation_utils/Turtle/draw_en.md create mode 100644 documentation_utils/Turtle/draw_rectangle_en.md create mode 100644 documentation_utils/Turtle/draw_square_en.md create mode 100644 documentation_utils/Turtle/draw_triangle_en.md create mode 100644 documentation_utils/Twilio + Profanity/(Twilio + Profanity) Arabic version.md create mode 100644 documentation_utils/Twilio + Profanity/(Twilio + Profanity) English version.md create mode 100644 documentation_utils/Twilio + Profanity/(Twilio + Profanity) French version.md create mode 100644 documentation_utils/definitions/Data_Types_en.md create mode 100644 documentation_utils/definitions/Function_Def_en.md create mode 100644 documentation_utils/definitions/OOP_Def_en.md create mode 100644 documentation_utils/definitions/Python_Def_en.md create mode 100644 documentation_utils/index.md create mode 100644 documentation_utils/python_bacics_101/Arithemtic_operators_en.md create mode 100644 documentation_utils/python_bacics_101/Assignment_operators_en.md create mode 100644 documentation_utils/python_bacics_101/Comparison_operators_en.md create mode 100644 documentation_utils/python_bacics_101/Datatype_convertion_en.md create mode 100644 mkdocs.yml create mode 100644 python_to_markdown_compiler.py diff --git a/compile-pages.sh b/compile-pages.sh new file mode 100755 index 0000000..f6c3ddc --- /dev/null +++ b/compile-pages.sh @@ -0,0 +1,11 @@ +echo 'Cleaning documentation_utils directory' +rm -rf documentation_utils/* + +echo 'Copying the README over to the pages' +cat README.md >> documentation_utils/index.md + +echo 'Compiling pages from python to markdown content' +python3 python_to_markdown_compiler.py + +echo 'Building the documentation' +mkdocs build --clean diff --git a/docs/404.html b/docs/404.html new file mode 100644 index 0000000..f669eed --- /dev/null +++ b/docs/404.html @@ -0,0 +1,414 @@ + + + + + + + + + + + Python Codes + + + + + + + + + + + + + + +