From 37b3a1abec1a7681d2c75760173d438bef0ec9e1 Mon Sep 17 00:00:00 2001
From: Zearf <baobaoa9@gmail.com>
Date: Thu, 20 Oct 2022 01:49:27 +0700
Subject: [PATCH 1/9] Create 03_booleans_operators_date.md

---
 .../03_booleans_operators_date.md             | 633 ++++++++++++++++++
 1 file changed, 633 insertions(+)
 create mode 100644 Vietnamese/03_Day_Booleans_operators_date/03_booleans_operators_date.md

diff --git a/Vietnamese/03_Day_Booleans_operators_date/03_booleans_operators_date.md b/Vietnamese/03_Day_Booleans_operators_date/03_booleans_operators_date.md
new file mode 100644
index 0000000..bb376ae
--- /dev/null
+++ b/Vietnamese/03_Day_Booleans_operators_date/03_booleans_operators_date.md
@@ -0,0 +1,633 @@
+<div align="center">
+  <h1> 30 Days Of JavaScript: Booleans, Operators, Date</h1>
+  <a class="header-badge" target="_blank" href="https://www.linkedin.com/in/asabeneh/">
+  <img src="https://img.shields.io/badge/style--5eba00.svg?label=LinkedIn&logo=linkedin&style=social">
+  </a>
+  <a class="header-badge" target="_blank" href="https://twitter.com/Asabeneh">
+  <img alt="Twitter Follow" src="https://img.shields.io/twitter/follow/asabeneh?style=social">
+  </a>
+
+  <sub>Author:
+  <a href="https://www.linkedin.com/in/asabeneh/" target="_blank">Asabeneh Yetayeh</a><br>
+  <small> January, 2020</small>
+  </sub>
+</div>
+
+[<< Day 2](../02_Day_Data_types/02_day_data_types.md) | [Day 4 >>](../04_Day_Conditionals/04_day_conditionals.md)
+
+![Thirty Days Of JavaScript](../images/banners/day_1_3.png)
+
+- [📔 Day 3](#-day-3)
+	- [Booleans](#booleans)
+		- [Truthy values](#truthy-values)
+		- [Falsy values](#falsy-values)
+	- [Undefined](#undefined)
+	- [Null](#null)
+	- [Operators](#operators)
+		- [Assignment operators](#assignment-operators)
+		- [Arithmetic Operators](#arithmetic-operators)
+		- [Comparison Operators](#comparison-operators)
+		- [Logical Operators](#logical-operators)
+		- [Increment Operator](#increment-operator)
+		- [Decrement Operator](#decrement-operator)
+		- [Ternary Operators](#ternary-operators)
+		- [Operator Precedence](#operator-precedence)
+	- [Window Methods](#window-methods)
+		- [Window alert() method](#window-alert-method)
+		- [Window prompt() method](#window-prompt-method)
+		- [Window confirm() method](#window-confirm-method)
+	- [Date Object](#date-object)
+		- [Creating a time object](#creating-a-time-object)
+		- [Getting full year](#getting-full-year)
+		- [Getting month](#getting-month)
+		- [Getting date](#getting-date)
+		- [Getting day](#getting-day)
+		- [Getting hours](#getting-hours)
+		- [Getting minutes](#getting-minutes)
+		- [Getting seconds](#getting-seconds)
+		- [Getting time](#getting-time)
+	- [💻 Day 3: Exercises](#-day-3-exercises)
+		- [Exercises: Level 1](#exercises-level-1)
+		- [Exercises: Level 2](#exercises-level-2)
+		- [Exercises: Level 3](#exercises-level-3)
+
+# 📔 Day 3
+
+## Booleans
+
+A boolean data type represents one of the two values:_true_ or _false_. Boolean value is either true or false. The use of these data types will be clear when you start the comparison operator. Any comparisons return a boolean value which is either true or false.
+
+**Example: Boolean Values**
+
+```js
+let isLightOn = true
+let isRaining = false
+let isHungry = false
+let isMarried = true
+let truValue = 4 > 3    // true
+let falseValue = 4 < 3  // false
+```
+
+We agreed that boolean values are either true or false.
+
+### Truthy values
+
+- All numbers(positive and negative) are truthy except zero
+- All strings are truthy except an empty string ('')
+- The boolean true
+
+### Falsy values
+
+- 0
+- 0n
+- null
+- undefined
+- NaN
+- the boolean false
+- '', "", ``, empty string
+
+It is good to remember those truthy values and falsy values. In later section, we will use them with conditions to make decisions.
+
+## Undefined
+
+If we declare a variable and if we do not assign a value, the value will be undefined. In addition to this, if a function is not returning the value, it will be undefined.
+
+```js
+let firstName
+console.log(firstName) //not defined, because it is not assigned to a value yet
+```
+
+## Null
+
+```js
+let empty = null
+console.log(empty) // -> null , means no value
+```
+
+## Operators
+
+### Assignment operators
+
+An equal sign in JavaScript is an assignment operator. It uses to assign a variable.
+
+```js
+let firstName = 'Asabeneh'
+let country = 'Finland'
+```
+
+Assignment Operators
+
+![Assignment operators](../images/assignment_operators.png)
+
+### Arithmetic Operators
+
+Arithmetic operators are mathematical operators.
+
+- Addition(+): a + b
+- Subtraction(-): a - b
+- Multiplication(*): a * b
+- Division(/): a / b
+- Modulus(%): a % b
+- Exponential(**): a ** b
+
+```js
+let numOne = 4
+let numTwo = 3
+let sum = numOne + numTwo
+let diff = numOne - numTwo
+let mult = numOne * numTwo
+let div = numOne / numTwo
+let remainder = numOne % numTwo
+let powerOf = numOne ** numTwo
+
+console.log(sum, diff, mult, div, remainder, powerOf) // 7,1,12,1.33,1, 64
+
+```
+
+```js
+const PI = 3.14
+let radius = 100          // length in meter
+
+//Let us calculate area of a circle
+const areaOfCircle = PI * radius * radius
+console.log(areaOfCircle)  //  314 m
+
+
+const gravity = 9.81      // in m/s2
+let mass = 72             // in Kilogram
+
+// Let us calculate weight of an object
+const weight = mass * gravity
+console.log(weight)        // 706.32 N(Newton)
+
+const boilingPoint = 100  // temperature in oC, boiling point of water
+const bodyTemp = 37       // body temperature in oC
+
+
+// Concatenating string with numbers using string interpolation
+/*
+ The boiling point of water is 100 oC.
+ Human body temperature is 37 oC.
+ The gravity of earth is 9.81 m/s2.
+ */
+console.log(
+  `The boiling point of water is ${boilingPoint} oC.\nHuman body temperature is ${bodyTemp} oC.\nThe gravity of earth is ${gravity} m / s2.`
+)
+```
+
+### Comparison Operators
+
+In programming we compare values, we use comparison operators to compare two values. We check if a value is greater or less or equal to other value.
+
+![Comparison Operators](../images/comparison_operators.png)
+**Example: Comparison Operators**
+
+```js
+console.log(3 > 2)              // true, because 3 is greater than 2
+console.log(3 >= 2)             // true, because 3 is greater than 2
+console.log(3 < 2)              // false,  because 3 is greater than 2
+console.log(2 < 3)              // true, because 2 is less than 3
+console.log(2 <= 3)             // true, because 2 is less than 3
+console.log(3 == 2)             // false, because 3 is not equal to 2
+console.log(3 != 2)             // true, because 3 is not equal to 2
+console.log(3 == '3')           // true, compare only value
+console.log(3 === '3')          // false, compare both value and data type
+console.log(3 !== '3')          // true, compare both value and data type
+console.log(3 != 3)             // false, compare only value
+console.log(3 !== 3)            // false, compare both value and data type
+console.log(0 == false)         // true, equivalent
+console.log(0 === false)        // false, not exactly the same
+console.log(0 == '')            // true, equivalent
+console.log(0 == ' ')           // true, equivalent
+console.log(0 === '')           // false, not exactly the same
+console.log(1 == true)          // true, equivalent
+console.log(1 === true)         // false, not exactly the same
+console.log(undefined == null)  // true
+console.log(undefined === null) // false
+console.log(NaN == NaN)         // false, not equal
+console.log(NaN === NaN)        // false
+console.log(typeof NaN)         // number
+
+console.log('mango'.length == 'avocado'.length)  // false
+console.log('mango'.length != 'avocado'.length)  // true
+console.log('mango'.length < 'avocado'.length)   // true
+console.log('milk'.length == 'meat'.length)      // true
+console.log('milk'.length != 'meat'.length)      // false
+console.log('tomato'.length == 'potato'.length)  // true
+console.log('python'.length > 'dragon'.length)   // false
+```
+
+Try to understand the above comparisons with some logic. Remembering without any logic might be difficult.
+JavaScript is somehow a wired kind of programming language. JavaScript code run and give you a result but unless you are good at it may not be the desired result.
+
+As rule of thumb, if a value is not true with == it will not be equal with ===. Using === is safer than using ==. The following [link](https://dorey.github.io/JavaScript-Equality-Table/) has an exhaustive list of comparison of data types.
+
+### Logical Operators
+
+The following symbols are the common logical operators:
+&&(ampersand) , ||(pipe) and !(negation).
+The && operator gets true only if the two operands are true.
+The || operator gets true either of the operand is true.
+The ! operator negates true to false and false to true.
+
+```js
+// && ampersand operator example
+
+const check = 4 > 3 && 10 > 5         // true && true -> true
+const check = 4 > 3 && 10 < 5         // true && false -> false
+const check = 4 < 3 && 10 < 5         // false && false -> false
+
+// || pipe or operator, example
+
+const check = 4 > 3 || 10 > 5         // true  || true -> true
+const check = 4 > 3 || 10 < 5         // true  || false -> true
+const check = 4 < 3 || 10 < 5         // false || false -> false
+
+//! Negation examples
+
+let check = 4 > 3                     // true
+let check = !(4 > 3)                  //  false
+let isLightOn = true
+let isLightOff = !isLightOn           // false
+let isMarried = !false                // true
+```
+
+### Increment Operator
+
+In JavaScript we use the increment operator to increase a value stored in a variable. The increment could be pre or post increment. Let us see each of them:
+
+1. Pre-increment
+
+```js
+let count = 0
+console.log(++count)        // 1
+console.log(count)          // 1
+```
+
+1. Post-increment
+
+```js
+let count = 0
+console.log(count++)        // 0
+console.log(count)          // 1
+```
+
+We use most of the time post-increment. At least you should remember how to use post-increment operator.
+
+### Decrement Operator
+
+In JavaScript we use the decrement operator to decrease a value stored in a variable. The decrement could be pre or post decrement. Let us see each of them:
+
+1. Pre-decrement
+
+```js
+let count = 0
+console.log(--count) // -1
+console.log(count)  // -1
+```
+
+2. Post-decrement
+
+```js
+let count = 0
+console.log(count--) // 0
+console.log(count)   // -1
+```
+
+### Ternary Operators
+
+Ternary operator allows to write a condition.
+Another way to write conditionals is using ternary operators. Look at the following examples:
+
+```js
+let isRaining = true
+isRaining
+  ? console.log('You need a rain coat.')
+  : console.log('No need for a rain coat.')
+isRaining = false
+
+isRaining
+  ? console.log('You need a rain coat.')
+  : console.log('No need for a rain coat.')
+```
+
+```sh
+You need a rain coat.
+No need for a rain coat.
+```
+
+```js
+let number = 5
+number > 0
+  ? console.log(`${number} is a positive number`)
+  : console.log(`${number} is a negative number`)
+number = -5
+
+number > 0
+  ? console.log(`${number} is a positive number`)
+  : console.log(`${number} is a negative number`)
+```
+
+```sh
+5 is a positive number
+-5 is a negative number
+```
+
+### Operator Precedence
+
+I would like to recommend you to read about operator precedence from this [link](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/Operator_Precedence)
+
+## Window Methods
+
+### Window alert() method
+
+As you have seen at very beginning alert() method displays an alert box with a specified message and an OK button. It is a builtin method and it takes on argument.
+
+```js
+alert(message)
+```
+
+```js
+alert('Welcome to 30DaysOfJavaScript')
+```
+
+Do not use too much alert because it is destructing and annoying, use it just to test.
+
+### Window prompt() method
+
+The window prompt methods display a prompt box with an input on your browser to take input values and the input data can be stored in a variable. The prompt() method takes two arguments. The second argument is optional.
+
+```js
+prompt('required text', 'optional text')
+```
+
+```js
+let number = prompt('Enter number', 'number goes here')
+console.log(number)
+```
+
+### Window confirm() method
+
+The confirm() method displays a dialog box with a specified message, along with an OK and a Cancel button.
+A confirm box is often used to ask permission from a user to execute something. Window confirm() takes a string as an argument.
+Clicking the OK yields true value, whereas clicking the Cancel button yields false value.
+
+```js
+const agree = confirm('Are you sure you like to delete? ')
+console.log(agree) // result will be true or false based on what you click on the dialog box
+```
+
+These are not all the window methods we will have a separate section to go deep into window methods.
+
+## Date Object
+
+Time is an important thing. We like to know the time a certain activity or event. In JavaScript current time and date is created using JavaScript Date Object. The object we create using Date object provides many methods to work with date and time.The methods we use to get date and time information from a date object values are started with a word _get_ because it provide the information.
+_getFullYear(), getMonth(), getDate(), getDay(), getHours(), getMinutes, getSeconds(), getMilliseconds(), getTime(), getDay()_
+
+![Date time Object](../images/date_time_object.png)
+
+### Creating a time object
+
+Once we create time object. The time object will provide information about time. Let us create a time object
+
+```js
+const now = new Date()
+console.log(now) // Sat Jan 04 2020 00:56:41 GMT+0200 (Eastern European Standard Time)
+```
+
+We have created a time object and we can access any date time information from the object using the get methods we have mentioned on the table.
+
+### Getting full year
+
+Let's extract or get the full year from a time object.
+
+```js
+const now = new Date()
+console.log(now.getFullYear()) // 2020
+```
+
+### Getting month
+
+Let's extract or get the month from a time object.
+
+```js
+const now = new Date()
+console.log(now.getMonth()) // 0, because the month is January,  month(0-11)
+```
+
+### Getting date
+
+Let's extract or get the date of the month from a time object.
+
+```js
+const now = new Date()
+console.log(now.getDate()) // 4, because the day of the month is 4th,  day(1-31)
+```
+
+### Getting day
+
+Let's extract or get the day of the week from a time object.
+
+```js
+const now = new Date()
+console.log(now.getDay()) // 6, because the day is Saturday which is the 7th day
+//  Sunday is 0, Monday is 1 and Saturday is 6
+// Getting the weekday as a number (0-6)
+```
+
+### Getting hours
+
+Let's extract or get the hours from a time object.
+
+```js
+const now = new Date()
+console.log(now.getHours()) // 0, because the time is 00:56:41
+```
+
+### Getting minutes
+
+Let's extract or get the minutes from a time object.
+
+```js
+const now = new Date()
+console.log(now.getMinutes()) // 56, because the time is 00:56:41
+```
+
+### Getting seconds
+
+Let's extract or get the seconds from a time object.
+
+```js
+const now = new Date()
+console.log(now.getSeconds()) // 41, because the time is 00:56:41
+```
+
+### Getting time
+
+This method give time in milliseconds starting from January 1, 1970. It is also know as Unix time. We can get the unix time in two ways:
+
+1. Using _getTime()_
+
+```js
+const now = new Date() //
+console.log(now.getTime()) // 1578092201341, this is the number of seconds passed from January 1, 1970 to January 4, 2020 00:56:41
+```
+
+1. Using _Date.now()_
+
+```js
+const allSeconds = Date.now() //
+console.log(allSeconds) // 1578092201341, this is the number of seconds passed from January 1, 1970 to January 4, 2020 00:56:41
+
+const timeInSeconds = new Date().getTime()
+console.log(allSeconds == timeInSeconds) // true
+```
+
+Let us format these values to a human readable time format.
+**Example:**
+
+```js
+const now = new Date()
+const year = now.getFullYear() // return year
+const month = now.getMonth() + 1 // return month(0 - 11)
+const date = now.getDate() // return date (1 - 31)
+const hours = now.getHours() // return number (0 - 23)
+const minutes = now.getMinutes() // return number (0 -59)
+
+console.log(`${date}/${month}/${year} ${hours}:${minutes}`) // 4/1/2020 0:56
+```
+
+🌕  You have boundless energy. You have just completed day 3 challenges and you are three steps a head in to your way to greatness. Now do some exercises for your brain and for your muscle.
+
+## 💻 Day 3: Exercises
+
+### Exercises: Level 1
+
+1. Declare firstName, lastName, country, city, age, isMarried, year variable and assign value to it and use the typeof operator to check different data types.
+2. Check if type of '10' is equal to 10
+3. Check if parseInt('9.8') is equal to 10
+4. Boolean value is either true or false.
+   1. Write three JavaScript statement which provide truthy value.
+   2. Write three JavaScript statement which provide falsy value.
+
+5. Figure out the result of the following comparison expression first without using console.log(). After you decide the result confirm it using console.log()
+   1. 4 > 3
+   2. 4 >= 3
+   3. 4 < 3
+   4. 4 <= 3
+   5. 4 == 4
+   6. 4 === 4
+   7. 4 != 4
+   8. 4 !== 4
+   9. 4 != '4'
+   10. 4 == '4'
+   11. 4 === '4'
+   12. Find the length of python and jargon and make a falsy comparison statement.
+
+6. Figure out the result of the following expressions first without using console.log(). After you decide the result confirm it by using console.log()
+   1. 4 > 3 && 10 < 12
+   2. 4 > 3 && 10 > 12
+   3. 4 > 3 || 10 < 12
+   4. 4 > 3 || 10 > 12
+   5. !(4 > 3)
+   6. !(4 < 3)
+   7. !(false)
+   8. !(4 > 3 && 10 < 12)
+   9. !(4 > 3 && 10 > 12)
+   10. !(4 === '4')
+   11. There is no 'on' in both dragon and python
+
+7. Use the Date object to do the following activities
+   1. What is the year today?
+   2. What is the month today as a number?
+   3. What is the date today?
+   4. What is the day today as a number?
+   5. What is the hours now?
+   6. What is the minutes now?
+   7. Find out the numbers of seconds elapsed from January 1, 1970 to now.
+
+### Exercises: Level 2
+
+1. Write a script that prompt the user to enter base and height of the triangle and calculate an area of a triangle (area = 0.5 x b x h).
+
+   ```sh
+   Enter base: 20
+   Enter height: 10
+   The area of the triangle is 100
+   ```
+
+1. Write a script that prompt the user to enter side a, side b, and side c of the triangle and and calculate the perimeter of triangle (perimeter = a + b + c)
+
+   ```sh
+   Enter side a: 5
+   Enter side b: 4
+   Enter side c: 3
+   The perimeter of the triangle is 12
+   ```
+
+1. Get length and width using prompt and calculate an area of rectangle (area = length x width and the perimeter of rectangle (perimeter = 2 x (length + width))
+1. Get radius using prompt and calculate the area of a circle (area = pi x r x r) and circumference of a circle(c = 2 x pi x r) where pi = 3.14.
+1. Calculate the slope, x-intercept and y-intercept of y = 2x -2
+1. Slope is m = (y<sub>2</sub>-y<sub>1</sub>)/(x<sub>2</sub>-x<sub>1</sub>). Find the slope between point (2, 2) and point(6,10)
+1. Compare the slope of above two questions.
+1. Calculate the value of y (y = x<sup>2</sup> + 6x + 9). Try to use different x values and figure out at what x value y is 0.
+1. Writ a script that prompt a user to enter hours and rate per hour. Calculate pay of the person?
+
+    ```sh
+    Enter hours: 40
+    Enter rate per hour: 28
+    Your weekly earning is 1120
+    ```
+
+1. If the length of your name is greater than 7 say, your name is long else say your name is short.
+1. Compare your first name length and your family name length and you should get this output.
+
+    ```js
+    let firstName = 'Asabeneh'
+    let lastName = 'Yetayeh'
+    ```
+
+    ```sh
+    Your first name, Asabeneh is longer than your family name, Yetayeh
+    ```
+
+1. Declare two variables _myAge_ and _yourAge_ and assign them initial values and myAge and yourAge.
+
+   ```js
+   let myAge = 250
+   let yourAge = 25
+   ```
+
+   ```sh
+   I am 225 years older than you.
+   ```
+
+1. Using prompt get the year the user was born and if the user is 18 or above allow the user to drive if not tell the user to wait a certain amount of years.
+
+    ```sh
+
+    Enter birth year: 1995
+    You are 25. You are old enough to drive
+
+    Enter birth year: 2005
+    You are 15. You will be allowed to drive after 3 years.
+    ```
+
+1. Write a script that prompt the user to enter number of years. Calculate the number of seconds a person can live. Assume some one lives just hundred years
+
+   ```sh
+   Enter number of years you live: 100
+   You lived 3153600000 seconds.
+   ```
+
+1. Create a human readable time format using the Date time object
+   1. YYYY-MM-DD HH:mm
+   2. DD-MM-YYYY HH:mm
+   3. DD/MM/YYYY HH:mm
+
+### Exercises: Level 3
+
+1. Create a human readable time format using the Date time object. The hour and the minute should be all the time two digits(7 hours should be 07 and 5 minutes should be 05 )
+   1. YYY-MM-DD HH:mm eg. 20120-01-02 07:05
+
+[<< Day 2](../02_Day_Data_types/02_day_data_types.md) | [Day 4 >>](../04_Day_Conditionals/04_day_conditionals.md)

From fc9719cd27fb3709acad161e4e2d154ec01f2064 Mon Sep 17 00:00:00 2001
From: Zearf <baobaoa9@gmail.com>
Date: Thu, 20 Oct 2022 01:51:44 +0700
Subject: [PATCH 2/9] Update 03_booleans_operators_date.md

---
 .../03_booleans_operators_date.md             | 73 ++++++++++---------
 1 file changed, 37 insertions(+), 36 deletions(-)

diff --git a/Vietnamese/03_Day_Booleans_operators_date/03_booleans_operators_date.md b/Vietnamese/03_Day_Booleans_operators_date/03_booleans_operators_date.md
index bb376ae..5ce6453 100644
--- a/Vietnamese/03_Day_Booleans_operators_date/03_booleans_operators_date.md
+++ b/Vietnamese/03_Day_Booleans_operators_date/03_booleans_operators_date.md
@@ -7,57 +7,58 @@
   <img alt="Twitter Follow" src="https://img.shields.io/twitter/follow/asabeneh?style=social">
   </a>
 
-  <sub>Author:
+  <sub>Tác giả:
   <a href="https://www.linkedin.com/in/asabeneh/" target="_blank">Asabeneh Yetayeh</a><br>
-  <small> January, 2020</small>
+  <small> Tháng 1, 2020</small>
   </sub>
 </div>
 
-[<< Day 2](../02_Day_Data_types/02_day_data_types.md) | [Day 4 >>](../04_Day_Conditionals/04_day_conditionals.md)
+[<< Ngày 2](../02_Day_Data_types/02_day_data_types.md) | [Ngày 4 >>](../04_Day_Conditionals/04_day_conditionals.md)
 
-![Thirty Days Of JavaScript](../images/banners/day_1_3.png)
+![Thirty Days Of JavaScript](../../images/banners/day_1_3.png)
 
-- [📔 Day 3](#-day-3)
+- [📔 Ngày 3](#-day-3)
 	- [Booleans](#booleans)
-		- [Truthy values](#truthy-values)
-		- [Falsy values](#falsy-values)
-	- [Undefined](#undefined)
-	- [Null](#null)
-	- [Operators](#operators)
-		- [Assignment operators](#assignment-operators)
-		- [Arithmetic Operators](#arithmetic-operators)
-		- [Comparison Operators](#comparison-operators)
-		- [Logical Operators](#logical-operators)
-		- [Increment Operator](#increment-operator)
-		- [Decrement Operator](#decrement-operator)
-		- [Ternary Operators](#ternary-operators)
-		- [Operator Precedence](#operator-precedence)
-	- [Window Methods](#window-methods)
-		- [Window alert() method](#window-alert-method)
-		- [Window prompt() method](#window-prompt-method)
-		- [Window confirm() method](#window-confirm-method)
-	- [Date Object](#date-object)
-		- [Creating a time object](#creating-a-time-object)
-		- [Getting full year](#getting-full-year)
-		- [Getting month](#getting-month)
-		- [Getting date](#getting-date)
-		- [Getting day](#getting-day)
+		- [Giá trị đúng](#truthy-values)
+		- [Giá trị sai](#falsy-values)
+	- [Không xác định](#undefined)
+	- [Giá trị không tồn tại](#null)
+	- [Toán tử](#operators)
+		- [Toán tử gán](#assignment-operators)
+		- [Toán tử số học](#arithmetic-operators)
+		- [Toán tử so sánh](#comparison-operators)
+		- [Toán tử logic](#logical-operators)
+		- [Toán tử tăng](#increment-operator)
+		- [Toán tử giảm](#decrement-operator)
+		- [Toán tử điều kiện](#ternary-operators)
+		- [Độ ưu tiên của toán tử](#operator-precedence)
+	- [Phương thức cửa sổ](#window-methods)
+		- [Phương thức alert()](#window-alert-method)
+		- [Phương thức prompt()](#window-prompt-method)
+		- [Phương thức confirm()](#window-confirm-method)
+	- [Đối tượng thời gian](#date-object)
+		- [Tạo một đối tượng thời gian](#creating-a-time-object)
+		- [Lấy giá trị năm](#getting-full-year)
+		- [Lấy giá trị tháng](#getting-month)
+		- [Lấy giá trị ngày](#getting-date)
+		- [Lấy giá trị thứ trong tuần](#getting-day)
 		- [Getting hours](#getting-hours)
 		- [Getting minutes](#getting-minutes)
 		- [Getting seconds](#getting-seconds)
 		- [Getting time](#getting-time)
-	- [💻 Day 3: Exercises](#-day-3-exercises)
-		- [Exercises: Level 1](#exercises-level-1)
-		- [Exercises: Level 2](#exercises-level-2)
-		- [Exercises: Level 3](#exercises-level-3)
+	- [💻 Ngày 3: Bài tập](#-day-3-exercises)
+		- [Bài tập: Cấp độ 1](#exercises-level-1)
+		- [Bài tập: Cấp độ 2](#exercises-level-2)
+		- [Bài tập: Cấp độ 3](#exercises-level-3)
 
 # 📔 Day 3
 
 ## Booleans
 
-A boolean data type represents one of the two values:_true_ or _false_. Boolean value is either true or false. The use of these data types will be clear when you start the comparison operator. Any comparisons return a boolean value which is either true or false.
 
-**Example: Boolean Values**
+Dữ liệu boolean thể hiện một trong hai giá trị: True (đúng) hoặc False (sai). Giá trị của boolean sẽ là đúng (True) hoặc sai (False). Việc sử dụng các kiểu dữ liệu này sẽ rõ ràng khi bạn sử dụng toán tử so sánh. Bất kì phương thức so sánh nào đều sẽ trả về giá trị boolean đúng hoặc sai. 
+
+**Ví dụ: Giá Trị Boolean**
 
 ```js
 let isLightOn = true
@@ -68,9 +69,9 @@ let truValue = 4 > 3    // true
 let falseValue = 4 < 3  // false
 ```
 
-We agreed that boolean values are either true or false.
+Chúng ta có thể thấy được boolean chỉ có giá trị đúng hoặc sai.
 
-### Truthy values
+### Giá trị đúng
 
 - All numbers(positive and negative) are truthy except zero
 - All strings are truthy except an empty string ('')

From bffe3993391bedab224c081d3b485a79a083db82 Mon Sep 17 00:00:00 2001
From: "diken.dev" <diken.dev@gmail.com>
Date: Tue, 31 Jan 2023 23:24:53 -0300
Subject: [PATCH 3/9] Portuguese Day 2 translation

---
 .../02_Day_Data_types/02_day_data_types.md    | 411 +++++++++---------
 Portuguese/readMe.md                          |   2 +-
 2 files changed, 203 insertions(+), 210 deletions(-)

diff --git a/Portuguese/02_Day_Data_types/02_day_data_types.md b/Portuguese/02_Day_Data_types/02_day_data_types.md
index 5aaa4ee..bb6828e 100644
--- a/Portuguese/02_Day_Data_types/02_day_data_types.md
+++ b/Portuguese/02_Day_Data_types/02_day_data_types.md
@@ -25,11 +25,10 @@
 	- [Números](#Números)
 		- [Declarando Tipos de Dados Numéricos](#declarando-tipos-de-dados-numéricos)
 		- [Math Objeto](#math-objeto)
-			- [Gerador de Número Aleatório](#random-number-generator)
+			- [Gerador de Número Aleatório](#gerador-de-número-aleatório)
 	- [Strings](#strings)
-		- [String Concatenação](#string-concatenation)
-			- [Concatenando Usando o Operador de Adição](#concatenating-using-addition-operator)
-			- [Long Literal Strings ](#long-literal-strings)
+		- [String Concatenação](#string-concatenação)
+			- [Concatenando Usando o Operador de Adição](#concatenando-usando-o-operador-de-adição)
 			- [Escape Sequences in Strings](#escape-sequences-in-strings)
 			- [Template Literals (Template Strings)](#template-literals-template-strings)
 		- [String Methods](#string-methods)
@@ -39,10 +38,10 @@
 			- [String to Int](#string-to-int)
 			- [String to Float](#string-to-float)
 			- [Float to Int](#float-to-int)
-	- [💻 Day 2: Exercises](#-day-2-exercises)
-		- [Exercise: Level 1](#exercise-level-1)
-		- [Exercise: Level 2](#exercise-level-2)
-		- [Exercises: Level 3](#exercises-level-3)
+	- [💻 Dia 2: Exercícios](#-dia-2-exercícios)
+		- [Exercícios: Level 1](#exercícios-level-1)
+		- [Exercícios: Level 2](#exercícios-level-2)
+		- [Exercícios: Level 3](#exercícios-level-3)
 
 # 📔 Dia 2
 
@@ -78,7 +77,7 @@ Agora, vamos ver exatamente oque significa tipos de dados primitivos e não prim
 let word = 'JavaScript'
 ```
 
-Se nós tentarmos modificar uma string armazenada na variável *word, JavaScrip irá mostar um error. Qualquer dados entre aspas simples, aspas duplas, ou aspas é um string tipo de dado.
+Se nós tentarmos modificar uma string armazenada na variável *word, JavaScrip irá mostar um error. Qualquer dados entre aspas simples, aspas duplas, ou crase é um string do tipo dado.
 
 ```js
 word[0] = 'Y'
@@ -116,7 +115,7 @@ nums[0] = 1
 console.log(nums)  // [1, 2, 3]
 ```
 
-Como você pode ver, um array, que é um tipo de dado não primitivo é mutável. Tipos de dados nao primitivos nao podem ser comparador pelos seus valores. Mesmo se dois tipos de dados não primitivos tem as mesmas propriedades e valores, eles não podem ser estritamentes iguais.
+Como você pode ver, um array, que é um tipo de dado não primitivo é mutável. Tipos de dados não primitivos não podem ser comparador pelos seus valores. Mesmo se dois tipos de dados não primitivos tem as mesmas propriedades e valores, eles não podem ser estritamentes iguais.
 
 ```js
 let nums = [1, 2, 3]
@@ -139,7 +138,7 @@ country:'Finland'
 console.log(userOne == userTwo) // false
 ```
 
-Regra de ouro, nos nao comparamos tipos de dados nao primitivos. Nao se compara arrays, funções, ou objetos. porque eles são comparados pela sua referencia ao invez do valor. Dois objetos só são estritamentes iguais se a sua referência for o mesmo objeto subjacente.
+Regra de ouro, nós não comparamos tipos de dados não primitivos. Não se compara arrays, funções, ou objetos. Porque eles são comparados pela sua referência ao invez do valor. Dois objetos só são estritamentes iguais se a sua referência for o mesmo objeto subjacente.
 
 ```js
 let nums = [1, 2, 3]
@@ -158,83 +157,83 @@ let userTwo = userOne
 console.log(userOne == userTwo)  // true
 ```
 
-If you have a hard time understanding the difference between primitive data types and non-primitive data types, you are not the only one. Calm down and just go to the next section and try to come back after some time. Now let us start the data types by number type.
+Com dificuldade de entender a diferença entre tipos de dados primitivos e  tipos de dados não primitivos, você não é o único. Calma e apenas vá para a próxima sessão e tente voltar aqui depois de algum tempo. Agora vamos começar com tipos de dados do tipo número.
 
 ## Números
 
-Numbers are integers and decimal values which can do all the arithmetic operations.
-Let's see some examples of Numbers.
+Números são todos os inteiros e valores decimais que podem fazer todas as operações aritméticas.
+Vamos ver alguns exemplos de Números.
 
 ### Declarando Tipos de Dados Numéricos
 
 ```js
 let age = 35
-const gravity = 9.81  // we use const for non-changing values, gravitational constant in  m/s2
-let mass = 72         // mass in Kilogram
-const PI = 3.14       // pi a geometrical constant
+const gravity = 9.81  // nós usamos const para valores que não mudam, constante gravitacional em m/s2
+let mass = 72         // massa em Kilogramas
+const PI = 3.14       // pi constante geométrica
 
-// More Examples
-const boilingPoint = 100 // temperature in oC, boiling point of water which is a constant
-const bodyTemp = 37      // oC average human body temperature, which is a constant
+// Mais exemplos
+const boilingPoint = 100 // temperatura em oC, ponto de ebulução da água que é uma constante
+const bodyTemp = 37      // oC média da temperatura corporal humana, que é uma constante
 
 console.log(age, gravity, mass, PI, boilingPoint, bodyTemp)
 ```
 
 ### Math Objeto
 
-In JavaScript the Math Object provides a lots of methods to work with numbers.
+Em JavaScript o Math Object promove muitos métodos para trabalhar com números.
 
 ```js
 const PI = Math.PI
 
 console.log(PI)                            // 3.141592653589793
 
-// Rounding to the closest number
-// if above .5 up if less 0.5 down rounding
+// arredondando para o número mais próximo
+// se maior que 0.5 para cima, se menor que 0.5 para baixo.
 
-console.log(Math.round(PI))                // 3 to round values to the nearest number
+console.log(Math.round(PI))                // 3 é o valor mais próximo
 
 console.log(Math.round(9.81))              // 10
 
-console.log(Math.floor(PI))                // 3 rounding down
+console.log(Math.floor(PI))                // 3 arredondando para baixo
 
-console.log(Math.ceil(PI))                 // 4 rounding up
+console.log(Math.ceil(PI))                 // 4 arredondando para cima
 
-console.log(Math.min(-5, 3, 20, 4, 5, 10)) // -5, returns the minimum value
+console.log(Math.min(-5, 3, 20, 4, 5, 10)) // -5, retorna o valor mínimo
 
-console.log(Math.max(-5, 3, 20, 4, 5, 10)) // 20, returns the maximum value
+console.log(Math.max(-5, 3, 20, 4, 5, 10)) // 20, retorna o valor máximo
 
-const randNum = Math.random() // creates random number between 0 to 0.999999
+const randNum = Math.random() // cria um número aleatório entre 0 ate 0.999999 
 console.log(randNum)
 
-// Let us  create random number between 0 to 10
+// Vamos criar um numero aleatório entre 0 ate 10
 
-const num = Math.floor(Math.random () * 11) // creates random number between 0 and 10
+const num = Math.floor(Math.random () * 11) // cria um número aleatório entre 0 ate 10
 console.log(num)
 
-//Absolute value
+// Valor absoluto
 console.log(Math.abs(-10))      // 10
 
-//Square root
+// Raiz quadrada
 console.log(Math.sqrt(100))     // 10
 
 console.log(Math.sqrt(2))       // 1.4142135623730951
 
-// Power
+// Potência
 console.log(Math.pow(3, 2))     // 9
 
 console.log(Math.E)             // 2.718
 
-// Logarithm
-// Returns the natural logarithm with base E of x, Math.log(x)
+// Logaritmo
+// Retorna o logaritmo natural com base E de x, Math.log(x)
 console.log(Math.log(2))        // 0.6931471805599453
 console.log(Math.log(10))       // 2.302585092994046
 
-// Returns the natural logarithm of 2 and 10 respectively
+// Retorna o logaritmo natural de 2 e 10 repectivamente
 console.log(Math.LN2)           // 0.6931471805599453
 console.log(Math.LN10)          // 2.302585092994046
 
-// Trigonometry
+// Trigonometria
 Math.sin(0)
 Math.sin(60)
 
@@ -242,33 +241,33 @@ Math.cos(0)
 Math.cos(60)
 ```
 
-#### Random Number Generator
+#### Gerador de Número Aleatório
 
-The JavaScript Math Object has a random() method number generator which generates number from 0 to 0.999999999...
+O objeto Math do JavaScript tem o método random() que gera números de 0 ate 0.999999999...
 
 ```js
-let randomNum = Math.random() // generates 0 to 0.999...
+let randomNum = Math.random() // gera de 0 ate 0.999...
 ```
 
-Now, let us see how we can use random() method to generate a random number between 0 and 10:
+Agora, vamos ver como nós podemos usar o método random() para gerar um número aleatório entre 0 e 10:
 
 ```js
-let randomNum = Math.random()         // generates 0 to 0.999
+let randomNum = Math.random()         // gera de 0 ate 0.999
 let numBtnZeroAndTen = randomNum * 11
 
-console.log(numBtnZeroAndTen)         // this gives: min 0 and max 10.99
+console.log(numBtnZeroAndTen)         // este retorna: min 0 and max 10.99
 
 let randomNumRoundToFloor = Math.floor(numBtnZeroAndTen)
-console.log(randomNumRoundToFloor)    // this gives between 0 and 10
+console.log(randomNumRoundToFloor)    // este retorna entre 0 e 10
 ```
 
 ## Strings
 
-Strings are texts, which are under **_single_**  , **_double_**, **_back-tick_** quote. To declare a string, we need a variable name, assignment operator, a value under a single quote, double quote, or backtick quote.
-Let's see some examples of strings:
+Strings são textos, que estão entre **_single_**, **_double_**, **_back-tick_**. Para declarar uma string, nós precisamos de um nome de variável, operador de atribuição, um valor entre aspas simples, aspas duplas, ou crase.
+Vamos ver alguns exemplos de string:
 
 ```js
-let space = ' '           // an empty space string
+let space = ' '           // um valor de string vazia
 let firstName = 'Asabeneh'
 let lastName = 'Yetayeh'
 let country = 'Finland'
@@ -279,13 +278,13 @@ let quote = "The saying,'Seeing is Believing' is not correct in 2020."
 let quotWithBackTick = `The saying,'Seeing is Believing' is not correct in 2020.`
 ```
 
-### String Concatenation
+### String Concatenação
 
-Connecting two or more strings together is called concatenation.
-Using the strings declared in the previous String section:
+Conectando duas ou mais strings juntas é chamado de concatenação.
+Usando as strings declaradas na sessão anterior de strings: 
 
 ```js
-let fullName = firstName + space + lastName; // concatenation, merging two string together.
+let fullName = firstName + space + lastName; // concatenação, combinar duas ou mais strings juntas.
 console.log(fullName);
 ```
 
@@ -293,14 +292,14 @@ console.log(fullName);
 Asabeneh Yetayeh
 ```
 
-We can concatenate strings in different ways.
+Nós podemos concatenar strings de jeitos diferentes.
 
-#### Concatenating Using Addition Operator
+#### Concatenando Usando o Operador de Adição
 
-Concatenating using the addition operator is an old way. This way of concatenating is tedious and error-prone. It is good to know how to concatenate this way, but I strongly suggest to use the ES6 template strings (explained later on).
+Concatenando usando o operador de adição é o modo antigo. Este tipo de concatenação é tedioso e propenso a erros. E é muito bom sabe como concatenar deste modo, mas eu sugiro fortemente que use o template ES6 de strings (explicado mais adiante). 
 
 ```js
-// Declaring different variables of different data types
+// Declarando diferentes variáveis de diferentes tipos de dados
 let space = ' '
 let firstName = 'Asabeneh'
 let lastName = 'Yetayeh'
@@ -310,9 +309,8 @@ let language = 'JavaScript'
 let job = 'teacher'
 let age = 250
 
-
-let fullName =firstName + space + lastName
-let personInfoOne = fullName + '. I am ' + age + '. I live in ' + country; // ES5 string addition
+let fullName = firstName + space + lastName
+let personInfoOne = fullName + '. I am ' + age + '. I live in ' + country; // ES5 adição de string
 
 console.log(personInfoOne)
 ```
@@ -320,11 +318,10 @@ console.log(personInfoOne)
 ```sh
 Asabeneh Yetayeh. I am 250. I live in Finland
 ```
+### Long Literal Strings
 
-#### Long Literal Strings
-
-A string could be a single character or paragraph or a page. If the string length is too big it does not fit in one line. We can use the backslash character (\\) at the end of each line to indicate that the string will continue on the next line.
-**Example:**
+Uma string pode ser apenas um caractere, paragrafo ou uma página. Se o tamanho da string é muito que a linha. Nós podemos usar o caractere barras invertidas (\\) no final de cada linha para indicar que aquela string irá continuar na próxima linha. 
+**Exemplo**
 
 ```js
 const paragraph = "My name is Asabeneh Yetayeh. I live in Finland, Helsinki.\
@@ -341,28 +338,28 @@ console.log(paragraph)
 
 #### Escape Sequences in Strings
 
-In JavaScript and other programming languages \ followed by some characters is an escape sequence. Let's see the most common escape characters:
+Em JavaScript e outras linguagens de programação \ seguido de alguns caracteres é um escape sequence. Vamos ver os mais usados:
 
-- \n: new line
-- \t: Tab, means 8 spaces
-- \\\\: Back slash
+- \n: Nova linha
+- \t: Tab, significa 8 espaços
+- \\\\: Barra
 - \\': Single quote (')
 - \\": Double quote (")
   
 ```js
-console.log('I hope everyone is enjoying the 30 Days Of JavaScript challenge.\nDo you ?') // line break
+console.log('I hope everyone is enjoying the 30 Days Of JavaScript challenge.\nDo you ?') // quebra de linha
 console.log('Days\tTopics\tExercises')
 console.log('Day 1\t3\t5')
 console.log('Day 2\t3\t5')
 console.log('Day 3\t3\t5')
 console.log('Day 4\t3\t5')
-console.log('This is a backslash  symbol (\\)') // To write a backslash
+console.log('This is a backslash  symbol (\\)') // Para mostar uma barra
 console.log('In every programming language it starts with \"Hello, World!\"')
 console.log("In every programming language it starts with \'Hello, World!\'")
 console.log('The saying \'Seeing is Believing\' isn\'t correct in 2020')
 ```
 
-Output in console:
+saída no console:
 
 ```sh
 I hope everyone is enjoying the 30 Days Of JavaScript challenge.
@@ -380,24 +377,24 @@ The saying 'Seeing is Believing' isn't correct in 2020
 
 #### Template Literals (Template Strings)
 
-To create a template strings, we use two back-ticks. We can inject data as expressions inside a template string. To inject data, we enclose the expression with a curly bracket({}) preceded by a $ sign. See the syntax below.
+Para criar Strings Literais , nós usamos crases. Nós podemos injetar dados como expressões para criar String Literais, usando na expressão parentesis ({}) precedido de um sinal de dollar $. Veja a sintaxe abaixo.
 
 ```js
-//Syntax
+//Sintaxe
 `String literal text`
 `String literal text ${expression}`
 ```
 
-**Example: 1**
+**Exemplo: 1**
 
 ```js
-console.log(`The sum of 2 and 3 is 5`)              // statically writing the data
+console.log(`The sum of 2 and 3 is 5`) // escrevendo dados estaticos
 let a = 2
 let b = 3
-console.log(`The sum of ${a} and ${b} is ${a + b}`) // injecting the data dynamically
+console.log(`The sum of ${a} and ${b} is ${a + b}`) // injetando dados dinamicamente
 ```
 
-**Example:2**
+**Exemplo:2**
 
 ```js
 let firstName = 'Asabeneh'
@@ -409,7 +406,7 @@ let job = 'teacher'
 let age = 250
 let fullName = firstName + ' ' + lastName
 
-let personInfoTwo = `I am ${fullName}. I am ${age}. I live in ${country}.` //ES6 - String interpolation method
+let personInfoTwo = `I am ${fullName}. I am ${age}. I live in ${country}.` //ES6 - Método de interpolação de String
 let personInfoThree = `I am ${fullName}. I live in ${city}, ${country}. I am a ${job}. I teach ${language}.`
 console.log(personInfoTwo)
 console.log(personInfoThree)
@@ -420,25 +417,25 @@ I am Asabeneh Yetayeh. I am 250. I live in Finland.
 I am Asabeneh Yetayeh. I live in Helsinki, Finland. I am a teacher. I teach JavaScript.
 ```
 
-Using a string template or string interpolation method, we can add expressions, which could be a value, or some operations (comparison, arithmetic operations, ternary operation).
+Usando Literais ou método de interpolação de String, nós podemos adicionar expressões, que podem ser algum valor, ou alguma operação (comparação, aritimética, operador ternário).
 
 ```js
 let a = 2
 let b = 3
-console.log(`${a} is greater than ${b}: ${a > b}`)
+console.log(`${a} é maior que ${b}: ${a > b}`)
 ```
 
 ```sh
-2 is greater than 3: false
+2 é maior que 3: false
 ```
 
 ### String Methods
 
-Everything in JavaScript is an object. A string is a primitive data type that means we can not modify it once it is created. The string object has many string methods. There are different string methods that can help us to work with strings.
+Tudo em JavaScript é um objeto. String é um tipo de dado primitivo, que significa que não podemos modificar-la uma vez criada. Um objeto String pode ter vários métodos. Existe diferentes métodos para strings que pode nos ajudar. 
 
-1. *length*: The string *length* method returns the number of characters in a string included empty space.
+1. *length*: O  método *length* retorna o número de caracteres em uma string incluindo espaços vázios.
 
-**Example:**
+**Exemplo:**
 
 ```js
 let js = 'JavaScript'
@@ -447,11 +444,11 @@ let firstName = 'Asabeneh'
 console.log(firstName.length)  // 8
 ```
 
-2. *Accessing characters in a string*: We can access each character in a string using its index. In programming, counting starts from 0. The first index of the string is zero, and the last index is the length of the string minus one.
-
-  ![Accessing sting by index](../images/string_indexes.png)
+2. *Accessing characters in a string*: Nós podemos acessar cada caractere em uma string usando seu index. Em programação, contagem começa em 0. O primeiro index de uma string é zero, e o último index é o length de uma string - 1.
   
-Let us access different characters in 'JavaScript' string.
+  ![Accessing sting by index](../images/string_indexes.png)
+
+Vamos cessar diferentes caracteres em 'JavaScript' string.
 
 ```js
 let string = 'JavaScript'
@@ -471,7 +468,7 @@ console.log(lastIndex)  // 9
 console.log(string[lastIndex])    // t
 ```
 
-3. *toUpperCase()*: this method changes the string to uppercase letters.
+3. *toUpperCase()*: Este método muda a string para letras maiúsculas.
 
 ```js
 let string = 'JavaScript'
@@ -487,7 +484,7 @@ let country = 'Finland'
 console.log(country.toUpperCase())    // FINLAND
 ```
 
-4. *toLowerCase()*: this method changes the string to lowercase letters.
+4. *toLowerCase()*: Este método muda a string para letras minúsculas.
 
 ```js
 let string = 'JavasCript'
@@ -503,7 +500,7 @@ let country = 'Finland'
 console.log(country.toLowerCase())   // finland
 ```
 
-5. *substr()*: It takes two arguments, the starting index and number of characters to slice.
+5. *substr()*: usando dois argumentos, o index de onde irá começar e o número de caracteres para retirar da string.
 
 ```js
 let string = 'JavaScript'
@@ -513,7 +510,7 @@ let country = 'Finland'
 console.log(country.substr(3, 4))   // land
 ```
 
-6. *substring()*: It takes two arguments, the starting index and the stopping index but it doesn't include the character at the stopping index.
+6. *substring()*: Usando dois argumentos, o index de onde irá começar e o index para parar, mas esse não inclui o caractere no index de parada.
 
 ```js
 let string = 'JavaScript'
@@ -529,26 +526,26 @@ console.log(country.substring(3, 7))   // land
 console.log(country.substring(3))      // land
 ```
 
-7. *split()*: The split method splits a string at a specified place.
+7. *split()*: O método split divide uma string em um lugar especifico e converte em um array.
 
 ```js
 let string = '30 Days Of JavaScript'
 
-console.log(string.split())     // Changes to an array -> ["30 Days Of JavaScript"]
-console.log(string.split(' '))  // Split to an array at space -> ["30", "Days", "Of", "JavaScript"]
+console.log(string.split())     // muda para um array -> ["30 Days Of JavaScript"]
+console.log(string.split(' '))  // separa em um array com espaço -> ["30", "Days", "Of", "JavaScript"]
 
 let firstName = 'Asabeneh'
 
-console.log(firstName.split())    // Change to an array - > ["Asabeneh"]
-console.log(firstName.split(''))  // Split to an array at each letter ->  ["A", "s", "a", "b", "e", "n", "e", "h"]
+console.log(firstName.split())    // muda para um array - > ["Asabeneh"]
+console.log(firstName.split(''))  // separa em um array cada letra ->  ["A", "s", "a", "b", "e", "n", "e", "h"]
 
 let countries = 'Finland, Sweden, Norway, Denmark, and Iceland'
 
-console.log(countries.split(','))  // split to any array at comma -> ["Finland", " Sweden", " Norway", " Denmark", " and Iceland"]
+console.log(countries.split(','))  // separa para um array com vírgula -> ["Finland", " Sweden", " Norway", " Denmark", " and Iceland"]
 console.log(countries.split(', ')) //  ["Finland", "Sweden", "Norway", "Denmark", "and Iceland"]
 ```
 
-8. *trim()*: Removes trailing space in the beginning or the end of a string.
+8. *trim()*: Remove espaços adicionais no início ou no final de uma string.
 
 ```js
 let string = '   30 Days Of JavaScript   '
@@ -559,7 +556,7 @@ console.log(string.trim(' '))
 let firstName = ' Asabeneh '
 
 console.log(firstName)
-console.log(firstName.trim())  // still removes spaces at the beginning and the end of the string
+console.log(firstName.trim())  // ainda remove espaços no início e no fim da string
 ```
 
 ```sh
@@ -569,13 +566,13 @@ console.log(firstName.trim())  // still removes spaces at the beginning and the
 Asabeneh
 ```
 
-9. *includes()*: It takes a substring argument and it checks if substring argument exists in the string. *includes()* returns a boolean. If a substring exist in a string, it returns true, otherwise it returns false.
+9. *includes()*: Usando uma substring como argumento, e então verifica se o argumento exise na string. *includes()* retorna um boolean. Se uma substring existe na string, então retorna true, senão retornará false.
 
 ```js
 let string = '30 Days Of JavaScript'
 
 console.log(string.includes('Days'))     // true
-console.log(string.includes('days'))     // false - it is case sensitive!
+console.log(string.includes('days'))     // false - é case sensitive!
 console.log(string.includes('Script'))   // true
 console.log(string.includes('script'))   // false
 console.log(string.includes('java'))     // false
@@ -589,10 +586,10 @@ console.log(country.includes('land'))    // true
 console.log(country.includes('Land'))    // false
 ```
 
-10. *replace()*: takes as a parameter the old substring and a new substring.
+10. *replace()*: Usando como parâmetro a antiga substring para uma nova substring.
 
 ```js
-string.replace(oldsubstring, newsubstring)
+string.replace(antigaSubstring, novaSubstring)
 ```
 
 ```js
@@ -602,8 +599,7 @@ console.log(string.replace('JavaScript', 'Python')) // 30 Days Of Python
 let country = 'Finland'
 console.log(country.replace('Fin', 'Noman'))       // Nomanland
 ```
-
-11. *charAt()*: Takes index and it returns the value at that index
+11. *charAt()*: Usando um index e retorna o valor no index selecionado;
 
 ```js
 string.charAt(index)
@@ -617,7 +613,7 @@ let lastIndex = string.length - 1
 console.log(string.charAt(lastIndex)) // t
 ```
 
-12. *charCodeAt()*: Takes index and it returns char code (ASCII number) of the value at that index
+12. *charCodeAt()*: Usando um index e retorna o código de caractere (número ASCII) do valor nesse index.
 
 ```js
 string.charCodeAt(index)
@@ -625,14 +621,13 @@ string.charCodeAt(index)
 
 ```js
 let string = '30 Days Of JavaScript'
-console.log(string.charCodeAt(3))        // D ASCII number is 68
+console.log(string.charCodeAt(3))        // D ASCII número é 68
 
 let lastIndex = string.length - 1
-console.log(string.charCodeAt(lastIndex)) // t ASCII is 116
+console.log(string.charCodeAt(lastIndex)) // t ASCII é 116
 
 ```
-
-13.  *indexOf()*: Takes a substring and if the substring exists in a string it returns the first position of the substring if does not exist it returns -1
+13.  *indexOf()*: Usando uma substring e o mesmo existe em uma string retorna a primeira posição da substring, se não existe retornará -1
 
 ```js
 string.indexOf(substring)
@@ -650,8 +645,7 @@ console.log(string.indexOf('Script'))     //15
 console.log(string.indexOf('script'))     // -1
 ```
 
-14.  *lastIndexOf()*: Takes a substring and if the substring exists in a string it returns the last position of the substring if it does not exist it returns -1
-
+14.  *lastIndexOf()*: Usando uma substring e o mesmo existe em uma string retorna a última posição da substring, se não existe retornará -1
 
 ```js
 //syntax
@@ -659,14 +653,14 @@ string.lastIndexOf(substring)
 ```
 
 ```js
-let string = 'I love JavaScript. If you do not love JavaScript what else can you love.'
+let string = 'Eu amo JavaScript. Se você não ama JavaScript oque mais voce pode amar?'
 
-console.log(string.lastIndexOf('love'))       // 67
-console.log(string.lastIndexOf('you'))        // 63
-console.log(string.lastIndexOf('JavaScript')) // 38
+console.log(string.lastIndexOf('love'))       // 66
+console.log(string.lastIndexOf('you'))        // 56
+console.log(string.lastIndexOf('JavaScript')) // 35
 ```
 
-15. *concat()*: it takes many substrings and joins them.
+15. *concat()*: Usando algumas substring e os adiciona (Join).
 
 ```js
 string.concat(substring, substring, substring)
@@ -674,13 +668,13 @@ string.concat(substring, substring, substring)
 
 ```js
 let string = '30'
-console.log(string.concat("Days", "Of", "JavaScript")) // 30DaysOfJavaScript
+console.log(string.concat(" Days ", "Of", " JavaScript")) // 30 Days Of JavaScript
 
 let country = 'Fin'
 console.log(country.concat("land")) // Finland
 ```
 
-16. *startsWith*: it takes a substring as an argument and it checks if the string starts with that specified substring. It returns a boolean(true or false).
+16. *startsWith*: Usando uma substring como argumento, e verifica se a string começa com aquela substring específica. E retorna um boolean(true ou false).
 
 ```js
 //syntax
@@ -701,7 +695,7 @@ console.log(country.startsWith('fin'))   // false
 console.log(country.startsWith('land'))  //  false
 ```
 
-17. *endsWith*: it takes a substring as an argument and it checks if the string ends with that specified substring. It returns a boolean(true or false).
+17. *endsWith*: Usando uma substring como argumento, e verifica se a string termina com aquela substring específica. E retorna um boolean(true ou false).
 
 ```js
 string.endsWith(substring)
@@ -721,7 +715,7 @@ console.log(country.endsWith('fin'))          // false
 console.log(country.endsWith('Fin'))          //  false
 ```
 
-18. *search*: it takes a substring as an argument and it returns the index of the first match. The search value can be a string or  a regular expression pattern.
+18. *search*: Usando uma substring como um argumento e retorna o index do primeiro resultado. O valor da pesquisa pode ser uma string ou uma expressão regular.
 
 ```js
 string.search(substring)
@@ -733,15 +727,15 @@ console.log(string.search('love'))          // 2
 console.log(string.search(/javascript/gi))  // 7
 ```
 
-19. *match*: it takes a substring or regular expression pattern as an argument and it returns an array if there is match if not it returns null. Let us see how a regular expression pattern looks like. It starts with / sign and ends with / sign.
+19. *match*: Usando uma substring ou expressão regular como um argumento, e retorna um array se exite um resultado, se nao retorna null. Vamos ver como uma expressão regular se parece. Começa com / sinal e terminar com / sinal.
 
 ```js
 let string = 'love'
-let patternOne = /love/     // with out any flag
-let patternTwo = /love/gi   // g-means to search in the whole text, i - case insensitive
+let patternOne = /love/     // sem nenhuma flag
+let patternTwo = /love/gi   // g-significa procurar em todo o texto, i - case insensitive
 ```
 
-Match syntax
+Sintaxe
 
 ```js
 // syntax
@@ -754,7 +748,7 @@ console.log(string.match('love'))
 ```
 
 ```sh
-["love", index: 2, input: "I love JavaScript. If you do not love JavaScript what else can you love.", groups: undefined]
+["love", index: 2, input: "I love JavaScript. If you do not love JavaScript what else can you love.", grupo: undefined]
 ```
 
 ```js
@@ -762,15 +756,15 @@ let pattern = /love/gi
 console.log(string.match(pattern))   // ["love", "love", "love"]
 ```
 
-Let us extract numbers from text using a regular expression. This is not the regular expression section, do not panic! We will cover regular expressions later on.
+"Vamos extrair números de um texto usando uma expressão regular. Essa não é a seção de expressões regulares, não se assuste! Vamos cobrir expressões regulares mais tarde."
 
 ```js
 let txt = 'In 2019, I ran 30 Days of Python. Now, in 2020 I am super exited to start this challenge'
 let regEx = /\d+/
 
-// d with escape character means d not a normal d instead acts a digit
-// + means one or more digit numbers,
-// if there is g after that it means global, search everywhere.
+// A letra 'd' com o caractere de escape significa 'd' não como uma letra normal, mas sim como um dígito.
+// O sinal '+' significa um ou mais números de dígitos,
+// Se houver a letra 'g' depois disso, significa global, pesquisar em todos os lugares.
 
 console.log(txt.match(regEx))  // ["2", "0", "1", "9", "3", "0", "2", "0", "2", "0"]
 console.log(txt.match(/\d+/g)) // ["2019", "30", "2020"]
@@ -791,9 +785,9 @@ console.log(string.repeat(10)) // lovelovelovelovelovelovelovelovelovelove
 
 ### Checking Data Types
 
-To check the data type of a certain variable we use the _typeof_ method.
+Para verificar o tipo de uma variável nós usamos o método _typeof_.
 
-**Example:**
+**Exemplo:**
 
 ```js
 // Different javascript data types
@@ -803,8 +797,8 @@ let firstName = 'Asabeneh'      // string
 let lastName = 'Yetayeh'        // string
 let country = 'Finland'         // string
 let city = 'Helsinki'           // string
-let age = 250                   // number, it is not my real age, do not worry about it
-let job                         // undefined, because a value was not assigned
+let age = 250                   // número, não é minha idade real, não se preocupe com isso
+let job                         // undefined, porque o valor não foi definido.
 
 console.log(typeof 'Asabeneh')  // string
 console.log(typeof firstName)   // string
@@ -820,13 +814,13 @@ console.log(typeof null)        // object
 
 ### Changing Data Type (Casting)
 
-- Casting: Converting one data type to another data type. We use _parseInt()_, _parseFloat()_, _Number()_, _+ sign_, _str()_
-  When we do arithmetic operations string numbers should be first converted to integer or float if not it returns an error.
+- Casting: Convertendo um tipo de dados para outro. Usamos _parseInt()_, _parseFloat()_, _Number()_, _+ sign_ +, _str()_
+  Quando fazemos operações aritméticas, os números em forma de string devem ser primeiro convertidos em inteiros ou floats, caso contrário, ocorre um erro.
 
 #### String to Int
 
-We can convert string number to a number. Any number inside a quote is a string number. An example of a string number: '10', '5', etc.
-We can convert string to number using the following methods:
+Podemos converter números em forma de string para um número. Qualquer número dentro de aspas é um número em forma de string. Um exemplo de número em forma de string: '10', '5', etc.
+Podemos converter uma string para um número usando os seguintes métodos:
 
 - parseInt()
 - Number()
@@ -854,8 +848,9 @@ console.log(numInt) // 10
 
 #### String to Float
 
-We can convert string float number to a float number. Any float number inside a quote is a string float number. An example of a string float number: '9.81', '3.14', '1.44', etc.
-We can convert string float to number using the following methods:
+Nós podemos converter uma string float número para um número float. Qualquer número float entre aspas é uma string float número. Exemplo:
+'9.81', '3.14', '1.44', etc.
+Podemos converter string float número usando os seguintes métodos:
 
 - parseFloat()
 - Number()
@@ -884,8 +879,8 @@ console.log(numFloat) // 9.81
 
 #### Float to Int
 
-We can convert float numbers to integers.
-We use the following method to convert float to int:
+Podemos converter float números para inteiro.
+Vamos usar o seguinte método para converter float para int.
 
 - parseInt()
   
@@ -896,62 +891,59 @@ let numInt = parseInt(num)
 console.log(numInt) // 9
 ```
 
-🌕  You are awesome. You have just completed day 2 challenges and you are two steps ahead on your way to greatness. Now do some exercises for your brain and for your muscle.  
-
-## 💻 Day 2: Exercises
-
-### Exercise: Level 1
-
-1. Declare a variable named challenge and assign it to an initial value **'30 Days Of JavaScript'**.
-2. Print the string on the browser console using __console.log()__
-3. Print the __length__ of the string on the browser console using _console.log()_
-4. Change all the string characters to capital letters using __toUpperCase()__ method
-5. Change all the string characters to lowercase letters using __toLowerCase()__ method
-6. Cut (slice) out the first word of the string using __substr()__ or __substring()__ method
-7. Slice out the phrase *Days Of JavaScript* from *30 Days Of JavaScript*.
-8. Check if the string contains a word __Script__ using __includes()__ method
-9. Split the __string__ into an __array__ using __split()__ method
-10. Split the string 30 Days Of JavaScript at the space using __split()__ method
-11. 'Facebook, Google, Microsoft, Apple, IBM, Oracle, Amazon' __split__ the string at the comma and change it to an array.
-12. Change 30 Days Of JavaScript to 30 Days Of Python using __replace()__ method.
-13. What is character at index 15 in '30 Days Of JavaScript' string? Use __charAt()__ method.
-14. What is the character code of J in '30 Days Of JavaScript' string using __charCodeAt()__
-15. Use __indexOf__ to determine the position of the first occurrence of __a__ in 30 Days Of JavaScript
-16. Use __lastIndexOf__ to determine the position of the last occurrence of __a__ in 30 Days Of JavaScript.
-17. Use __indexOf__ to find the position of the first occurrence of the word __because__ in the following sentence:__'You cannot end a sentence with because because because is a conjunction'__
-18. Use __lastIndexOf__ to find the position of the last occurrence of the word __because__ in the following sentence:__'You cannot end a sentence with because because because is a conjunction'__
-19. Use __search__ to find the position of the first occurrence of the word __because__ in the following sentence:__'You cannot end a sentence with because because because is a conjunction'__
-20. Use __trim()__ to remove any trailing whitespace at the beginning and the end of a string.E.g ' 30 Days Of JavaScript '.
-21. Use __startsWith()__ method with the string *30 Days Of JavaScript* and make the result true
-22. Use __endsWith()__ method with the string *30 Days Of JavaScript* and make the result true
-23. Use __match()__ method to find all the __a__’s in 30 Days Of JavaScript
-24. Use __concat()__ and merge '30 Days of' and 'JavaScript' to a single string, '30 Days Of JavaScript'
-25. Use __repeat()__ method to print 30 Days Of JavaScript 2 times
-
-### Exercise: Level 2
-
-1. Using console.log() print out the following statement:
-
-    ```sh
-    The quote 'There is no exercise better for the heart than reaching down and lifting people up.' by John Holmes teaches us to help one another.
-    ```
-
-2. Using console.log() print out the following quote by Mother Teresa:
-
-    ```sh
-    "Love is not patronizing and charity isn't about pity, it is about love. Charity and love are the same -- with charity you give love, so don't just give money but reach out your hand instead."
-    ```
-
-3. Check if typeof '10' is exactly equal to 10. If not make it exactly equal.
-4. Check if parseFloat('9.8') is equal to 10 if not make it exactly equal with 10.
-5. Check if 'on' is found in both python and jargon
-6. _I hope this course is not full of jargon_. Check if _jargon_ is in the sentence.
-7. Generate a random number between 0 and 100 inclusively.
-8. Generate a random number between 50 and 100 inclusively.
-9. Generate a random number between 0 and 255 inclusively.
-10. Access the 'JavaScript' string characters using a random number.
-11. Use console.log() and escape characters to print the following pattern.
-
+🌕  Você é incrível. Você acabou de completar o dia 2 e está dois passos a frente no seu caminho para o sucesso. Agora faça alguns exercícios para seu cérebro e músculos.
+
+## 💻 Dia 2: Exercícios
+
+### Exercícios: Level 1
+
+1. Declare uma variável chamada desafio e atribua a ela um valor inicial **'30 Dias de JavaScript'**. 
+2. Imprimir uma string no console do browser usando __console.log()__ .
+3. Imprimir o __length__ da string no console do browser usando o __console.log()__.
+4. Troque todos os caracteres da string para letras maiúsculas usando o método __toUpperCase()__.
+5. Troque todos os caracteres da string para letras minúsculas usando o método __toLowerCase()__.
+6. Retirar (Slice) a primeira letra da string usando os métodos __substr()__ ou __substring()__. 
+7. Dividir a frase *Days Of JavaScript* de *30 Days Of JavaScript*.
+8. Verificar se a string contém a palavra __Script__ usando o método __includes()__.
+9. Separar a __string__ em um __array__ usando o método __split()__.
+10. Separar a string 30 Dias de JavaScript com espaços usando o método __split()__.
+11. "Facebook, Google, Microsoft, Apple, IBM, Oracle, Amazon" __split__ a string com vírgulas e mude-a para um array. 
+12. Mude 30 Dias de JavaScript para 30 Dias de Python usando o método __replace()__.
+13. Qual é o caractere no index 15 em "30 Dias de JavaScript' string? Use o método __charAt()__.
+14. Qual é o código do caractere de J em "30 Dias de JavaScript" string usando o método __charCodeAt()__.
+15. Use __indexOf__ para determinar a posição da primeira ocorrência de __a__ em 30 Dias de JavaScript.
+16. Use __lastIndexOf__ para determinar a posição da última ocorrência de __a__ em 30 Dias de JavaScript.
+17. Use __indexOf__ para encontrar a posição da primeira ocorrência da palavra __because__ na seguinte frase:__'You cannot end a sentence with because because because is a conjunction'__.
+18. Use __lastIndexOf__ para encontrar a posição da última ocorrência da palavra __because__ na seguinte frase:__'You cannot end a sentence with because because because is a conjunction'__.
+19. Use __search__ para encontrar a posição da primeira ocorrência da palavra __because__ na seguinte frase:__'You cannot end a sentence with because because because is a conjunction'__.
+20. Use __trim()__ para remover qualquer espaço adicional no início e no final da string .E.g "   30 Dias de JavaScript   ".
+21. Use __startsWith()__ com a string *30 Dias De JavaScript* e faça o resultado ser verdadeiro.
+22. Use __endsWith()__ com a string *30 Dias De JavaScript* e faça o resultado ser verdadeiro.
+23. Use __match()__ para encontrar todos os __a__'s em 30 Dias De JavaScript.
+24. Use __concat()__ para unir "30 Dias de" e "JavaScript" para uma única string, "30 Dias de JavaScript".
+25. Use __repeat()__ para imprimir 30 Dias De JavaScript 2 vezes.
+
+### Exercícios: Level 2
+
+1. Usando o console.log() imprimir a seguinte citação:
+  ```sh
+    "Não há exercício melhor para o coração que ir lá em baixo e levantar as pessoas" by John Holmes nos ensina a ajudar outras pessoas.
+  ```
+
+2. Usando o console.log() imprimir a seguinte citação de Madre Teresa:
+  ```sh
+    "O amor não é paternalista e a caridade não tem a ver com pena, tem a ver com amor. Caridade e amor são a mesma coisa – com a caridade você dá amor, então não dê apenas dinheiro, mas estenda sua mão."
+  ```
+
+3. Verificar se typeOf "10" é exatamente igual a 10. Se não, faça ser exatamente igual.
+4. Verificar se parseFloat("9.8) é igual a 10. Se não, faça ser exatamente igual com 10.
+5. Verificar se "ão" é encontrado em ambos algodão e jargão.
+6. _Espero que este curso não tenha muitos jargões_. Verifique se _jargões_ está na frase. 
+7. Gerar um número aleatório entre incluindo 0 e 100.
+8. Gerar um número aleatório entre incluindo 50 e 100.
+9. Gerar um número aleatório entre incluindo 0 e 255.
+10. Acesse os caracteres da string "JavaScript" usando um número aleatório.
+11. Use console.log() e imprimir os caracteres no seguinte padrão.
     ```js
     1 1 1 1 1
     2 1 2 4 8
@@ -960,20 +952,21 @@ console.log(numInt) // 9
     5 1 5 25 125
     ```
 
-12.  Use __substr__ to slice out the phrase __because because because__ from the following sentence:__'You cannot end a sentence with because because because is a conjunction'__
+12. Use __substr__ para retirar da frase __because because because__ da seguinte frase: __'You cannot end a sentence with because because because is a conjunction'__.
 
-### Exercises: Level 3
+### Exercícios: Level 3
 
-1. 'Love is the best thing in this world. Some found their love and some are still looking for their love.' Count the number of word __love__ in this sentence.
-2. Use __match()__ to count the number of all __because__ in the following sentence:__'You cannot end a sentence with because because because is a conjunction'__
-3. Clean the following text and find the most frequent word (hint, use replace and regular expressions).
+1. "Amor é a melhor coisa neste mundo. Alguns encontraram seu amor e alguns ainda estão procurando pelo seu amor." Contar o número de palavras __amor__ nesta frase.
 
-    ```js
-        const sentence = '%I $am@% a %tea@cher%, &and& I lo%#ve %te@a@ching%;. The@re $is no@th@ing; &as& mo@re rewarding as educa@ting &and& @emp%o@weri@ng peo@ple. ;I found tea@ching m%o@re interesting tha@n any ot#her %jo@bs. %Do@es thi%s mo@tiv#ate yo@u to be a tea@cher!? %Th#is 30#Days&OfJavaScript &is al@so $the $resu@lt of &love& of tea&ching'
-    ```
+2. Use __match()__ para contar os números de todos os __because__ na seguinte frase: __'You cannot end a sentence with because because because is a conjunction'__.  
 
-4. Calculate the total annual income of the person by extracting the numbers from the following text. 'He earns 5000 euro from salary per month, 10000 euro annual bonus, 15000 euro online courses per month.'
+3. Limpar o seguinte texto e encontrar a palavra mais repetida(dica, use replace e expressões regulares)
+  ```js
+    const sentence = " %I $am@% a %tea@cher%, &and& I lo%#ve %te@a@ching%;. The@re $is no@th@ing; &as& mo@re rewarding as educa@ting &and& @emp%o@weri@ng peo@ple. ;I found tea@ching m%o@re interesting tha@n any ot#her %jo@bs. %Do@es thi%s mo@tiv#ate yo@u to be a tea@cher!? %Th#is 30#Days&OfJavaScript &is al@so $the $resu@lt of &love& of tea&ching "
+  ```  
 
-🎉 CONGRATULATIONS ! 🎉
+4. Calcular o total anual de uma pessoa extraindo os números do seguinte texto. __"Ele recebe 5000 euros de salário por mês, 10000 euros de bônus anual, 15000 euros de cursos onlines por mês.'__. 
 
-[<< Day 1](../readMe.md) | [Day 3 >>](../03_Day_Booleans_operators_date/03_booleans_operators_date.md)
+🎉 PARABÉNS ! 🎉
+
+[<< Dia 1](../readMe.md) | [Dia 3 >>](../03_Day_Booleans_operators_date/03_booleans_operators_date.md)
diff --git a/Portuguese/readMe.md b/Portuguese/readMe.md
index 01df656..548c939 100644
--- a/Portuguese/readMe.md
+++ b/Portuguese/readMe.md
@@ -649,7 +649,7 @@ Quando você executa o arquivo _index.html_ na pasta dia-1 você deve conseguir
 
 ![Day one](/images/day_1.png)
 
-🌕 Você é incrivel! Você acaba de completar o desafio do dia 1 e você está no seu caminho para a grandeza. Agora faça alguns exercícios para seu cérebro e músculos.
+🌕 Você é incrivel! Você acabou de completar o desafio do dia 1 e você está no seu caminho para o sucesso. Agora faça alguns exercícios para seu cérebro e músculos.
 
 # 💻 Dia 1: Exercícios
 

From 54d1b87e66367aeae81c56bfe21a01fa906294db Mon Sep 17 00:00:00 2001
From: "diken.dev" <diken.dev@gmail.com>
Date: Wed, 1 Feb 2023 01:31:47 -0300
Subject: [PATCH 4/9] Portuguese translation Day 2

---
 .../02_Day_Data_types/02_day_data_types.md    | 344 +++++++++---------
 1 file changed, 172 insertions(+), 172 deletions(-)

diff --git a/Portuguese/02_Day_Data_types/02_day_data_types.md b/Portuguese/02_Day_Data_types/02_day_data_types.md
index bb6828e..e9362a5 100644
--- a/Portuguese/02_Day_Data_types/02_day_data_types.md
+++ b/Portuguese/02_Day_Data_types/02_day_data_types.md
@@ -29,15 +29,15 @@
 	- [Strings](#strings)
 		- [String Concatenação](#string-concatenação)
 			- [Concatenando Usando o Operador de Adição](#concatenando-usando-o-operador-de-adição)
-			- [Escape Sequences in Strings](#escape-sequences-in-strings)
-			- [Template Literals (Template Strings)](#template-literals-template-strings)
+			- [Escape Sequences em Strings](#escape-sequences-em-strings)
+			- [Strings Literais (Template Strings)](#Strings-Literais-template-strings)
 		- [String Methods](#string-methods)
-	- [Checking Data Types and Casting](#checking-data-types-and-casting)
-		- [Checking Data Types](#checking-data-types)
-		- [Changing Data Type (Casting)](#changing-data-type-casting)
-			- [String to Int](#string-to-int)
-			- [String to Float](#string-to-float)
-			- [Float to Int](#float-to-int)
+	- [Verificando Tipos de Dados e Casting](#verificando-tipos-de-dados-e-casting)
+		- [Verificando Tipos de Dados](#verificando-tipos-de-dados)
+		- [Mudando Tipo de Dado (Casting)](#mudando-tipo-de-dado-casting)
+			- [String para Int](#string-para-int)
+			- [String para Float](#string-para-float)
+			- [Float para Int](#float-para-int)
 	- [💻 Dia 2: Exercícios](#-dia-2-exercícios)
 		- [Exercícios: Level 1](#exercícios-level-1)
 		- [Exercícios: Level 2](#exercícios-level-2)
@@ -47,29 +47,29 @@
 
 ## Tipos de Dados
 
-Na sessão anterior, nós mencionamos um pouco sobre tipos de dados. Tipos de dados decrevem as caracteristicas do dado, e podem ser divididos em duas categorias:
+Na sessão anterior, nós mencionamos um pouco sobre tipos de dados. Tipos de dados decrevem as caracteristicas dos dados, e podem ser divididos em duas categorias:
 
-1. Tipos de dados primitivos
-2. Tipos de dados não primitivos(de referência do objeto.)
+  1. Tipos de dados primitivos
+  2. Tipos de dados não primitivos (de referência do objeto.)
 
 ### Tipos de Dados Primitivos
 
 Tipos de dados primitivos em JavaScript inclui:
 
- 1. Numbers - Inteiros, floats
- 2. Strings - Qualquer dado entre aspas simples, aspas duplas e crase
- 3. Booleans - valores verdadeiros e falsos
- 4. Null - valor vazio ou sem valor
- 5. Undefined - variável declarada sem um valor
- 6. Symbol - Um valor único que pode ser gerado por um construtor de símbolo
+  1. Numbers - Inteiros, floats
+  2. Strings - Qualquer dado entre aspas simples, aspas duplas e crase
+  3. Booleans - valores verdadeiros e falsos
+  4. Null - valor vazio ou sem valor
+  5. Undefined - variável declarada sem um valor
+  6. Symbol - Um valor único que pode ser gerado por um construtor de símbolo
 
 Tipos de dados não primitivos em JavaScriot inclui:
 
- 1. Objetos
- 2. Arrays
+  1. Objetos
+  2. Arrays
 
 Agora, vamos ver exatamente oque significa tipos de dados primitivos e não primitivos.
-*Primitivo* são tipos de dados imutáveis(nao-modificável). Uma vez criado um tipo de dado primitivo nós não podemos mais modifica-lo.
+*Primitivo* são tipos de dados imutáveis(não-modificável). Uma vez criado um tipo de dado primitivo nós não podemos mais modificá-lo.
 
 **Exemplo:**
 
@@ -77,7 +77,7 @@ Agora, vamos ver exatamente oque significa tipos de dados primitivos e não prim
 let word = 'JavaScript'
 ```
 
-Se nós tentarmos modificar uma string armazenada na variável *word, JavaScrip irá mostar um error. Qualquer dados entre aspas simples, aspas duplas, ou crase é um string do tipo dado.
+Se nós tentarmos modificar uma string armazenada na variável *word*, o JavaScript irá mostar um error. Qualquer dado entre aspas simples, aspas duplas, ou crase é um string.
 
 ```js
 word[0] = 'Y'
@@ -87,41 +87,41 @@ Esta expressão não muda a string armazenada na variável *word*. Então, podem
 Tipos de dados primitivos são comparados pelo seu valor. Vamos comparar valores de dados diferentes. Veja o exemplo abaixo:
 
 ```js
-let numOne = 3
-let numTwo = 3
+let numeroUm = 3
+let numeroDois = 3
 
-console.log(numOne == numTwo)      // true
+console.log(numeroUm == numeroDois)      // verdadeiro
 
 let js = 'JavaScript'
 let py = 'Python'
 
-console.log(js == py)             //false 
+console.log(js == py)             // falso 
 
-let lightOn = true
-let lightOff = false
+let LuzLigar = true
+let lightApagar = false
 
-console.log(lightOn == lightOff) // false
+console.log(LuzLigar == lightApagar) // falso
 ```
 
 ### Tipos de Dados Não Primitivos
 
 *não primitivos* são tipos de dados modificáveis ou mutáveis. Nós podemos modificar o valor de um dado tipo não primitivo depois de criado.
-Vamos ver isso criando um array. Um array é uma lista de valores de dados entre colchetes. Arrays que contém o mesmo ou diferente tipos de dados. Valores de Arrays são referenciados pelo seu index. Em JavaScript o index do array começa em zero. em outras palavras, o primeiro elemento de um array é encontrado no index zero, o segundo elemento no index um, e no terceiro elemento no index dois, etc.
+Vamos ver isso criando um array, um array é uma lista de valores de dados entre colchetes. Arrays que contém o mesmo ou diferentes tipos de dados. Valores de Arrays são referenciados pelo seu index. Em JavaScript o index do array começa em zero, em outras palavras o primeiro elemento de um array é encontrado no index zero, o segundo elemento no index um, e o terceiro elemento no index dois, etc.
 
 ```js
-let nums = [1, 2, 3]
-nums[0] = 1
+let numeros = [1, 2, 3]
+numeros[0] = 1
 
-console.log(nums)  // [1, 2, 3]
+console.log(numeros)  // [1, 2, 3]
 ```
 
-Como você pode ver, um array, que é um tipo de dado não primitivo é mutável. Tipos de dados não primitivos não podem ser comparador pelos seus valores. Mesmo se dois tipos de dados não primitivos tem as mesmas propriedades e valores, eles não podem ser estritamentes iguais.
+Como você pode ver, um array é um tipo de dado não primitivo e mutável. Tipos de dados não primitivos não podem ser comparador pelos seus valores. Mesmo se dois tipos de dados não primitivos tem as mesmas propriedades e valores, eles não podem ser estritamentes iguais.
 
 ```js
 let nums = [1, 2, 3]
 let numbers = [1, 2, 3]
 
-console.log(nums == numbers)  // false
+console.log(nums == numbers)  // falso
 
 let userOne = {
 name:'Asabeneh',
@@ -135,7 +135,7 @@ role:'teaching',
 country:'Finland'
 }
 
-console.log(userOne == userTwo) // false
+console.log(userOne == userTwo) // falso
 ```
 
 Regra de ouro, nós não comparamos tipos de dados não primitivos. Não se compara arrays, funções, ou objetos. Porque eles são comparados pela sua referência ao invez do valor. Dois objetos só são estritamentes iguais se a sua referência for o mesmo objeto subjacente.
@@ -144,7 +144,7 @@ Regra de ouro, nós não comparamos tipos de dados não primitivos. Não se comp
 let nums = [1, 2, 3]
 let numbers = nums
 
-console.log(nums == numbers)  // true
+console.log(nums == numbers)  // verdadeiro
 
 let userOne = {
 name:'Asabeneh',
@@ -154,10 +154,10 @@ country:'Finland'
 
 let userTwo = userOne
 
-console.log(userOne == userTwo)  // true
+console.log(userOne == userTwo)  // verdadeiro
 ```
 
-Com dificuldade de entender a diferença entre tipos de dados primitivos e  tipos de dados não primitivos, você não é o único. Calma e apenas vá para a próxima sessão e tente voltar aqui depois de algum tempo. Agora vamos começar com tipos de dados do tipo número.
+Com dificuldade de entender a diferença entre tipos de dados primitivos e tipos de dados não primitivos, você não é o único. Calma e apenas vá para a próxima sessão e tente voltar aqui depois de algum tempo. Agora vamos começar com tipos de dados do tipo número.
 
 ## Números
 
@@ -167,19 +167,19 @@ Vamos ver alguns exemplos de Números.
 ### Declarando Tipos de Dados Numéricos
 
 ```js
-let age = 35
-const gravity = 9.81  // nós usamos const para valores que não mudam, constante gravitacional em m/s2
-let mass = 72         // massa em Kilogramas
+let idade = 35
+const gravidade = 9.81  // nós usamos const para valores que não mudam, constante gravitacional em m/s2
+let massa = 72         // massa em Kilogramas
 const PI = 3.14       // pi constante geométrica
 
 // Mais exemplos
-const boilingPoint = 100 // temperatura em oC, ponto de ebulução da água que é uma constante
-const bodyTemp = 37      // oC média da temperatura corporal humana, que é uma constante
+const pontoEbulição = 100 // temperatura em oC, ponto de ebulução da água que é uma constante
+const temperaturaCorpo = 37      // oC média da temperatura corporal humana, que é uma constante
 
-console.log(age, gravity, mass, PI, boilingPoint, bodyTemp)
+console.log(idade, gravidade, massa, PI, pontoEbulição, temperaturaCorpo)
 ```
 
-### Math Objeto
+### Math Object
 
 Em JavaScript o Math Object promove muitos métodos para trabalhar com números.
 
@@ -241,7 +241,7 @@ Math.cos(0)
 Math.cos(60)
 ```
 
-#### Gerador de Número Aleatório
+#### Gerador de Números Aleatórios
 
 O objeto Math do JavaScript tem o método random() que gera números de 0 ate 0.999999999...
 
@@ -263,19 +263,19 @@ console.log(randomNumRoundToFloor)    // este retorna entre 0 e 10
 
 ## Strings
 
-Strings são textos, que estão entre **_single_**, **_double_**, **_back-tick_**. Para declarar uma string, nós precisamos de um nome de variável, operador de atribuição, um valor entre aspas simples, aspas duplas, ou crase.
+Strings são textos, que estão entre **_simples_**, **_duplas_**, **_crase_**. Para declarar uma string, nós precisamos de um nome de variável, operador de atribuição, um valor entre aspas simples, aspas duplas, ou crase.
 Vamos ver alguns exemplos de string:
 
 ```js
-let space = ' '           // um valor de string vazia
-let firstName = 'Asabeneh'
-let lastName = 'Yetayeh'
-let country = 'Finland'
-let city = 'Helsinki'
-let language = 'JavaScript'
-let job = 'teacher'
-let quote = "The saying,'Seeing is Believing' is not correct in 2020."
-let quotWithBackTick = `The saying,'Seeing is Believing' is not correct in 2020.`
+let espaço = ' '           // um valor de string vazia
+let primeiroNone = 'Asabeneh'
+let ultimoNome = 'Yetayeh'
+let país = 'Finland'
+let cidade = 'Helsinki'
+let linguagem = 'JavaScript'
+let profissão = 'teacher'
+let citação = "The saying,'Seeing is Believing' is not correct in 2020."
+let citaçãoUsandoCrase = `The saying,'Seeing is Believing' is not correct in 2020.`
 ```
 
 ### String Concatenação
@@ -284,8 +284,8 @@ Conectando duas ou mais strings juntas é chamado de concatenação.
 Usando as strings declaradas na sessão anterior de strings: 
 
 ```js
-let fullName = firstName + space + lastName; // concatenação, combinar duas ou mais strings juntas.
-console.log(fullName);
+let nomeCompleto = primeiroNone + espaço + ultimoNome; // concatenação, combinar duas ou mais strings juntas.
+console.log(nomeCompleto);
 ```
 
 ```sh
@@ -296,35 +296,35 @@ Nós podemos concatenar strings de jeitos diferentes.
 
 #### Concatenando Usando o Operador de Adição
 
-Concatenando usando o operador de adição é o modo antigo. Este tipo de concatenação é tedioso e propenso a erros. E é muito bom sabe como concatenar deste modo, mas eu sugiro fortemente que use o template ES6 de strings (explicado mais adiante). 
+Concatenando usando o operador de adição é o modo antigo de fazer. Este tipo de concatenação é tedioso e propenso a erros. E é muito bom sabe como concatenar deste modo, mas eu sugiro fortemente que use o template ES6 de strings (explicado mais adiante). 
 
 ```js
 // Declarando diferentes variáveis de diferentes tipos de dados
-let space = ' '
-let firstName = 'Asabeneh'
-let lastName = 'Yetayeh'
-let country = 'Finland'
-let city = 'Helsinki'
-let language = 'JavaScript'
-let job = 'teacher'
-let age = 250
+let espaço = ' '
+let primeiroNome = 'Asabeneh'
+let ultimoNome = 'Yetayeh'
+let país = 'Finland'
+let cidade = 'Helsinki'
+let linguagem = 'JavaScript'
+let profissão = 'teacher'
+let idade = 250
 
-let fullName = firstName + space + lastName
-let personInfoOne = fullName + '. I am ' + age + '. I live in ' + country; // ES5 adição de string
+let nomeCompleto = primeiroNome + espaço + ultimoNome
+let pessoaUmInfo = nomeCompleto + '. I am ' + idade + '. I live in ' + país; // ES5 adição de string
 
-console.log(personInfoOne)
+console.log(pessoaUmInfo)
 ```
 
 ```sh
 Asabeneh Yetayeh. I am 250. I live in Finland
 ```
-### Long Literal Strings
+### Strings Literais Longas
 
-Uma string pode ser apenas um caractere, paragrafo ou uma página. Se o tamanho da string é muito que a linha. Nós podemos usar o caractere barras invertidas (\\) no final de cada linha para indicar que aquela string irá continuar na próxima linha. 
+Uma string pode ser apenas um caractere, paragrafo ou uma página. Se o tamanho da string é maior que a linha. Nós podemos usar o caractere barras invertidas (\\) no final de cada linha para indicar que aquela string irá continuar na próxima linha. 
 **Exemplo**
 
 ```js
-const paragraph = "My name is Asabeneh Yetayeh. I live in Finland, Helsinki.\
+const paragrafo = "My name is Asabeneh Yetayeh. I live in Finland, Helsinki.\
 I am a teacher and I love teaching. I teach HTML, CSS, JavaScript, React, Redux, \
 Node.js, Python, Data Analysis and D3.js for anyone who is interested to learn. \
 In the end of 2019, I was thinking to expand my teaching and to reach \
@@ -333,12 +333,12 @@ It was one of the most rewarding and inspiring experience.\
 Now, we are in 2020. I am enjoying preparing the 30DaysOfJavaScript challenge and \
 I hope you are enjoying too."
 
-console.log(paragraph)
+console.log(paragrafo)
 ```
 
-#### Escape Sequences in Strings
+#### Escape Sequences em Strings
 
-Em JavaScript e outras linguagens de programação \ seguido de alguns caracteres é um escape sequence. Vamos ver os mais usados:
+Em JavaScript e outras linguagens de programação \ seguido de alguns caracteres, é um escape sequence. Vamos ver os mais usados:
 
 - \n: Nova linha
 - \t: Tab, significa 8 espaços
@@ -375,20 +375,20 @@ In every programming language it starts with 'Hello, World!'
 The saying 'Seeing is Believing' isn't correct in 2020
 ```
 
-#### Template Literals (Template Strings)
+#### Strings Literais (Template Strings)
 
 Para criar Strings Literais , nós usamos crases. Nós podemos injetar dados como expressões para criar String Literais, usando na expressão parentesis ({}) precedido de um sinal de dollar $. Veja a sintaxe abaixo.
 
 ```js
 //Sintaxe
 `String literal text`
-`String literal text ${expression}`
+`String literal text ${expressão}`
 ```
 
 **Exemplo: 1**
 
 ```js
-console.log(`The sum of 2 and 3 is 5`) // escrevendo dados estaticos
+console.log(`The sum of 2 and 3 is 5`) // escrevendo dados estáticos
 let a = 2
 let b = 3
 console.log(`The sum of ${a} and ${b} is ${a + b}`) // injetando dados dinamicamente
@@ -397,19 +397,19 @@ console.log(`The sum of ${a} and ${b} is ${a + b}`) // injetando dados dinamicam
 **Exemplo:2**
 
 ```js
-let firstName = 'Asabeneh'
-let lastName = 'Yetayeh'
-let country = 'Finland'
-let city = 'Helsinki'
-let language = 'JavaScript'
-let job = 'teacher'
-let age = 250
-let fullName = firstName + ' ' + lastName
+let primeiroNome = 'Asabeneh'
+let ultimoNome = 'Yetayeh'
+let país = 'Finland'
+let cidade = 'Helsinki'
+let linguagem = 'JavaScript'
+let profissão = 'teacher'
+let idade = 250
+let nomeCompleto = primeiroNome + ' ' + ultimoNome
 
-let personInfoTwo = `I am ${fullName}. I am ${age}. I live in ${country}.` //ES6 - Método de interpolação de String
-let personInfoThree = `I am ${fullName}. I live in ${city}, ${country}. I am a ${job}. I teach ${language}.`
-console.log(personInfoTwo)
-console.log(personInfoThree)
+let pessoaInfoUm = `I am ${nomeCompleto}. I am ${idade}. I live in ${país}.` //ES6 - Método de interpolação de String
+let pesoaInfoDois = `I am ${nomeCompleto}. I live in ${cidade}, ${país}. I am a ${profissão}. I teach ${linguagem}.`
+console.log(pessoaInfoUm)
+console.log(pesoaInfoDois)
 ```
 
 ```sh
@@ -429,9 +429,9 @@ console.log(`${a} é maior que ${b}: ${a > b}`)
 2 é maior que 3: false
 ```
 
-### String Methods
+### String Métodos
 
-Tudo em JavaScript é um objeto. String é um tipo de dado primitivo, que significa que não podemos modificar-la uma vez criada. Um objeto String pode ter vários métodos. Existe diferentes métodos para strings que pode nos ajudar. 
+Tudo em JavaScript é um objeto. String é um tipo de dado primitivo, que significa que não podemos modificá-la uma vez criada. Um objeto String pode ter vários métodos. Existe diferentes métodos para strings que pode nos ajudar. 
 
 1. *length*: O  método *length* retorna o número de caracteres em uma string incluindo espaços vázios.
 
@@ -440,32 +440,32 @@ Tudo em JavaScript é um objeto. String é um tipo de dado primitivo, que signif
 ```js
 let js = 'JavaScript'
 console.log(js.length)         // 10
-let firstName = 'Asabeneh'
-console.log(firstName.length)  // 8
+let primeiroNome = 'Asabeneh'
+console.log(primeiroNome.length)  // 8
 ```
 
-2. *Accessing characters in a string*: Nós podemos acessar cada caractere em uma string usando seu index. Em programação, contagem começa em 0. O primeiro index de uma string é zero, e o último index é o length de uma string - 1.
+2. *Acessando caracteres em uma string*: Nós podemos acessar cada caractere em uma string usando seu index. Em programação, a contagem começa em 0. O primeiro index de uma string é zero, e o último index é o length de uma string - 1.
   
-  ![Accessing sting by index](../images/string_indexes.png)
+  ![Accessing string by index](../images/string_indexes.png)
 
-Vamos cessar diferentes caracteres em 'JavaScript' string.
+Vamos acessar diferentes caracteres em 'JavaScript' string.
 
 ```js
 let string = 'JavaScript'
-let firstLetter = string[0]
+let primeiraLetra = string[0]
 
-console.log(firstLetter)           // J
+console.log(primeiraLetra)           // J
 
-let secondLetter = string[1]       // a
-let thirdLetter = string[2]
-let lastLetter = string[9]
+let segundaLetra = string[1]       // a
+let terceiraLetra = string[2]
+let ultimaLetra = string[9]
 
-console.log(lastLetter)            // t
+console.log(ultimaLetra)            // t
 
-let lastIndex = string.length - 1
+let ultimoIndex = string.length - 1
 
-console.log(lastIndex)  // 9
-console.log(string[lastIndex])    // t
+console.log(ultimoIndex)  // 9
+console.log(string[ultimoIndex])    // t
 ```
 
 3. *toUpperCase()*: Este método muda a string para letras maiúsculas.
@@ -475,13 +475,13 @@ let string = 'JavaScript'
 
 console.log(string.toUpperCase())     // JAVASCRIPT
 
-let firstName = 'Asabeneh'
+let primeiroNome = 'Asabeneh'
 
-console.log(firstName.toUpperCase())  // ASABENEH
+console.log(primeiroNome.toUpperCase())  // ASABENEH
 
-let country = 'Finland'
+let país = 'Finland'
 
-console.log(country.toUpperCase())    // FINLAND
+console.log(país.toUpperCase())    // FINLAND
 ```
 
 4. *toLowerCase()*: Este método muda a string para letras minúsculas.
@@ -491,13 +491,13 @@ let string = 'JavasCript'
 
 console.log(string.toLowerCase())     // javascript
 
-let firstName = 'Asabeneh'
+let primeiroNome = 'Asabeneh'
 
-console.log(firstName.toLowerCase())  // asabeneh
+console.log(primeiroNome.toLowerCase())  // asabeneh
 
-let country = 'Finland'
+let pais = 'Finland'
 
-console.log(country.toLowerCase())   // finland
+console.log(pais.toLowerCase())   // finland
 ```
 
 5. *substr()*: usando dois argumentos, o index de onde irá começar e o número de caracteres para retirar da string.
@@ -506,8 +506,8 @@ console.log(country.toLowerCase())   // finland
 let string = 'JavaScript'
 console.log(string.substr(4,6))    // Script
 
-let country = 'Finland'
-console.log(country.substr(3, 4))   // land
+let país = 'Finland'
+console.log(país.substr(3, 4))   // land
 ```
 
 6. *substring()*: Usando dois argumentos, o index de onde irá começar e o index para parar, mas esse não inclui o caractere no index de parada.
@@ -519,11 +519,11 @@ console.log(string.substring(0,4))     // Java
 console.log(string.substring(4,10))    // Script
 console.log(string.substring(4))       // Script
 
-let country = 'Finland'
+let país = 'Finland'
 
-console.log(country.substring(0, 3))   // Fin
-console.log(country.substring(3, 7))   // land
-console.log(country.substring(3))      // land
+console.log(país.substring(0, 3))   // Fin
+console.log(país.substring(3, 7))   // land
+console.log(país.substring(3))      // land
 ```
 
 7. *split()*: O método split divide uma string em um lugar especifico e converte em um array.
@@ -534,15 +534,15 @@ let string = '30 Days Of JavaScript'
 console.log(string.split())     // muda para um array -> ["30 Days Of JavaScript"]
 console.log(string.split(' '))  // separa em um array com espaço -> ["30", "Days", "Of", "JavaScript"]
 
-let firstName = 'Asabeneh'
+let primeiroNome = 'Asabeneh'
 
-console.log(firstName.split())    // muda para um array - > ["Asabeneh"]
-console.log(firstName.split(''))  // separa em um array cada letra ->  ["A", "s", "a", "b", "e", "n", "e", "h"]
+console.log(primeiroNome.split())    // muda para um array - > ["Asabeneh"]
+console.log(primeiroNome.split(''))  // separa em um array cada letra ->  ["A", "s", "a", "b", "e", "n", "e", "h"]
 
-let countries = 'Finland, Sweden, Norway, Denmark, and Iceland'
+let país = 'Finland, Sweden, Norway, Denmark, and Iceland'
 
-console.log(countries.split(','))  // separa para um array com vírgula -> ["Finland", " Sweden", " Norway", " Denmark", " and Iceland"]
-console.log(countries.split(', ')) //  ["Finland", "Sweden", "Norway", "Denmark", "and Iceland"]
+console.log(país.split(','))  // separa para um array com vírgula -> ["Finland", " Sweden", " Norway", " Denmark", " and Iceland"]
+console.log(país.split(', ')) //  ["Finland", "Sweden", "Norway", "Denmark", "and Iceland"]
 ```
 
 8. *trim()*: Remove espaços adicionais no início ou no final de uma string.
@@ -553,10 +553,10 @@ let string = '   30 Days Of JavaScript   '
 console.log(string)
 console.log(string.trim(' '))
 
-let firstName = ' Asabeneh '
+let primeiroNome = ' Asabeneh '
 
-console.log(firstName)
-console.log(firstName.trim())  // ainda remove espaços no início e no fim da string
+console.log(primeiroNome)
+console.log(primeiroNome.trim())  // ainda remove espaços no início e no fim da string
 ```
 
 ```sh
@@ -578,12 +578,12 @@ console.log(string.includes('script'))   // false
 console.log(string.includes('java'))     // false
 console.log(string.includes('Java'))     // true
 
-let country = 'Finland'
+let país = 'Finland'
 
-console.log(country.includes('fin'))     // false
-console.log(country.includes('Fin'))     // true
-console.log(country.includes('land'))    // true
-console.log(country.includes('Land'))    // false
+console.log(país.includes('fin'))     // false
+console.log(país.includes('Fin'))     // true
+console.log(país.includes('land'))    // true
+console.log(país.includes('Land'))    // false
 ```
 
 10. *replace()*: Usando como parâmetro a antiga substring para uma nova substring.
@@ -596,8 +596,8 @@ string.replace(antigaSubstring, novaSubstring)
 let string = '30 Days Of JavaScript'
 console.log(string.replace('JavaScript', 'Python')) // 30 Days Of Python
 
-let country = 'Finland'
-console.log(country.replace('Fin', 'Noman'))       // Nomanland
+let país = 'Finland'
+console.log(país.replace('Fin', 'Noman'))       // Nomanland
 ```
 11. *charAt()*: Usando um index e retorna o valor no index selecionado;
 
@@ -609,8 +609,8 @@ string.charAt(index)
 let string = '30 Days Of JavaScript'
 console.log(string.charAt(0))        // 3
 
-let lastIndex = string.length - 1
-console.log(string.charAt(lastIndex)) // t
+let ultimoIndex = string.length - 1
+console.log(string.charAt(ultimoIndex)) // t
 ```
 
 12. *charCodeAt()*: Usando um index e retorna o código de caractere (número ASCII) do valor nesse index.
@@ -623,8 +623,8 @@ string.charCodeAt(index)
 let string = '30 Days Of JavaScript'
 console.log(string.charCodeAt(3))        // D ASCII número é 68
 
-let lastIndex = string.length - 1
-console.log(string.charCodeAt(lastIndex)) // t ASCII é 116
+let ultimoIndex = string.length - 1
+console.log(string.charCodeAt(ultimoIndex)) // t ASCII é 116
 
 ```
 13.  *indexOf()*: Usando uma substring e o mesmo existe em uma string retorna a primeira posição da substring, se não existe retornará -1
@@ -708,11 +708,11 @@ console.log(string.endsWith('world'))         // true
 console.log(string.endsWith('love'))          // false
 console.log(string.endsWith('in the world')) // true
 
-let country = 'Finland'
+let país = 'Finland'
 
-console.log(country.endsWith('land'))         // true
-console.log(country.endsWith('fin'))          // false
-console.log(country.endsWith('Fin'))          //  false
+console.log(país.endsWith('land'))         // true
+console.log(país.endsWith('fin'))          // false
+console.log(país.endsWith('Fin'))          //  false
 ```
 
 18. *search*: Usando uma substring como um argumento e retorna o index do primeiro resultado. O valor da pesquisa pode ser uma string ou uma expressão regular.
@@ -770,7 +770,7 @@ console.log(txt.match(regEx))  // ["2", "0", "1", "9", "3", "0", "2", "0", "2",
 console.log(txt.match(/\d+/g)) // ["2019", "30", "2020"]
 ```
 
-20. *repeat()*: it takes a number as argument and it returns the repeated version of the string.
+20. *repeat()*: Um número como argumento e retorna uma versão repetida de uma string.
 
 ```js
 string.repeat(n)
@@ -781,43 +781,43 @@ let string = 'love'
 console.log(string.repeat(10)) // lovelovelovelovelovelovelovelovelovelove
 ```
 
-## Checking Data Types and Casting
+## Verificando Tipos de Dados e Casting
 
-### Checking Data Types
+### Verificando Tipos de Dados
 
-Para verificar o tipo de uma variável nós usamos o método _typeof_.
+Para verificar o tipo de uma variável nós usamos o método _typeOf_.
 
 **Exemplo:**
 
 ```js
-// Different javascript data types
-// Let's declare different data types
+// Diferente tipos de dados javascript
+// vamos declarar diferentes tipos de dados
 
-let firstName = 'Asabeneh'      // string
-let lastName = 'Yetayeh'        // string
-let country = 'Finland'         // string
-let city = 'Helsinki'           // string
-let age = 250                   // número, não é minha idade real, não se preocupe com isso
-let job                         // undefined, porque o valor não foi definido.
+let primeiroNome = 'Asabeneh'     // string
+let ultimoNome = 'Yetayeh'        // string
+let país = 'Finland'              // string
+let cidade = 'Helsinki'           // string
+let idade = 250                   // número, não é minha idade real, não se preocupe com isso
+let profissão                     // undefined, porque o valor não foi definido.
 
-console.log(typeof 'Asabeneh')  // string
-console.log(typeof firstName)   // string
-console.log(typeof 10)          // number
-console.log(typeof 3.14)        // number
-console.log(typeof true)        // boolean
-console.log(typeof false)       // boolean
-console.log(typeof NaN)         // number
-console.log(typeof job)         // undefined
-console.log(typeof undefined)   // undefined
-console.log(typeof null)        // object
+console.log(typeof 'Asabeneh')    // string
+console.log(typeof primeiroNome)  // string
+console.log(typeof 10)            // number
+console.log(typeof 3.14)          // number
+console.log(typeof true)          // boolean
+console.log(typeof false)         // boolean
+console.log(typeof NaN)           // number
+console.log(typeof profissão)     // undefined
+console.log(typeof undefined)     // undefined
+console.log(typeof null)          // object
 ```
 
-### Changing Data Type (Casting)
+### Mudando Tipo de Dado (Casting)
 
 - Casting: Convertendo um tipo de dados para outro. Usamos _parseInt()_, _parseFloat()_, _Number()_, _+ sign_ +, _str()_
   Quando fazemos operações aritméticas, os números em forma de string devem ser primeiro convertidos em inteiros ou floats, caso contrário, ocorre um erro.
 
-#### String to Int
+#### String para Int
 
 Podemos converter números em forma de string para um número. Qualquer número dentro de aspas é um número em forma de string. Um exemplo de número em forma de string: '10', '5', etc.
 Podemos converter uma string para um número usando os seguintes métodos:
@@ -846,7 +846,7 @@ let numInt = +num
 console.log(numInt) // 10
 ```
 
-#### String to Float
+#### String para Float
 
 Nós podemos converter uma string float número para um número float. Qualquer número float entre aspas é uma string float número. Exemplo:
 '9.81', '3.14', '1.44', etc.
@@ -877,7 +877,7 @@ let numFloat = +num
 console.log(numFloat) // 9.81
 ```
 
-#### Float to Int
+#### Float para Int
 
 Podemos converter float números para inteiro.
 Vamos usar o seguinte método para converter float para int.
@@ -960,7 +960,7 @@ console.log(numInt) // 9
 
 2. Use __match()__ para contar os números de todos os __because__ na seguinte frase: __'You cannot end a sentence with because because because is a conjunction'__.  
 
-3. Limpar o seguinte texto e encontrar a palavra mais repetida(dica, use replace e expressões regulares)
+3. Limpar o seguinte texto e encontrar a palavra mais repetida (dica, use replace e expressões regulares)
   ```js
     const sentence = " %I $am@% a %tea@cher%, &and& I lo%#ve %te@a@ching%;. The@re $is no@th@ing; &as& mo@re rewarding as educa@ting &and& @emp%o@weri@ng peo@ple. ;I found tea@ching m%o@re interesting tha@n any ot#her %jo@bs. %Do@es thi%s mo@tiv#ate yo@u to be a tea@cher!? %Th#is 30#Days&OfJavaScript &is al@so $the $resu@lt of &love& of tea&ching "
   ```  

From e68b8261987e4fcb52417cd45dcd0dfbe7cdfe07 Mon Sep 17 00:00:00 2001
From: "diken.dev" <diken.dev@gmail.com>
Date: Sat, 4 Feb 2023 08:31:23 -0300
Subject: [PATCH 5/9] added day 3 translation and fixed folder names in
 portuguese

---
 Portuguese/02_Day_Data_types/day_1_2.png      | Bin 77171 -> 0 bytes
 Portuguese/02_Day_Data_types/math_object.js   |  34 -
 .../non_primitive_data_types.js               |  30 -
 .../02_Day_Data_types/number_data_types.js    |   9 -
 .../02_Day_Data_types/primitive_data_types.js |  14 -
 .../02_Day_Data_types/string_concatenation.js |  19 -
 .../02_Day_Data_types/string_data_types.js    |   7 -
 .../string_methods/accessing_character.js     |  12 -
 .../string_methods/char_at.js                 |   6 -
 .../string_methods/char_code_at.js            |   7 -
 .../string_methods/concat.js                  |   6 -
 .../string_methods/ends_with.js               |  11 -
 .../string_methods/includes.js                |  14 -
 .../string_methods/index_of.js                |  11 -
 .../string_methods/last_index_of.js           |   6 -
 .../string_methods/length.js                  |   6 -
 .../02_Day_Data_types/string_methods/match.js |  22 -
 .../string_methods/repeat.js                  |   4 -
 .../string_methods/replace.js                 |   7 -
 .../string_methods/search.js                  |   4 -
 .../02_Day_Data_types/string_methods/split.js |  10 -
 .../string_methods/starts_with.js             |  11 -
 .../string_methods/substr.js                  |   5 -
 .../string_methods/substring.js               |   9 -
 .../string_methods/to_lowercase.js            |   7 -
 .../string_methods/to_uppercase.js            |   8 -
 .../02_Day_Data_types/string_methods/trim.js  |   7 -
 .../01_day_starter/helloworld.js              |   0
 .../01_day_starter/index.html                 |   0
 .../01_day_starter/introduction.js            |   0
 .../01_day_starter/main.js                    |   0
 .../01_day_starter/variable.js                |   0
 .../variable.js                               |   0
 .../dia_02_starter}/index.html                |   0
 .../dia_02_starter}/main.js                   |   0
 .../dia_02_tipos_dados.md}                    |   2 +-
 .../03_day_starter/index.html                 |  17 +
 .../03_day_starter/scripts/main.js            |   1 +
 .../Dia_03_booleanos_operadores_data.md       | 633 ++++++++++++++++++
 39 files changed, 652 insertions(+), 287 deletions(-)
 delete mode 100644 Portuguese/02_Day_Data_types/day_1_2.png
 delete mode 100644 Portuguese/02_Day_Data_types/math_object.js
 delete mode 100644 Portuguese/02_Day_Data_types/non_primitive_data_types.js
 delete mode 100644 Portuguese/02_Day_Data_types/number_data_types.js
 delete mode 100644 Portuguese/02_Day_Data_types/primitive_data_types.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_concatenation.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_data_types.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_methods/accessing_character.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_methods/char_at.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_methods/char_code_at.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_methods/concat.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_methods/ends_with.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_methods/includes.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_methods/index_of.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_methods/last_index_of.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_methods/length.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_methods/match.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_methods/repeat.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_methods/replace.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_methods/search.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_methods/split.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_methods/starts_with.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_methods/substr.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_methods/substring.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_methods/to_lowercase.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_methods/to_uppercase.js
 delete mode 100644 Portuguese/02_Day_Data_types/string_methods/trim.js
 rename Portuguese/{01_Day_introduction => Dia_01_introdução}/01_day_starter/helloworld.js (100%)
 rename Portuguese/{01_Day_introduction => Dia_01_introdução}/01_day_starter/index.html (100%)
 rename Portuguese/{01_Day_introduction => Dia_01_introdução}/01_day_starter/introduction.js (100%)
 rename Portuguese/{01_Day_introduction => Dia_01_introdução}/01_day_starter/main.js (100%)
 rename Portuguese/{01_Day_introduction => Dia_01_introdução}/01_day_starter/variable.js (100%)
 rename Portuguese/{01_Day_introduction => Dia_01_introdução}/variable.js (100%)
 rename Portuguese/{02_Day_Data_types/02_day_starter => Dia_02_Tipos_Dados/dia_02_starter}/index.html (100%)
 rename Portuguese/{02_Day_Data_types/02_day_starter => Dia_02_Tipos_Dados/dia_02_starter}/main.js (100%)
 rename Portuguese/{02_Day_Data_types/02_day_data_types.md => Dia_02_Tipos_Dados/dia_02_tipos_dados.md} (99%)
 create mode 100644 Portuguese/Dia_03_Booleanos_Operadores_Data/03_day_starter/index.html
 create mode 100644 Portuguese/Dia_03_Booleanos_Operadores_Data/03_day_starter/scripts/main.js
 create mode 100644 Portuguese/Dia_03_Booleanos_Operadores_Data/Dia_03_booleanos_operadores_data.md

diff --git a/Portuguese/02_Day_Data_types/day_1_2.png b/Portuguese/02_Day_Data_types/day_1_2.png
deleted file mode 100644
index 0f6eefb1de42767b4768f0bf49694dc227395938..0000000000000000000000000000000000000000
GIT binary patch
literal 0
HcmV?d00001

literal 77171
zcmZ5obyU>N_ohV<MN(-+R7zAz7A2JKUP3}b8YGr(R7ya)Lu!E~md>RF>1OGY-USu}
zmX6;7zTfvfzkk+qK4+Y{bLY9w+!}(E6eLNAXo#?|ut=n(#8j}b@Ss>&IF5t_m@hbi
zlR(Tr*bXX^Z?TH{=nz;~B3RO5qG~SK8#6bOAE{Ry{!yKYGBtHD#^n$Q;b01UN-z@O
z7bw8qrSHj>A%spC<`(u`+5YxaBKk?BGImhpVx-o%i56eGH2u1_La&-_djblf20yDy
z>mQh*w3#_6oc(aT2U`UcQ4NxXv^`3Yn^ct{#G`AEXlQ64EsuWu&<6{Lkm>qIqya0f
zaYx)G6!S@rgEYZ~-`$_hz^>g9KtHlF_zaI!1PlA`&(jAY+xd96lJ1IN`QF4MG?4cp
z-_!jTPkc<D;rY*Wm|2#HNb9@M^OTq+l!`<i`|t`yL8o_LJ;TDuQ)9y_OuzY`u}n%~
zSj`ao=vM@oMV>zUe$zlpfkmbo&x+`QZ~LbiZtal&Nji{<^T#DQ`RAtVI)WF6a72oU
zyy+pS3iBWV@aNM40)GdA|H#Tl0Ucos63b{QdqsCCK9de+v>~1bpR7x2RL7gw2f?xb
zDxo~h$Md(9>J8Q_!QeNIaWvuTKPP(04Dd9{mTI2;Pghtt<iz7~y?Dis`3$+Pw-?~e
zq)O-+^y$q@9QOAIA*279HNfXAMd;<rA%>LfILyo<xOn$`;aE#<`hN39urGOx|ELwC
z%^iFW7hV8B`}`(d(B+1o=VA0Fe!D=r5XT)0yP#>7hUV+Piuj1LUsZ!&d`JuHwRt@w
zj^$fRj1l?Nudog@^Q;L5q2;7x{`Z8HDlr-^&3i?PSua-;qlWxLIR(ORm(xxY(fIv4
z?Jt~IXbN40^(jI6I_Btr*f^S?Wox-*JSfd#kNSUcz(N|{{)Mtd76GNdoK(*TO9TB?
zzS#HFM7|N9=YMz+Ne{)3?96&Z7Q{z&Ii-)t8U9Ob4v9Y_j7jW&;diyXh~>@kXi-{E
zanZ~Fn_G<8eB0C1<F{jFPAJ_spgh|DsA>qO;Fad&*Eg5babl(`(AJRA4W$ees}2pN
zT(!75!t0+v%^|0crP~UZ0H$I79^|ndQuSgUT}{LcMgEXU`OnB`Drh}$|J~K<X5TQY
z!{fW{Vzh~$ALox|j0F5oMLtcfII#y^68g$l+MszNf(5Y~1=XnV&=ktT)PnyVh=tRJ
z&#^^`e<^r+2@Xbu>$<y;7dViWEVaOYhlxmI>)3tYV`p(4_r-i2k;iCq#*9|=1@r&c
zxm31Fq|_syD`PbC!yMk@^f6>4-*GS=s$wXM;XlxqAs)|V-_eWN|8VCLqPCc0L{k+R
zozc_Ng9=jeF~<8pZ8lLGAk(>;nK9!A=zQg{LR_bNYp~((W3V)M-ID(`Js%NQ96r$V
z1i4t}=aLUDp*13YX-{n0x*qEqdCLt8sqoOa;Qvg$jTaB-pvA_lMEDh>Ps(pA1HtzA
z071d-H_?m#fs%+pFivcF$^@Hg>mtvkuD;?VU{N(jTjpx7=5x3TLhg*-PeA@V@uVJ8
zib5IEV5*TAL!!Rvgc#t<NfLK)Ce+h^Ye<|9Wd6_Oxf(v|Hz1Tt9+wk4VJ6nt%+Jbk
zBhpNdSlUEW<k<X2Ypt@AHq6kcSD<Jn?ZAV^zrFX3_N5m4Jx|^Q(vyEBz`(u9{x1Oh
zm@$O);>+__{Ml-<8w_`w*s^~*{by1O=I?TkzYGE^O0uXfWze|X95d8HT)WY&wytg+
zD8Tz4L-p~gS}=IcAc=E%K1>Fe@-|J1JM7?Tx<0@2`I18Z0nUhMlZ5`CWiNVzJTlDS
zTonv#VthgYDTBb!$Q8i9BRAO$eA(^wE7oVgbA(K!ju<S6Holt_(g6)f7+iz+ufEc~
zaK1I<r*U2h1ScY;%+r8kuSQkFushyg33P>;^iBMGp74EJY%Gj~O&D0?csLZ8e`_E*
zB*}37cUjH{-(|8pJmF-{kqQ_yg%FW85pAb{=p<`vYjLLECjQH1J|dQc7%SsNF~cy&
zIZBC9yrwy`3;#sUZEez!f5{26bu>A&|1BTR^+(e87`U=m%Ukuwif1Z6I8b+=b$7eG
z!mgDxpouLzt8it{gq4?UB9&$^lZ!&340r=a|J5VYKn7+H+Izo-IPpl$ST8Mr^>cGg
zu^j!aK3F=-zZ)v#G)VIwLO5DFN6ud2pOXo5@D(EZ+8M-rWMO&!oObL8ynhz=5h298
z=Sk_8Bu0J-8%ic0N@$g@JiRf%w8@63_e!d3JJ!OEtg6~5%r?T<pW&r89p5oW1ZwU$
z5&ds2%$9g0Fvn|@TyyzRsSsoO7WkGfLP1lOfzs;#ibyE;P-NSJjLGQ|QP^Z_gi1P-
zwXBzH_5Tj~#U&dpz8+NP@C;6S+eU^gs~#8A-guV|!zVPrUpjXNf$+0fcyRy65?H?b
zqz35bU(=?<N)vHtuPzE<v*jB_J31eH#l1mN?tPwJ)C;^go2>Kr&_H|sgB5NNwC4Q%
z<<)R$b|{mryGKYFyT}R%_cz`dw5@r~(J~;i>Aoc_34ZgU=EAJbaX>WZP_c~h><sZI
z(@K9o+`4iM@h7VEz%^-4_-Lwheed81eOSCXIJffVn0D`rx7@zhMGbli#Qc)|%>Jn7
zuIbcAA{<|ec?YF4n-F{m005|`YmDjR>Fg)AI_T60DQEQ4Lf4s&d=nYKugB8J>u?^R
zog>=Z^)9J;tG|YOt!>0l6xC|=y7>7Mw!Sr&y&MuPCsb4<Z{1L2U)SyLlqa1e=f<1c
zX~)eE-1q!dytca-I1i&e<yLBh{_Ib^I1d*pSrwStt#k#gS0)>s?xF|T7gxs}ApKqi
z6z(YG+c8VN2C0>teK^+WxZNqWFB1{zt-MX$lKz-jnl>C@#pyT1m?dZ`u)yWD0u!XN
zDr}OJ@QcW3n)(kj+iu>-K_I8IEP@mx>cA*Y(X*T+ucWZo$AKixJMZYM<yF*IJw-1D
z*}A<@K%1%4bd7U9_sz`%Mzna}`X5}Ysl(wO-c#$!W^bEta-p&6<w<$2?~<t=F<woN
z#9QLoE=V#kPQv62<%!Cy(AXXt?TWcq35s`g%rnc}+}&a8OIwQ=pR2qQOO-Im#anuM
zR?OqsmANSiV~1*G^$#FbrR^FD=UVPmZb=oWba-Jsb#H9!y+i6++|GY|avGsB(SF!|
z)P8uf<FDYvDcrHlsEQmEbgH*=3e!Jb+^o2mp0f^Ttx`>$-t%z%)SI+Nc`%dww3*W2
z*Z_U-%TIbg;jwp@KAKli&wrV;GD0siGxNBv_d=fM$dwLrb^fN@mN0;Gzh%%%Jg%JX
zk)GDmH?okt<Seryk>gOBB^Uktnoz<+IOMEjIW6rh{%pF|w)l)O?Wgx9J>;U(Rd?xd
zV|Sy*+oR7Z6sWb09DJfU){8k~@4fJ)yV!WzqD_qW@ZsU%==m61Gv-FC5g<2?nHQ~#
z7?$s^o6m7DZh!#rp-arqX5vf!_tl_SgGXp?jVQG@@dUlMGiKk18mE1vi;rE#MST{4
zZWt5eg`Pdxoo}QgCPQFPG(Ws>-Op72z1ms2Is23oqM>ihxcY{xvNsIQ$e!TPuIDCr
z>N$I~ICW;7;J~8*nnAkm%#(u=k1>`gd>r!!<5GN}hWbQ!hTYU|>cBB)W@cV$BRZk|
zw$J=L$cMTqap|7Zm}ZmL@2O9~zudCPG@ts1CnEd|MqitVSp0q5<29L=T#8JaoB=KB
zj?Sw)wL(&u*4S}4FYl0~XZJ=7T}ucJ@zJP(XLuIOO%yGYuQb$%GmF_477Q-;jL|h=
zlE}wEs!V8$)4CZK&Jhk(`A$^X>K5^&C2f$nTXOmg<)pvJCSLqoO~LL`i_!=n-(Kwh
zIKDjAC$zTfwx)@&ZDHyVE#9PP)5p+p>a7pQ8-~s7IwXT+b*dObLF2`@kIuVytwH|d
z@?)H~k0UX<Ve{%n12r<dI3I|5)Q0<I`qBO(qTLSaHo^rn`%y9_fl@Ue=>kMF@$M0g
zGzpqCvwtn;BTbgQ@@Os{bo|rwn2YfySqE0U9HyqZ<u7LEj?GYl;!}o+ryLl)m8W9Z
zmtaQqgwgnW6a!zNZ};E3L`0VOu$kR`FRjWk0P(&9pU^OLM#KSns$BR|r}cQ4&GY7w
z@QcK75qS*7!lTO^O+1K|u6@|cD{DXoXVI5k<AGIn(qyUU%@e6i?df=p`=A)x=6PR_
zyL!x|UfA{qyz>mlyHMIstj{i8MU1%agw^H|OR$9;XR5uipl76r@nQpaaoTC!NQTn{
zu^gD<4Knd=L0*{rlw)J{Xyxg`UdS+d@3e5aF>I~~eS4M8mig9n2bmpUzh^=Z`GvMl
zW9lIO)tT)xkQ92#A+lNr^sObIA%+IYI?(3|E!g6d$&2xKsr1o!nNYB*6Igp!B;EJ&
zF7fHzh7&M3+`IxlA9<jxMYo{%!Ufw})$oNzP|uNg^S%sUbxBg&%pZKaY}I7ngJ@8G
z(j*gt)0SHLwUSGHCL<a3?1LfKPrn;FD<7d^N4_pPera@>ji?2TPtRFGi@srLxG4<@
zHnNh{DQCQS5-b+C3|IG$<6B@;C46u4)P>B<SL61q9G-1v)Z}k&BJ6^oS^SN6OddG1
z6mQ3Rk3yI|V1%DSHsd}DdY6&U>%1GjhU-(#=ciBZ(ksWz9<h+nQHJfXIb~#KHYB6S
zLpFE(6!V((5e;1zD>7ThHWBkN8k7l76t;*%^to&yN%e}!hrQbURML0M=a4EKX3G~N
z%Q$MmBE9$<TYFB&Iy1+UQ&Uq^7)+FD`jn=iY<n+!l^)<=lQZ4WptmLL#9a@Rg<oIZ
zBhpRs*3o;=Fso7nRkyP0pK;O7EGZUia)PQxuiAi(_J-cn{6}K0pd(2Z#t~)JvBTn0
z2Ku0$)6aSkVM`qZ7`5HDkTYr?=g8K(CO%oLn|-Hfg27LVH!~}vmZ-e@DaVQ7j3025
zYQQ}1L}$$Vky@CD2wpu_EWY;B3To(&n(@)u7@BJbHy7+vw;Mt;KOy9Flm7>H8Zpmy
zRFZf82%57$X82?$qi*I923Y=coN*#!Ef@Yi`vn;OrA~1FF1Wboy$0%g^}EKNk>9^;
zhRnkbjP=G)L5$EHMoS<!?*k=8Uk$~5>oiHLFU?N6YF#+a6c}nI!RGR5!w|`w+zBIo
zBZuXdOz2;osEbHS)%Z7d)P9C!mOP7gRFUM0QFk;RDJVup=!%Dh1z8Sbvp+>`Z}GTL
zvA_D6u+NwBR&!+yqAN@$T{xi|K(JV!7g1NWeap9!3fefO1BwpwWI(L1TTYzE?EbQ@
zx@)=||LGRa2g+?6%@5Wd->0ml@80*MToM$Uy2eHaHPis^O7onibLIzgyzy$BLzVm<
zTd7jkfw<e}P_Zsfn+^SiFujDjl2&&9oXiSCeu@ncAU1f|2(73$J@Pn(^DxB^cP2u%
z0@Z?dh<`()w0X#Vg6;E>aLh<^2_cVkIwg5x)ow22v`QI5@O1a2(-Kcx7vt#BqoCqP
z_dV5bXy%Ju``oEGh(en8r5?aMKghV$Q~rih1NT9a+69BG1CwKM4aJC=qLt4VwFIs^
zK#Cq=9!^x{owZ*r%X2e*nQg4jyg%=DJ68xb+IyyqHjP%5(*wjKF`TQXm#cBp{y8##
zn`DOVpb~0oC7KSy<aFS_y{Z=YUx5rVWUfgahh<({?<p->%_>`jK4$s$c{qywmJQ|l
z=V9mkXWkWA<Ih5MXL8DLh$S^l7&pRB--Xw)xDOvX=)SO?zePU{*D=<g&Dm3+m)nmU
zYA!t_aSIjPQOI90`5jnhVX^ogkA{<Uzwx*Ae!y}~DdR`Kr3QCGgJrjEB3~#bYRLbS
zQZ@)Y^(%P62ES(M0W56iRes)aZtY{4OyIgt_KECP|15dJlb4$_6FN@9infET+tlmp
zWX;d5{RMXdX4*}K*GC@xnc?b~RoSUYa#6xH8H<@Mc7;txyaZ};Xvv=6J{f*_5|FOZ
zKw9k2Zs6S>z#C|iCT#UZ^rJ6@w|B%1NHwv}UBV;`_0!CiK+hG6f8A2M&IyQA<2mlZ
zjhpHCkE#h$ySnvFQo?W5SG7LnNNM2D!p?X66GPHowA-KI6_HT;He*=VQU6@RdCk-<
z)cPo?Ob=|Y@uX+6Sru<mqe<h@t>L)A^IZ0B=eAr(&|D>6$>aSGTsR*{nS9iL*0rud
zXbe>@Q)(FRo`hV=Tqt)70pF1nTMlO^_30M?$Uu7Pl@-9Ra81o&gDt69juk(Dq*2&Z
zab{xJqbA=VZP>G1>fk2+REYH_Yu>is4xl&_jRRRPZ%22FilT3t@k=wpnWgOy(LfDs
zNoG<)U#MJj*`UU^TDA+$cUTY)_AoJ~TpT^DZcy1p^-T*^|G8%;Y4lh54Gc<KSmqxy
z3?=vjm-!}xEHd`qIaDFo`Mu%@zMiW=VIu_K1C|9x4z5~3*dhe**21Arh@XDUVA2_+
z12C<V3MjHVB(i%5bDaulbiCo6tA1-4wK1*}@TIqJCZ~9s{vx~GhHYG^f`qEI>mos0
zKKYAC8J^Xns8BN^ixQD<jV(->MO}@uc+jq@1t~l~HcT9H*ake?Ecx;4RHa}xg67(!
z&B}df>m(!}zKM08=)j?WgMKy>E1WMSX=#0uUTwp1a7b31+;;{V87T|dlD8eXH@szk
z5Sk1oz9SS}C$BF+PuzxZ{qcr<90+|-p#gq}MEbk344pi*JJw66QpeS#skgV5G2#sN
ze3E#k8Uo0}^?gh@K8F@PwVxb{8PA10mv^vg*<^Q<7J^Wkd|<};L5AU;9~O2Zw3fTe
z*QrNLi2e-Qmg0Dxi+3%u$Gm#DWJ?nYUQAEkoDJD?BRM>+{Nz5!Nl%vG^cBU*;9?)Z
zHDGDWD5weq$i*f0jd^Cg(hZ=7y*-z(<<Z(1obC+^dyMdEkh(~ijBaVvnvU4Dd``sf
zy%ci+sA8>u%fx}hC(iX$l!I6kjYi*06UaG7J@DZL3HFIGJ;fX~CKiUz+@@{*RmB9q
zZ_js)J^8zVXYauHvnno#A|uDz84vkZn@nhMbcC>Flj-YiHDl+#9Mq!YUNk{?aLkgY
z+u04+8=F%nyU1_~fv$*-z3{dDhc)HFbek-JV+NWELC=P(;i6;+fE44M&IuE)>2dkV
zusY((GHhQbYBML&ZXu&_N72Y~;Dv(ms51KNh>u7aCW527h=<gXc#x~4Fq&RxPzETl
zQwZW`Kl=VSUD~`$?+L0Mdj!6ypy^1|8hFjW&lS-M!(iVw(2R0!BtlVq2beu-`KBr?
zg{n>zyt~Pf+k)^cky`z5Wgp}RA+6^*byf^>s0BxJAucXzV7OGjbS<;3SiB$yYW|L+
zJIb}r^65c>FtW>=<KT7JJEm$Js@7606=uop!<&<vwI0fPbq54#?v|#~@`OC^eC}%U
zDpg%HD_tW|gy}ubtXf?wJ$|TDZ5WwtoAA_P&%kOw>nn*Nokwq66n^ik=+yFHEiXg6
zgqz@5+kj9dG60T@zhR_c%pkEF`l9hPN~V6aw$f9|Na>H?nZj0g1s6^I(9&MU@Lk@w
zz)#-<?SoRa*OWgQbdtD=zSycZoRZOKx{Zg!J|F%$f0cTS>V3(vb$+_Mu9a~U2Xvd)
z=3WjjK{f!7h67_gG#<UNwaNI!flE~*oY~x0q=ShUEShrF7$Eo4lzsnjfs>zwK7dK#
z3hCmrp$51dw?~itHnaI&c@~f9(uj4j>oIX=2aSMe^u6o=cjBZD29J_L8b?_JQES;>
zP9B!==%JB4`++Pm;XS?eeXs2#+h&epdb;!8{E^f<3Ri`EDI+D!@Hy+<dZJvsOg--P
zsRswBA)LmEbUr94yv$M!5Mpv!>TF{>-g@eMUxxqY=hEe{`H!Gdr(gXtQ;L`$4LKP0
zIe{f{H52bZpliXO1sk)HhQHJWTLtaW7282uPF4AkY_QEtnp-+Rm)OwBV3cw-%phd+
z#a@zMA&o1!X)VE0Dek8T^98w+gNN<f&p1+k<@!FyL;{$MvGQxaw_O^z$w*UdVr?yG
zm!F0lIfu3G`kPIvrqc7t6F9@>n^ocB3U>5^fv1<kN}V*4=I8pU{v+#698^bk?e_el
zD{xde#7%M7+BGwa$2oe~*<!Y2kxTL!75^WlKb}WA%rt>WPw{h&tqQ@N8=j84`{t+u
zbK4<n6S<$VLJwXZhu80-dv43m&e}3J+RGZxr?mOoBS^ISS=>Ikiq=ePyM7UIzj^4(
zAxvm8e8G_(L;nc6O7#l5Nd+x6Q1|w3JTPmo(h<p?*!r%qzwfW+^$9*}x<6Yk0=Zy7
zr=6T^XwC-odI9avWHA1LdPa<M!C8N9jQ7nIP~6|7WcgR0qJdS^aq2z`mup>E>5hbs
zz>zn@1e?!AUOV;U56-HJfy-fRw}dEvl-jo3a9mO~R`{)uG8C_$e9rCoc+m?3js_>A
zF$*S6uDp75=Bi2JzJ=3ofxEq%yqom3Z@6BqJO)`TZ}EDm$ICT9BOmH;5X7CSE|Ky*
z7_h+cns35U^V)90A)tB$_3_0oJQeZv^h)PZOot2AO`LSjI(r#(&02bqf?k@GZR0|`
z(!2e%s2sDINY${nW)QVUbBFj9HO&^(7q~>DXX(7xE@(9K{O$9%M!;}tI;10G9`|P0
z({Yq_;4^rHTru0UX-)Z8(4LxG)+hZEPMTN2a>6<XOZZ_s;h>Ke=ZF1Eww%Y4AQ0PP
z(bif+y|QYekB}kzJ()judLo4Atu>4-vI>pYZeQfBRXm<vJ9fo5^e}7k)HVf-%a#5C
zr;xO%RLEFSxKMqd69?$^yoZ665Kp<OTWON$;yZ2Vx?};Zr*6?-7o?7``j0zrx}#YT
zs+I<4XkIx8#=^he@z8m!Dj4NtRAs5KZ%Q$<YAt8W-oWJrSqZCEiGnqjAD-72D$H4m
zIh_>~3_4Eg2QBQS<_}-QMvo^|x$ZsGZH0CqeGw0&tuN9$oM_)@6s+ZPIRhi;&82NG
z;>Awp((Ni+lugAI49GF}0x6O2b8i$HS1$CP*ay)Uv?-LBs$)zSZ6RH-pggmVx`9Vf
zipHki*>T%I*YSi3_f_~xOI-af(H|iry>*yeP2&^PC#aZJCPmsE8luC2s2QY8%HUT(
zhUw`Y*YCN}w`K`b#+6r32^S6DNz>PBYL{?8bbUq5_wUJwzx@<}NOV}=+tL0p{9stH
zAqTz`+OX3XW@)hQyMyc$W`k)B`LC`;w>vLy{l;Xmm`JsKpA$f7?pJp;lzcQ%C6knt
zylH6ibGtqdNA5xLLvQAXbE;M};A@AIR0g~Icl4zF*YkRDU`w4m^{Ts+B#x)d2^srZ
zxL}6rv`XTqdMP`A>~iSPsRA>#1=O^<Lkn(gPk!(XuB*VS5KfTGlTbITyJrSA@{T|)
z2BW&?*24543hcZ5V@nl+9;pN;d_X1O=!mFoaMnewAKNPmOfDriQzRZob5uhZtj#U#
zu1yL_7%N_!^38wu6hqK0dv^q${yJs8-IbC~e}&f{)B}U>F0ZETD1|xN^UN^69WWBH
zAJMp0-Vnu;4vMoGYhB2b*TdQ0i{-AE5|^MC@B|pHLl+*grU+@;w4fJw<*MQIrzS_u
zC8#JK(Gy?sb%$fU?4Yq#>Y2E@K@Z2{c{TE)RSk_p8L))RLSM_K)nz98EeGk>{)T<6
zVY0F*o(3igKTXkU;__xpsgt+uK=hv1ANdl?<m-IDh!MVHdRWqX@WmjjZJW%gwzTal
z8I|?@ku(@j11Oe3-58l-1FB8U@%;e{hGzuzH5N6ea*7|o4KpokpbJ&e>M@IAEC3zy
zV!@P}c1dak(#Lekh8@iYGx8V#+J&fqV_-9IpSk(|ZlPq{E0)cthT<Wqo)b;3%F~ii
zmGh|=%aeQ{CzO!lH@2X<yUJ+WVMEg^ewDg{inMlDMAICngh92{>r-r0j5MY~wz?;g
zEW%?<N}|$*V-Y$u&)GBpw+D;&2!c0RVVpmhTX-(i6b9>+Q3H&ikMj=pd~qIwXB=<#
zYcQc<gg|S;zL0hIbkBNFYW2^RirQ^b!A2v-85`BZE{?oV@y(ftT@b}6Ga%o3?j?Kv
ze4@!{#|O+|V#=BvU^ON3s2i?XQJ&`&`=Q^K&Kiqj`2%W6<HeeY4eowR5M#CF*K=j6
z{~ID|`>v76kDt4zJji9=%VrpxWTRKl^6#n(BR8F&Lr<SF1w(FjdjC+T>h#29F$TYk
zSq_*<h`*7tbxk6G^mST-AyZz=sBel0il#3nBdbzkk~-NE#e+tY;u#@r2yfN<tL8w*
zNdvcb>fIt?Ckx|a$<~DP-=)YuckCsLWA|2o>x32Z=Q$;k{40f0_XgcFNqT008|uy0
z-Hp_33Wl^8qZ@eT%j6Zi>;Fzv|7p*pDLchuvf5xye2kO){L3ezHPMT<mtUUQ{Y_5x
zQm+BDsYy>O2r|O*pq%uz`E%Xv8XS%})XD3}HTL`P_sZhI+>48pH;M~rz*{2=nU(KT
zMyt-s#EaAnRS&p9j>F9wnft$4XbuyB3r+RCvFruoY~Ny;8ua~rD5=2fQq}=sV(c1*
zwf07*`-blJRW(!vT_>!BX3ME9?3XM&h$BjDpykdnr>-evq>UBghY2|_m4mWp45RB`
zm*ZqLJ<a*AXzYaO)th!%$7XdvB+{RTn6*JhzeoWr_R&k!bmmOr1|ekvAooUHi6AeQ
z>ZALv#tkb;0QRcdm-+&HlMth=49U8mld(%i;s=yg-=0w-&iFSi;|QR7+Ind-x_}{B
z@Es~vg$o_{2d#)VQC7inV@+f0!3;||H^dz+jF&SPf;HMDF2&8e6c_)+99)dQ<CM@)
z{!wd#8_{=MOQKplXpYaXzu`qR`}`XJU|GY1m!D#@B%e_~u}i9s&6GAYdJ!#E9OgAN
zk5L`ZnnUS<M@Bv~y+d2dQB2FbjBZ}=GDTzeFsonRH?H6)k8-G<`~V8s6}+sF8lvDH
zkOhj4A9gVOpxahieUqdfrY`B5q5&O4xQjPe+VhJY>t$|gEE<aY8y2lRaM+3JqZW*{
zzJ$3Cz8^(XY3tgDQ!8`q0^^r?7y1VA);@Dc&IukIP1Wi`(c^6XFDnjzG4Y#pZCup>
zav^LDVGm=$Xd)EoSRN@+)V1ZWAn&*b9&IB|g=Y+f!5ooG;T1VA?d2xW56imyV$_v)
zdG5q>r%NwgszHR97;m{O8NUbsXgRW*zGeM^o7hm9)GW*Afa`0A`O%W-(HEdsh`?oG
z6_dy(CCaKY4+B@wl(~s8rVaV1H?EjX&LuIdiXFti4HyCh%aTX0hi9_W=R_$Y30cp6
z3Ib%k9ovLxl__=8#}MqgRRn|Y>Ft)K*tYJ`TADD|@Ia{$)MJApO2*o=FTQZ;ZpKAb
zMwl42fe0M67xa!FTB^n4Z$?(W%zW(H&$gdkmB|cil@QZPV&+B<7HN4*$MKUWfq4N6
z07&dkTI~=xP6fPCNtujVZS0y=u75KjxqaF2VwNSMB=LG;r1?3uH-$$0iOAH?CzyMK
zuq)bo(Qk*i_>{`w(ItGba2}8im|LLMSR!Z9o)L$=wQRGut?PxwMaff~8JG~W!z_SB
zqebkbm&ZBSOgb-~zu9pnAt)RHIJ<$4E8IlWJ5*9yoa=w3%|0C3eLbW9Xgji6afntg
zw|64ZSy}jdmTMM(D#+0+y>Jzu1~_DlBrmX8Lme0KEq5o>CZ|$|aBqdXA$)uIq>JN5
zR)E2eP&2Sz_ngf#x(`(2!%aywQe!u3^MBK#6UE7z+il_a1fZ@Tj}y{V5C9D>hXlRi
zQaBCRkyGI<hQpChNk8{DP@Ud<E13VGvcGNg2Ek9Y%#NBEqR$RJhS{)!-+w+_h^xLM
z%D)_qF`5+|n++N1OAbuf@fUMqb+!`ISb#**z%+2#fMy~lk+x7tuBee%ZpWpVP{%Gt
z0p3{;+U2aw(&-=VJRP8hmD%HhUn%EC9;O0!w2Li;GZQ)Vipd*wrhhjEZk*cc-v84N
zu-|~%v*m5yBWXmS>(lnAKsEZthi^#&J*ATc8sYb2pQvjx23&@)o6G|}O(D8<5LwBM
zN|6%Q??J7Hd*@VZcXSCGeE20&a?OwUgRwM@G_E^@d_=@?0F!Jmb%*Dac*Prc&I-&y
zRDr>BPZ7-yj_x1n)KS?y_iO6b1p!7%lJpZ4tt!os<T4(SScV}{8OBjxef<I37~ZYX
z=-`UZobxvYcHA(pjbE&Al?iDld3spvEC;HRyOqACymZ(SRL;wM0v?yD)Yc7gyEF<`
zBF*!hkCd|0vuxQ3VTFcL!ffOQL?2A_=>93egUF=rtea&oy{oefH=E5q=LUU`QJ9h~
z93B+cho6P7d8NpVJ4A}Pg-v-{&2o=PFmE2#6Q~+$xjRnkwl@F(2nu<m7u05JBv}K(
z3meIH8|OUMb}$U3cHTY#yxXb)P;P6T=VXNU?S&&Lf`wpx>0y3uN;kxGGyAKyg!r;E
zYn|2ti;m*9W;K?%!3Wusl}5ap6|zaEPy$F%PfbqJ$n*!D{>ZhABpwvM`-TO5H?RCC
znCDe|oGg10`|Ge%{T%Ty`nd~@-ru}lvxf{|qadLq<MJd(!x1(+@yE;7316R^JnWp`
zLNzV2(-q6;aQB@u1V|{Dg4}USYACL4i%^c~xtlslp&P-oSVr?X0bw1!4|}V!o|es;
zF<S^BZ{R-|-v9#q*kS0N<n*xRn&3T{XtLHE{MhM<X4Ur)xr_L)mE(wCDUOrrv|~Qe
z1Qy2^X#|~NeMJ>(4yKb@i3b)OdG)|Jg2{Si{X_>D_Fb=O<rL(-I)yCv1q01NVv4C;
z>^C}`19hpJWAj>WyR^KdpdStQ6o*pX#BjallxzDZ?@s=D1F~2Os9zPhxPPjpfYnVl
zAbDdp)3*WUaC;H|^5&Mo=}lB0W>dX!cHk$VP0F5<I*IeZ>&@$jnD)MXms9)x->)vY
z^2(-e<J73`(}88*iD(VKepu#M(zMRwl8qf3$-;@)OzS4rLx*sml_k<5sRf!La+C@I
z)TALjM=_7}ykj1#G>YL01KebDp7*{3N`32V)Wj93G@L_4j(*+*vDY3O81LT!scE1B
zd7PJuY5HjjrcCngVOAxCh;U1YYHjCh`IfoOK9TqUSB<OP#gy8XL$+xyrNW4o$ecbr
zT^d4Lrw2YjbU9Cm`)lG4kCYxf8Cx@ZlA;o)o?K+aBZ5X1aJHoZV8!1932Ks4$wL^G
zP#V^m!{~3xnXrZ>tGquUYY%n5Ja_&aw`enrHCjufABeof!ZxucQ(i>#qq^9_*W<xo
zur%0b;q&`JSQ?+UNHF=+E7cU@C8w%ZG-`RzPpLKa77wf6oJ$vFP0`DRY|3lA@BOiy
zliDNDgYXUwt1oRDd(<{Ks2AIxkIeAaTh`~Q_<_`Z0%=O?T4P+DL<S>1T$tc8SgT~7
znJ1h@C9IA6tX~!2(mi}7!dj4sghv4eN4>YFBSIZ-y<as~`iaqox>VokEK&1yLnM~(
zOZ?>2MP9GH;QCC}h1+KeyD}+7%>_WqTJV;okBlT$%u^c`e;^{I#=R~r?W7h}{JvL_
zH`+bs)JFp~n^<q}KsKrq6Q<C-qzFr#SGkF)jwXv_;&Acp1S`vM9_;^kCr`G0o^Pis
z`%>nAEiZ|zq=UY)`onpj*mr1tc!RU5)``4<7WVrGGHyS)+kwnIf<1c3Tu$B6=cWO}
zYoC`A31>s+l7<NoZf>Y`?MC~G{-6^FOSti#0*^Cq^E9r@7fda*yx6CZP;<*r^@a|o
zoqK~8GuUuNKWS|9^2T!+u9yo2w_ja#gm@}UwQ3m-{p8?_TO<wRNH6i6bQZ<|I3X|)
z6NWvu>?hWcE`{nGV`n@NZzOe$vSh*Jt7)2QJr7tw7KX-?bxw^%?PcR|K(C5-Y4C7K
zap3YV3*(Y4F$XUi<GBtY`^z?>`@U}BEy&GH>-+2gKM_(qB%{;qw_KLv1QHN9X;l8T
zp*($@-Z{<e;FTqsE-3cZ3o=aLog*4i58oTAYn?e)rY{6VztZZQ(>2W*H4`Nd$@msG
zB0;jmv8@l^8>BzZ&helj1%f$iI|IZQoRLzwF>awVzP#Y>9EpZ<r!jb*Ur|-9flTs}
ze<TAy-+1Yc+ZkM7EKtrnt)Wl5?S-i=y<RoaMi^6q6JdIU!w2JvnLInGjqSC8tKZlS
zy>}~$t7YAd$OW6j?<M-t|Jvko->0hrcLaZ(*nz#@PN&Qb+yyp{RS(b<T37{!Cwa&v
z>&{UnpbO>Du^rQ)a>IF_>t0SxkAuYRElr$&=+>DZ)=9Zv!~8L>v3PigjDqmsACnD-
zDsN4HXU5d|j@z4Cmf~&-sq^=ot^)6ILXK`l_4U{7d~ZtBf%Hqd{vzD?n9hM8UWMK@
z>MpLguev)#(l_yv*IxIAqA7!V8l|#MCIrqD!{2}3)duVj-c_#2ES&x=Y~BO;20xrG
zXQ+C&p7i`tj5|!FIN2+O;OJw@?IX(|M@Aqrx7Mmk>~Q6}0X6=8`lvuY$J5c7nKwsY
z1TgJyY*ZLtZ!<p5w$Z+5%KoS5zlqOtvrh1|Jp&C$2?*xigw=9cYQLW?7Xa^K(Qi1K
z^&O$sOcJrq6O*mQ^&gFy*%VT*%@;CK&*)A_oN0L1hDEYTN$G2GQqt2WF!vQOBKNu-
zqRs5Y!S>HDX}1W6>Qlb@GY;C`%f^$U=sj9Yqwl3p-zry=j6(yy7UQ|EPtyA*3L9kd
zKIfENajM2EQ4fb_AB3&Mb+P7E9KW>u937R$1QZUGy9mrO^d7TK{<ZrNLG%@2y%ig{
zYh+ieI6$H0y85knK5laVS+70_Qaxo8<G5jA_t8Tpx$m9*v$Ttrgg^M!nJY6xfMG$Q
zOjWvy8I9?b$jKdrpvl~lj)D?v-s9ronns1F_Z&v9lI2{9hk9;daZ>#u=%Z;GT@yCA
z<~ih)PV=Z3tirW=DK?rCnm*joA*GH>$w4?8*33@eJaPb&-mJMSJG5HXJdJ{tdS_Jx
z4=Flv?*C2jBXNo#>^E+oS7kYQ>f;LA71x<#!jM*5DulN`LB#ESdu><dJSR`dgDr-e
zn~sb+O^Z(SkjylpeC+IgbI(Nx*<;4Iy_GSGWa-_v=z6t>x>WH)!u~w-(F`^3qte&a
z#AI89^e||#gsvw55-lUKVhdw)U8@Sj9z8=8GLD#L&RPb|F(Fa_XuFlTJ<w=wNeN8#
zym<KHb}#KkU&$-IRzJIn?qc3$3A=}w<0G}l77pZ%X(o!@4L0|G;Eg+Qszm65U66Om
zOd`I89FfZC0r_QXU*1l>l@y<nZ`;+S<}n9*Jw~};$p*Z2m7apNZnCI5CeAi#;k(1Q
zR&rqaxCRH|EM5n=dI)O_V@m+}PUS~weDT5S1ntCn0-nWem1RqO;4R(-v-xiNGs%^E
z&TDjb?icdwf-lMnC!Z7zXKD-+-w;&Sd9iw_RBH}{i><Zw^(dFu&oI6695)5q?aj2X
zAiBgQpPgX4y$I)%b6H4Bl6RK+ydB%6OM~fiIkks}8266C9FD6!`h0gPr|XddC!1e}
z-4lyO!Pq(UX`{-@>%{xiR-ZBwADwLi5|LScy0Zi+ZfoPn&-Aiw^ru0$CnvQ}tNjXR
zW`n;(B<K%_s)i8lD^x#tsRO1zkGuV_PQBQ)bG{;rPs;6Nm8G_ctftCIWo|f5kM)N0
z3<5ND(O;@{vNoJ~7WewH-QE||`4nBqWae9-#+I#LU@Wi0XbW4eEj5}H__RDHMc{l$
zhDp`?V2x5lZ&Kg?r({Wl-=~E(tg$J?w{(glkL!)BTDF;l4SVNgLOGZy5gxVGQ~gx@
zPOwJs_8@}HR76r!{vu1F;h5+k+_nTxoRUDJg!D`xh&We$#3%jGS>6NHGr;P723FLx
z?IcFt2A|y5ZU^#)$F2<T$ez;lHlyw2zo1FHWo3mL?2cj<o{c2yYnfODg9%u!qS8P-
zE8`epmVrBlT1?%QI&Amdv%cLVZCXefkiygsR7WbkbE#ban!JxlC|+_PflnBj={X!g
zvc+~*BR1U%10<SDaitF*b7<AB)Ccc1N=RyK>aU3NJ|Fc=7AsefBrgYJ3WoFJ)``Lv
z;MC%|e4Xb7i&%DUso)Z*DjKBccTfPSjyR%uHQW>}m^^_L%P~m}e`ELP<)(Eap-Wk%
zj`vIPT_*&^uZ_<rg@Zp2aZOFbJ^}6wt?DL>&61mnoSZziQ&lvn6x5Y8P6eK{B8Fn<
z%cj!V@5>nfip~#RTNU8n;-*jglOxtCjj<0VY<osU4{ppel8v9UlSHp*q@CCkR&}Pj
z1FHDE&CFfgMY{hsrNEkQuFmE&Lw|w$LxHx;&?2|92-Vv7^&DPD6X`*;EOYOfTG@hj
z3XR$ha)~%kyE=z2^&v{?H(|kA3$3N{8_*R~;>k5hWRu+4I#+pO(3>g1`E)+Csg$1~
z`z7|n-WXRqo=bdV;i%sI<fs-ag)sM1%^Ma3$2LP*`Tef?crkuvF;-g8Pxq~sNqbD+
z3f*j%Eu$-xjeqghwTszx_Y=rsE^!cD`q3D63oOBse{+i3u{Rd?_#nDS%2brn>GaG$
zytAhddm__aulfAW+2V(Z`?6G4T$R5ET!)w5u*XUT^aZ#ZPX&6Qf3<T5aHdVLn=-=G
zjscko))R^Zi_%BUn~GgOb=n(3D;I^&dtfgEJT~<q+$S$-WnXLY6zT|FY{0nPH|u`Q
z%~t6Z=@kx>?#g%r)%FJ#4^rUl0p=$MgX<DjLi!p<6T0h5`ifzp-^$EAw_Y2T6li9#
z-;aH&BT2S{umnnT<T20heKy*^_q~dtGGJ9@fr9UfhRYK$Dwx{%dLzAVsVQ+m9;$4)
z|8Cnh*yo=d?_FQ(pp>18b}vq9n+6TOc4w(+`L!ic$&Ze5QMkN5=;gCH<^aVhuGOBo
zf;zc|({Zll8#lbm&9K&|V-!1o{oaWc^Zv6Vuv5fL9rCd+vJH2}9!B7anllur7URg>
zOE%$NK4eJ@fk<i9xJosEy2*D&lzOI47O5HI9Y(%{Td~FKB{+zThTxhWU>>dv9rL%N
zEvvc}xAfvbBPcLcQEAg8nf0#aZEYq-z{do+t=Tiv+2mP;qeWa=V^a^S2Z?q3x4SBA
z-#<thTo`_GvHrE4=U&xl>1XqSfe2I1H-YnT8=KTC2PIeJrPgfRJA(&G?ATkyR5_#y
zp;3XmBh#;luR;!AL!2q{x~0$q4~d4I!(!v?u-r+~IkqXsDJl|+LK>|naaIk=dUoyJ
zU4??ET?KC!m(cp-qVUcn)LFqa|DH<;8)R~H>TU#=uxXmy{7PPP{3-hPM(aim{9^e>
zZ^Aqro5lxV-Pkf{P-8lRios9(O2+D{B<bz>`?!5cH}1{TcZ<zzbzQsr$t<xUJzV^6
zDpb!8`at4w0gXmKi%L8fZ!ijZC)V$$e>u;)qESMo^pKdWkaJ-?8ayN`roWTTk#k{s
zu;gT_mo0xm?Hc2g+DwSY%fbxDl>~V<@dLjHBPw=|)P<u|S5lbfw9f=x4P4Nl+gG<<
zJK8iRmu^i*GKcTO5zd1J6V6XK(>Mdx%j>6jbB&g(*vGn`IBFa0uRWe>@Z@1_Y;eZ(
z7YUwapY%j%y~)0ifFit#g+7Tse)SP#99IJ{v?#UTSMJVg<bEi~qXatmrE9-ioANSo
z=njS3!q%2P*Nr|zl%lX@4KTFgz#qW29w}KRHMGKPanzZj*ws0ykc3=|8#I=&s{I`(
zq>UI;))jX7jXe|-y1>|T`TWI4WQqv$4#C>iQ&kXkX3|DjkT-)XVIbcdT6XQQcTiUw
zjlHvP&ar%%B*?o3pKx!`2ureyw~|Ih>leV3Y^LqPsgp~X#!LV-?7zeCwKlTO&BEiJ
zu&as&J&9dJlDBhF)9R`hyaIp*?8T1S!rT+WvT9|))7d=RyIEl^$NPnf9pLh?jh(Zp
zwC|wWewiwTZb6gABNl&Sr=Etg<E1EVN#~%Z?-fRunvgX{d}Am<eEAd2E)4e>IpLj)
zqa;>NfizcE(N#+Aj~Erac1LgsESkHot>r&~jj>}we2jI(mW62}VU-sJvoF}Zy*_1*
z3REJ{H@LoM9>hmX^pjtov78SU)t3K9LW+y^!uy;z5xnF<JN6cz%iVdd-(mTFB|Nn}
zc~i>#Voldld5o@Rx7uOZ@+6IgOMm;lYx_c6C#9q(P$Bh1&epq2-qa5`lQ?q5;t(Fk
z9)9e*(lH4ssFdJ&tB!mk=wcG1Rn)D@>%$9nw&ICt12uRJTa+L^driEeh}#NZ4Jow_
zSbJK$NEN5>9hCy6)JjF$PyN<sKN*~~SalYAsCN!ID9~h+<f7}KD-|a%5q_T9*v&Wj
zM}MGoySp7%TRK$5^P=)e{h-mg^jy7bXu;UIrq;+Diz!`0Kx2sH^>$xl=iJ$mFpI_X
zcd;$s|Dw*q1iq#^n20v6O6($=fKUc<nOGs(AH12eIK;RaQ@nAInrz+ePSttm&T($C
z!#H?3{(ivH24p$p=L)(zgr}xX-w6>7o13X>_Ga~VHH)%hP$aWm%;At4QGY1lwvq*S
z9b_Ta<7e$vV(yc~8yKT&Ww9{D`_u%&q3x;()IM!NL+V$ZkvyFaKon{$WIvTzl4G2n
zbocgx@YOA4&DFF9sq`l1A-R0{vxf)G$6Io|+>UQ0wUn$jdBxUt4($G~=CkgQL^=Sp
zSZ-J(HfC0;D%t&Tb;&wJF+w1v4T#U7-ATcxZLn7MWP>whQIrv~@G!-#%KX(cK_ls!
z!@=Ijdua~NSp**E)@e1W)iTx!h`uBmfm9TmYE9_4+sp%E6EFR^s$Plcv+$ziY6<Xd
zFGWcslJM0A<iO(j;(d1+MLo}iV3(^7?}188tMKIhC_iiw4{Gs=I9@^%S1kYf8H^FO
zB(6wZ+(PQ;AaE!{(Lq<MB+oMi;0YZv^v&4>u$iBj{qBE8A`#O?TwC=R;Jy1J<Yio0
z%rV0x;Gw0{uccog!TQbEwbK+u{bYfU8Bb!RJWr%bjRiT1)wA0S&EhN~of<W_JJXKW
zY|A9qyCuVQV>?StfXCAy$Wm>E(HXQvD>ipF=dH?LQ>TK?tLI$+KQgvE;2|F<xw$60
zy)P7BFZXUuNr}0*JCi}@_?P4J@y?;=w)R^^lEI@d;_3D)pE$x>Y=zI=wMJm>7ISrR
z4J!Mnq*p$Ud10}D<4$^kpvg1h%}n2vT}9#dALBH!x2*%XB6k@lpH4ZpHPh2<)Gm~8
zzN`atb9)Yul?j_pa5UE5WGr?!tfK?<ak|NUNbf=(Ez92Sd!(NR&G?f-wS7FHtJuk_
zXw^+;V=d@{D(_j}c(UboOm+lQ@UK?}J}cj$^|X;j7Si#6^=G~JP_3w0iF5y}267*w
z)<q*%vSyL=`<Sz_NVk#RuwwgwdCDkit@clgIq~~^_FI$vVr>#uXCKd&1p?|F&u>N%
zK)*(r-|v%YO4SwhHsvWh*4uZwIBKRDcU@Vy4>0)@LhW=c-0R6ZK-v2_T|x8ZI}Sn(
zh5Pc^CYwcr8378zPMUt`&aML+9d>RvK)u1FJWb$n-1(Z}XT1_uAKP9`dA{*k_aM5{
z^jX~4Ia;qIS?`5)IOUYrR|4cmr`@*q4fl&Nt|6vF4BB7+t-<2JS=8ZV3zO?1*YGB{
zqIrN_fTYj6e0zu)lTOq#6rlxXd_IRM=h1FWy?zwS*d4rV{AxFl1>?5<0$i-F*BTm>
z41rZ|Sbv5G@C3lcmJhSJmyg{0VjExAvpU2VDjf#nu2R$gh!qHYa&3OBm*!W$>5D9<
zZYq6E7LCL^HRFke3;fe1ho*QX>d&{OQ=%qGLwUZ*Jpg|&T=#@Q{_NPFy6eXI`S*<x
zWm&%EXS_m7h_+h8x!^C$#p9-(v%*f(dP7<n^dUJQ#f0ChPZ%E+3z_}S63x9oL%$RI
zlWGMInwp*2v7e|s`?Qpm|NFIL`u2%IS=dH^-*tlIohR)VIGndKUy%fo&34Uk+S=(q
zgSz4lPMnWA^lbC<(@qY!lJ-v9XzsZo8XU5ngCXl$hI_U!18>*%>^p0YKTD3>_!c@f
zSPQbo*?hno{J>gJ*Q{E%w0m!?P>N0U$JJa-71zdbwU)R|;l=_=yc0o(3yP(XSNaiG
ztm<p!tH}|27P(5uBksfcnb-Irs%E!cpF}y2=qeS;iMNlOdAD!T)RZPlFHm7|61XQv
z`bt}<O!6W5H-#!?&AAbT`vH>TEqlKnpX%*2{nuJ<c}e`qa-Eq|5|3{ga5Ai=J|{%e
zlVowiS-sb9EZVo&+C+hWIk>0P*~5}+=U%&_QkPkxx!@9&*XaWToPB|~L0~<#AJg}f
z3LR2yiUmH+XD=i^d^sc-x~9%p>S`(AgYvYXuKhc&C9T|a^M(qUi#SA&z0Y@*5d(CZ
z#eh%EpM7%;(eE=MqzpU5-jq`@6He%L;9CAyZtmjUv^|hSD_Q>*Hw4&lKJB^OBfAxM
zS6-#j_0a><i!;%h{ZL6nbjQ$HM{)SrC5~K~OY;8tTL746^Tgw(@9p)MA=|ZDII4_Q
zvjtQ)PHU-B9<zEi*^>2MC6O@?!Y1Xrk%QnRd)<ibJL?yZy(d3qPgkEYOhin-(Jj)V
z7cf7f)5>SgioLzpu^Y?loi!}GpTPcPJzO6(%kwC$_G3(IJCJ&>YWMmTvIq-~M?;}l
zh|xM{)0jOk)kg}AP|>{G*N249K(EEl=rZrUlxU6d<KcP4G(DwcpocF>H{-ae8r6hq
z$C6AWOpk(wEpNK6O?$bHMkW~66znHX_|$|)@pyey4DdKUT(&>=r#0c=j_W7}3bAla
zx;rTtSVmfmUzdtRBzy*e_lZ*R#F_^AvjqWwe8^fB&QR8<nS{Q6TG6>`b&Im)UYOoh
z2*;%Ke*UwAZOr;8s$;@6BTT6liI!ZkVn-Y57=k_Ad$*QDAYKnT|D>yz7;Roa71O+Y
zJggfJI(I)Z^8UVX;B0oy@QaXQr&5T^RUk<&(7X-tO8Hd<?V-fontS=E&aksHzjs5}
zOri0Xu{^fNdk1H0x-ipy#vknWotBq(YE6gJzddrgkgp1;wC>!)B<qh9oh;lL2Aqye
zyu7Q5-fAAZTvQu|=Y@g;1?`plo`Fv^gPzsDFs0?Xx>#Bs7z9mO<5A&bo-Jcuj43$#
zz1RF-3MiKH6KG>VlJPh-`DDa|oS^ttlf?a*hFwwDpKsD)ZRxkMT{knRV;x;<3EYs%
z90zJFZ8$1$3R(p3gjw;=74=xTS$kvpvi5HliETAkB*ppE0QWtiUd4PUiEA9Du^&O8
zjRh$yb7-;syzXe8f7SIO!sLj<C;z*VQ5fj8vxJ{e=?qZTntr3Gpz|qXW2{Py%tq$C
z2JMuh;R3djMU9w$DY6Q*jZqXjW)?7>oV6csYDjQkca4;*dzs(aZ=E$d$1wHK*_JMv
z<mXLk#Qp><#eS{ct3=tjoh$XhneL#Uvf{Gdx@1*xjH)9@L`U~i{<7j7tATor^GD4k
z+NnRVa}Aq$*2fxCryp24g(;xzXI<~ohgQDz_c`fBLGl?CBrYo{gyBA+4H-<NJeb!b
zCf+<M7F-6Z-0tq|Cr*|7h3S{=5SUSZT%Y>qnRj~OjlDdM$_I2uU0z!e!>hu;9MHz?
z<a+N3OB48Z)XrkXYWKlt@{^y4_}6^(3SQ?+Uv`9VcriJ62`GLA<<De8Dm(D+SVuxe
zt)eRGf-g$EY6vPC>~?7qW`<e&wE^!GX5GW;JuZ%3Ha0?%yN$z+5SYN49~0f&(Q{0v
z<7+I9Q1N0h)jRgF>QDN5*vKWMgsT~H_U>i)ixj@2O`Wvw!sdDf7BT@jVuz!|`%iq-
zNgl3VCbb@rL7VTj625i(IhmU`%l3K6BEO$r5j=dWuHX)5#pMXX^7tl`+M)TCR!vmF
zxm5Ujx238jdH3XG^7@^+dgnRAqZY5N$f}J$WI=(<<|#^tIw?+?os3hK&cBvG)CJL1
z@5@#C;OQ!P^D*A??$dz8?~OwBTC*1i0n6E|GptpG#a6sxC$-yd^moyd#HbiSP&xH=
z^2|5==D6v&i-&VVTY5$Ket8w<g`tJ5-|_zJS3QlL8z4`ecbiubB*ar>%2UPN8b^O$
zfytP^l3D7dsdk%eIzO&=e29JqR-J8FQcK`%Ao~5Q)v4y=$!3&OUk<+BNh_Z#%GNfj
zQK(e<D;d>!e!+N0jt-9t`gP%=GtFr!B4C-SZqzf8=ggXVPLdSzo+s>z9nIpgRBzBq
z^nS@<y6km;%83^FsRkMVecFCpU)xW<J4Wrat`QW^=|(6Bd>FlJa-U8Jn#O@lO%mAu
zYJFgw8s}#Jn>h(~S1Eig*b5$;@+bQAgz`=o7fKI&RLut2ROl^3cU{y;J{#TNcGfg;
zx-NJtF=8hH%r5_Y0G_(fBNRzBcct4qNyz}Q%t3<pp|aQ9g=y^%IlGnp3r7YPVUsYU
zHJk5}q7cBbuJ!cbcF_)?{zZv(OPDQvP`8%1yVNKNRT|A;UT2pg#(UE9?szC*Y}4o{
z!Mw9p`Qa$@u|ic7#$X-m;+Hf3kF2+Vs%q={hv9hWI;4ak-6hfp9HhHDrMtUBKqRD*
zP)fSHQyN9OOG>&!O1^#Y-uHQ)??1*J-r;fWwbz<+t~uwL@!L16!epl!r@B>@)l-<y
zr^x3Q*xC&L99Mtc;2Snqn7!0F%vhPBso-_|>}vBc#Gw2==%SWkYoD>eKjtwlXW1Tz
zP|h4EE<!#4YvyzHu%*wZaiv?)3h8V@f4mu6f^Bn*3~T#sjx70E1>!@@>ICytF=u+Y
z&0;=H@Cly1dKiqQwGH@cs5yk&f~vWZK24OQdX>)f+`sR$K^E=p!xTZH_k{>rYtmhN
z3CdW2+mULuvL^jE*4$>s)!_%<l)EzwCe!P0Lj(?U?06|N4;Kd4%hI>QMYlh2(Fmqm
zn8~)|*@S!yQ>VUW23^$W`vWJO938}s^Kp{rO`~dURcpnvW3f)BKagB3Pm4o+JpVdM
z<cxqSd--EeTkeS#&ykk42HSH&oig~+@2MsqQk|r>y#C<o-XERz*Kavo8tAU>N;Y$>
zVxu9-_>a}vdVlae;kzBWGVlznudjTS%|z&bpFb5}>dKm}QD@Ii>(H^`e|<27!H-|n
z-SjS0{tepS=pjCe)(}ZPriNHwmpl%6;1tvo%_vW$2+<(!pC(g?Z_tQT_$$9okSI1=
z_RWvXRwWHgA^taCad*Dloe!d!4*wnsb#a^j379PP^9*@@<J}CO&x}&j<u4I8Nfj4F
zh1~9(iMBuca;j)f#%Yo^LjC=ADaKVzZ<aOzRppmHOd^=PGHS<<e<G;)ioB!6Aw)r)
z`a!B43+6EcH8NC2JN7VFkr1fm=K9V0g0rS;RqxT>ljDKd(p*Zv9TKO58d;iT6`Jlv
zotMKpBBKX}*htoNH_uA^8HEjRHKm)Z9Ll<9m|scrbJA&4RXb0xHU*q1b(MepC7<BX
z2GtZOb(~(_!!)1=-0qI7b}oL@y?i$TwEC2mHz~BC!m2LD_gC^Zrc#+eKQBz716_y0
zZk3;Bvh2au3`%!wZ8`=)&CcLELmWXtlO`c&_tU=!6hYkho;T-DHVz^clPX?aGAXWB
z0iKZjm9Iw3WSn+|?)huJ$^bSZ>HdvOU5Avj=?Bs2ULKz=CIL_BAHH70WOONsEoS$u
zY;)e1@B}s9z%}xV;hCX)UaQ8LvHq8cC67Lj02{jrq=(Dj8hmH(dR2?Y1uUpjlYbaK
zeEd>dt|(}8ow)Z??5}~L#U&(V`G&?f$G0z;l?v;O3T8~~Lz(4#9bneor=P_1Px-JO
zykx(!pZ|)-5S6InfFX||lhY?kLRq?vKGG|1;XJ_SHA(aJz1H0<BtlBz7XzvaH2xU!
zpSjYsQ!(jrvEPE~WwL2RSDMT`;D#?(RDhs%=)Hcm0dA8;%0~r?yTyx=9x~xC*G*FO
zpUb|wz}6O|gB*KROz?hk%o5%K_06TVK(sxy#o$LiPCQnL{*loAqZOs69W7FY>+m=Z
z-~85FfWPpm=DUQ_!9<IezxM#$#y6S*tKTK(uR0~`F@I&)u$k|n`pP2a3lV#tKpVd8
z>@XL4l+l_#AH&BQW;xQYQe%FXWa#=v^m;t{!?0w9w^n`3zQIN11dhi)AR~pZJB7ll
zJGJlwGv;A-8wjv%{Z7Ct;XBmBhdG--{|s95*1#3!O{JdSB$iq4`I9{1c`AM4+3MBg
z`*X2oQ*X)4R_~u@o4dII^c7miuOj$y6`w5fHw(aRT(x#EF}`f36Z#=sKWpM4DYo?#
z<<%T#xBS;8s^a&bjvREenVx_4n^ZXn=`g#>jV8Vw1dOz(rVw+)NzdU#-O?06$xN_q
zF2BB0b>>I1e{g_E;dSj|i$cm=gcr)_fJS1HAaO{^NyBGft!SQK?;j1yPl)HpKGkNJ
zi9aJ2W?8ai*vwG*WUSaT3}UyDc+va=mPoE6^(LBZk-R%&s(Q*KbB7-#Uvf7r3n|A6
zTV3u`(%oE><Z)}|P9NO9ns8`Qd)>0RA@tfuJNj+*+?&S5+<Ci7y79@9E%Q?rd<yUw
z%Sv5geHhD^`E$N8KJoH?9Y7y|`9tl2et)Pv@$YWM&}7kKd)jK{MK5QM<<kQer__1<
zvM4ZCDgQCYYFSL<4B;62d-rM+JwcSY$!j+lK<Dx6v?X0$jLHm~x$waKBEPv`cr6B(
zfA)VZn4nZaXTxK(x1y_WDoDt#oDI#MoBUvTSNEe-XwF2(<4^f}LoBNf2e0DRDIDnp
zofm9$Fk=^lU-{z`x*p2@LG~LnpuV>f{fqZ=<FgMeMFRhL5bpSdau~zOJ(x#y$*cjW
z27Cs?`A@f+=Y`S|G4SOshC4>K;=b5U@t+Qt9%81dizt1=f@nkbgg-3E3ITZ!S8J1>
zSCKE|-(S#R*xM1aW?-hSAR7F=>BX{jT8sc)^Wn-_$82BNFLMy)ZO4wKsMqdmp&r|y
zzlz!n?aN}Kug}HvjiIsz?_a*I*Xf&~E}!FE{y18z9g_KKsT^u4<mVz{j$65HMjQCg
z-@!NCRh98w*i9xqkWFqJ0+)y%a|VZz;q{n<s$L~X^G)GDGBxb+5&D5;CJ=Y(d}*o^
z^7_s=_wlLG0-5ZP@Qf`J?+1*(e2}9y@~YTBqeTd+L<69421w6;QC*#%LwZmL1ha`A
z$3$aSqN`tF3Z<bKwRwF=Kx1vS-jMd{DmzM|z%bR;_Ukq@)jrAzUVm@LYkz`XHFaC<
z@+R6^<-Frnt+YYFakp`ST=T(v-GW(LIqyfq&n>_9@8t2@>Ra_J$f~qLT(G@{d#~^_
zWMwWuINXo^i5#U-WH?X<ivXk>;hQ7<Ate<RY|yfte@chn>aH5ei?tt>8Z-qAJ1R)B
z`kL10-EEtD4GOuq)GJ;ZPhDbPj~yt=_*?&;6C^#&$a_gE&{lfyAY>aiD--d&{S@2F
zw_mEOZm9T6k4X4PI&FvG1teA5wAlC$!xHIKh4)88y1zDxn9it+2{>&cS@?jFLfB{3
zf!LUuirG>pmtji(Q%V%H3%>k3$Mi#=yM;WED@|^Afwfuj&-v-sjk#g-B)2%OX3#3r
zj}A$VBW696;{k*x&OO0J^3u%iCz{XL4fEY3Hb12ZDxG`xjxbp07MMfzIYy~!I9Db9
zx<vZ$!!>f{o6~I_2eU8PB76kgUk&)xBlCTI72+Fi39Duggnk4wH%v;#EU9i0NSC);
zQBycf6?s41vt-sys#KG<#JSLQ+iagPaQv`X<)qp5hI{kq9w;VF<-$a5vpnKE?VrF*
zXye2dG_=95ta*%8Wxa*VWRUHw<eLQfUJ#5fq{!s8l52Q)Tnw8b)kbpu6LAbf+2_lZ
z{BzZdWMxp4RL%66q|jSVQoZeGchc#&-_`(H%8#+0!za~H+#+3}Vmsh|@QK8IP*}qu
zA(Cv4T5+H88x_vfy3k#e;N}Ku0cG;SwaMj2)__s+X`c#DsJ(ti$?neE>4$(<?dpiG
z?~R+x%oPiM8FxV+i?E@U2zQg5UG_9(qFK(c+n0l*%rW@x=Vx$Lu!n;s_9J0_gB6w>
z%3E)DWH(57DyFB<T^2e-HGkh8_>pY1BJs$i#N?lb7ZzOb%Kjmn`Euk{;EAur`-=-{
zBt>z1H|QejKnt?BsEU=8;2#iP%E00GqJamuqxzYFL$hTb-hontYGzeGdedrB_;3`*
zsd-Xi@b||9gMmXxN{TPE&V!sj%&7)+NobeTEU#j?vE3SjtA_H|ppT}J0K3ue*AtE!
z6CDKyjSr<WSrdoUwVJj~(pzquTV>wUrBtR07CY3t%F*n8ca3eXU=0<2w<B+&p>z&Q
z_~J&1`Za#k<_zQ9IE5vTa^LG7zb^$}vAmL8wkBid0^Bq89{TW4B}iG^?-K;5t;XsY
z@C3e}2B@nTo299#(DgrF+a?V<gEgt`D%zO15JiFDSXUz!ZhbKM^xIeakLuj=MbJ^{
zb?)pBvCVI{?Ru5BFpKvi)y=f)av$R*r{ok*W=F@fI>%<;%Vu@)0<igW!`-H`Rge0u
zR_~+tG#mv|_GK!+)LZ-_wz_YwWih9B-eL^__gFPu(#NU~<l0y$WgJ9STvQ}W9ig=X
z4ZuCPTd)yf#%V!%5E^^^NT*e_S<9lApX<Z*uKIF0kEZl?W|ICef0#1ubvC|m7uy_d
z@^hXm`4Ic#m5rBZh^GIot$Hue3>!hmoSK@tyM43{VCDc7)`AGOlj^U?9Da;U?A2of
zCBpCQ>kz7#XJ;oSaC0;!{z)p*;yMDxUYFg@vAX8;%7b^4j;6sS#me{!&G3S=$!9%F
zug<$9h5SCwj;dM#w+@T;{GrKPE)%hZ;M^k;Av#8jeH9`4bDe8g%BtYQO+uUh;pZCD
z)R?Rx*4uBp!~WWrXI8|nEn*>-&)aw3r0N@kKO$_#Xmk1vsbbWSxO8R+?L<umq?ulF
zdBwm2<4WytA*4Vn`M@zylmKxG4-4yF2;sK%;v}YdHx+jEi4|sN-avSNF6wSJ*9kbM
zd9PJ#J5TM=eV%XNsuGnL4`sUBRO1{(8;+RTbX9Ox+gYMY!?h7}5!EIuo%{{rN&dJL
z-+Z;Ln28uYL|CYP3exc4clepX+6FC{7MwD6o1d*x;cGNb^Yt%os;*uzW!azlqo}4r
zqKNIWk&_{sacDx*eB75|*ZS9cE(=7cxT}3xSC$GOMkT}XRR+5W4_QZlw;>}UItkWF
z4$S<Eu>+k&FjtKAZBzEEf%|SMl4d<Wt{X0PlrS|{2K0PItSd~pMz}oQ64ICf$e&<M
z`F0e&_BWtqO@FWm@s@rK+T1e>G~=pnvF}nv$T0o_-iI|adz~AO%_4F!><X@<);T^5
zIG^GUtV@irKK%V?MU>3IB_80hak1Zrq%4oV=i|Cze-vW_hxWpmT2mG27bS!?sEAG<
zS(Qz<wd^u-I9cxBLc7Oo1uWpv9w<*@%B`@sV&VOf2@1zFLseU0yG_re`1bO0%<=Dn
z{$44dS<LY15nnAjstb7wdjT_2H;Pe5|H`XMXFF^h|9?i3D+aErlOeM$z+l!Qm#l@G
z1b|`tedDD6J<QSv{<gK>qOCrFq?QGWgtDl6wybMVT3*h&v%hcq9djJkH3SzFi`?j}
zxB=qZyfh5|(pG1+wO2k*ThZaIYsZKt%`%eR@cy<umNVJ>F~oy!bgnMt@a%he1T=h|
zm#gTVOfa31R~0k=%F+_c;;+@E=Q?j;+irzY(^ju$R+~+$JCEfjAK57&X)ZPyY*5}?
z<>E9+2?!9zowtlrPRtjsyTZI_%UB>lM(N}eQrRR&4%AE%4lJm&NNB?ipBlgTR_mTW
z37Zu_UJWeiDk%})(l;FGdNx4`8u>wmbB%2nQ$KL<g#;+jVTT{~k`u}Lgg_}rVSB&e
za5b9`G;KvpA2AF5^*aNhGNxl@lxP(M5q(ca$<lx}XN%dmfh&IMQ!WhS6AQ`Q*(OY2
z{Sk1POA8wk6W`-O*!jsxwN_1}+<BuQ?YlLbCSBQZ7~NKpd5K%+*PY|8qgqi%<gI*V
zGoDM*oVrP7jP)6&Gr`DJ#@P9*QKPNqyhIN^zA=Sqin4!Bt^4QCH*9PgKnG{!`Fs0E
zM+Pju8tXSLHNM2K_KYx*mMf1`_EMYLc|SQ{PXPJp1ugb+g+s_57S0?KGD{B3A%p%#
z$Qh$Adea?1vLk{IilGg1VaXD)5{3tCNU+C0-A9i$1~#}7fjOvUlP4cmp9#=qMxf%p
zo;r}Am72(iqyuG}A7%sp71+10$${WobaxJHFtwAzjDYa6L%JksWbZ)q)Yj3H<`4gl
zggw*sw33K(qYCqnUry)+_Pfaf9czsAz)X^1oVI^1%Kvw606FO@Szb1%8q>l9&&vmT
z__ZvZNZ+JOQMY<cad)KsJ@EfGIfNOgMVy+OBPtCW1ByGCp*UCkPr{qLWlxu<rg|Y$
z>?>mPkE-wAm9sDzy|l6=z<2`Dxg?mVVg`IdZNgV9c$M4j;+GMJPv<NDEu;H;+>nC<
z5vpyuqXktUmg>OZGH(l;MK&~3?QW<>Tj2}lf52P*ot_J)GER$Nz&P)kI7mf43+CnR
zx`R7j0FCojq0|`Yf7)_F|BH;|0Q7JDd~0-HHIyK?dj3ps^nIKA`S<;psHj@wm2Fj0
zgn<w0l6uAet6Qw8jk=i8Oy>reeH28<OM&24xA!m5xIIa<xPNKjB6`~29Ou78k|SS5
zs+PJDg2!nA!E{Sy1MMq}nmb^b)ymp<|E&rDaWz7lt$iKej&w^l*8CdSZz!#8YEIy0
zf3?^V!D!BZ1mLeg>UM&(PdxPq<M8)y#rFEZQfngu*;@c$gfXYackLn=Fz^3y7E%}q
z7gX9@sbUq4Kp3QMqEt+RYs5)#1pe<aF#L#QDkg%+(2}v*dOI+s-GnOtyb^rm>cVa^
zcg6q1eqZ=>>4}*cNu7_YE5-G;Z{C`5E}Q}gH4~T1)z^~%lpgcUJj99hf2Br^&WJCX
z<(*lLH4xU6CV$<1K)w_+Z5tWgM@&X$&Z%LuY~T&6zW=}70tttvXew-4ySmjf47(Ih
zp0La5(2Ac?eW)vfxxN1x2b4B{264~k6%>T;ygl%`eKKd04?#SwueHy$<xG}mFioAF
zZtFis|8KJBh<0Kb*GV{Ri_gLo+NA(t_oeRf5Kij?>eK%}b5>DjIlD(jMpn6Flk1`Z
z#KMIw4Wx?P`d20LOke(QwSU(G*32p?i7a~C)h1{+!I2NC|6Yb^E{PifF2O@Qn;!iq
zefkf3$f-Ju-vYTRPHDhxlMnt?-Gac(mK@#p|1exND>s+wBSx;e9aSfCX?@dF*I^;x
z_OK=IHFw$5m;LPrfnD8UY@b)^lrYj(0Tj)58~_~*0GzfD3Z(I9z(++f#viTxo5%i_
z7M9IGnM(djaJ@b7|N8d(uDw?xrK?N0kA~tud;1tzCM6}3r44GmO{4kYCW{K`VU+%g
z`9Ct0Wd(}rv?dmOssRXaD+Y+cNQ8Mf;%^1~f5Z_v40w^zVz|2<0(>b@6il(*u-Q#n
z<%4XGC;zwk`0qY~>LHauh<M;M8UPbn`&6%i8U7Z5D6)5mKRM*Tq#HKzE?sA^?nO=B
z)*#T7B5&V=El&WT8{>TFPhUi3{U42pT-yLgRXKnAho|KVo3ikGJAz)vvmh}_ihr=0
z|FcZX7`T&=twxur7eUC<vz|<E#XBY5%vr)f`~E`}Kzp0O@N2ak$~EW##=OR@2Wxen
zzQMl0I>yMc`tOmW@qoV2Ijs*XR^8}CojS;=B50*75;%JDza;#N?EHNS71#-WS|!aY
zh&vj9Nk(i<;>7xwWsi%rB!y{37q+kSxB%c-n~UAD{cw1%S~qt9?x^2?&k5u(;7h}l
zU9xe21;_xm!C4SNYc)B+|LR+4Ry*kOIuagy!IgjcFB#$SE3Mv^$`FpGi~duz_Ln|c
zW&j-R6h{NcBq>E8{_cY0I#FmZ04x6AuPv+qUVC$+;^PHUFuosTb?7^-<YoK_8naY;
z){kPoZix?qhd6pG;8?7d!qvW|{Yz9J@4@3<*C^1ToH<kkcpg2*h&>pdRGhlx-AE7S
zE1+`2GPn*Y0D<{V<Ei7iN3HkMo#!xyKwHpy>>WJdZ$3cv5e5R(H4PZqRDm;P_S#9y
z5kZQcaM4F}7(^Mn%p9*n65BWWPl2s9+iIUfiC^9%kh}g2m)YP+1r{fNP0dB$5bUl-
z)p^@UEI49^1kW?VGjZUUx$_8XoeUc67yE@(Z#J_7tMDCFfEn$AmZfgLI;*$fDxKem
z6LrN1Ks6E<1pw3ws57uyAe$A)+r(0182Om5#LV7oTc8`cbadr4|0>#X<W$Nkb`T{f
z!Y9(!6b5|(JOY3L8znlSEs8h8o|j{U0=VrFya2iqU~!xaEG<;Qi^@P}t$Y*b)4xgA
zECZ0ecS@sE`<J2=whKxlknhNv9|RAO5RoR_+FWb++uk9znPQ@%tWbo-*=UwUf#yd9
zh0$ctNqX(VPW?XrCz!1R3_qMk%aYR#fYfcrv<l$vkvkOI-75A!I`KM+ozY99-k)+L
zk-<`dA|Uu?B2IB+qZ3+726zdhy2*ntFY5>#Jt7kHwD)w1{)%f*K60bITtWZJSfY)K
zGE6{%`hW<Pbt|7{X>MSdgp>$e&^SnrirMb#Bjk8cEQ)6nX##}}=XY_yCZR)+XYQ>p
zrg1v0F9a6D?$=XnNtRuk_38oOt@eErzQ2|(2#Ut;$3EH+-Ukbj*AV~!XEw^aFr^sG
z9J@>#?@K?x^2P4&X_RAJZANi2DJ>UZz(aZ@HZ`DMLhWhwiExd;FtbQY;3!$~={MZv
z<K>zh;s{UYA6d^%cC0b}3fv9E0!xlpzH02k!<T9_r=P=)5xr<9X`7BFmFqBXyy#!u
zgq#oMcXwkaktlim`z|f;68l=UMP_)Rk36!U_rfGPm&!}9mvPg!#+Ck_n`#6-53#p9
zA#>EPV4X<wuK`}@E}HYh@cTDVXCLuGVGGX2d#9iKT_Lo3hx4%)(P$Tti+ub3RCs*g
z^8!!@^zW#N0C^M&u&d8Kv+Pl$A45>|vYn*&7TWzz0N}40Y!kZ}McMAalh!amDc}To
zf?aQVwLpu<oT>kO$zU~~JCgb%;tv6s#junFr0KwOW+Cf`uj(iwPb#Yh3ly|ij8gP?
z?g4m%<?}8H!^Ay`(RNVGdac8+9j{fGA9k2LN)Bu=O9WI!BDR=~s2}wY#;H<UAjz%I
zMUv7ZS~8R#(0HMz^<&$E;NSU1925Z1EG?A7V;SX<Z`s&VLd@~Ll$_u5{-$2*fWxJ(
zt7r}5@@tya7(IgG%W<to0lUO^lw@^S8JTbar%`uy2GVx9%)wx}-&a?@_y)R*$2eQc
zJ-~P>C0M><E<Arc>@4z^0gTv=OK%%<HPxL_fxrqB1N_@o9VjU*Oa(Mqnz9Nk7zI&)
z_c(v=$ep3_7#gnq0NuAfuxa(XkyU&=BB;QQ@nb6~_Cda~kV^rnTN0Mlm_Mp|DOdn7
z*DvqKt!$z-Qu)rQv=c~DDha^f+V=h`nfFprbpuvde70^2tcCmzRFCs!zxntogbc=U
z<k~NR={f}yOV2F_+s7ClH+c$>E6JfZjskm?Bsg}FK8=VTJ|7!#*L{@m@!xHO;$*80
zPk`2aVrEDLgxivxFNKL>RM}Vn_O%T_yrjviRP^-I7I(Df725JE08M5TL<iJ9c9n@%
zzoBO(3145%-FwfxeH4FvQ<GI8dzraJ=QFZxr8Rth>U`BF(qw(1(d01^YfB_Ouoc&c
zPBYF?(;{kq;X0saH}gL9iSu22s`K%pzZ3B^KkG*G3;E@da}j`>oVuNeD2<nB>A_H3
zU=Li_nX)sI0G!!{Q{FT;gs=%}y4q$pI@afQayBDK8_*aas{S-%nKY^QiC}eqZTU&R
z{n7REOCPhQKS~hf=1zU$XE(#5=^Me}JcFbp?nzUN1>ZAi*%ll=XVgEu^12BQsvapi
z&!Y3_g#{1e442LlZHeR){hATxmTQb7?r!5`O%)t0=6*S?;vq;pP^`tsotP?!!g5}-
zznDN;b+KP!tPwJLZW5MU`StAtGd@7c!M2`EqIyr9m@LKU5%_yj&zPJjFRm*IW#So0
z?hl8b$39;=F-@vV6j~CR?bsO&J#7Yx^j?#;y%r&t0uhk&?>S%%T@$w!=V#;xl^(Sp
z!)bGj>dSMbx*)AHTpz1r4gWaOp*uOBl*B!E6Wd_=v81`&5FA%Rv`8#mHAZ$g{Zf2<
z$`4y<-CUUzWXE9iK&D!xrhEBG0ZEelX6Iq{s0JMYeFP($W(q~?_&v53fVJl?fcAyU
zbBa#k7sWx8(nPx<5NL05^Yfxo$ansE!H=;AWUYr9?6s+Q$`=@tvyFv6`A=cL37$}U
z#aG}CT4_5#;k&<U>6I{4*Cm_fXBKWclioRcKUC%Ot+2RRzzsZ$<{!|am;GR`qWVGK
z%TCJjcyC-?cZ0%i1t=C9?r14KlsifI)MLl*cf7VHFb90s0t5e8*aTa^l3w8HFz&l!
z#BaDiX<+8G4|I4Onzj<?Fw=cWP>HpcvV*k4qt~dSakpm9mZ>;<1NG6BTzxrHJ|3ru
zHONZ3qgKN4QEG55AV3Ppj^wJApE?lN@?UB;418U%79c(FxU!4&(DQysT<DF+Lm2-W
zz|fWeeClJ=5grkZGb00S3q|Zs%6i$|fD*zF@56THkGW)*+a-eQ*bv!Mfu>VpsfYl&
zvLlMO$Z(0AMJ7ZAMHBq)I<VP1n-SJ%81_F2>)%{x(D<`lPkm5v*U>_waZp);BY69L
z=;CyRr;N2K<vY*-lwc!{;~~GPHUd~Xe$?3VyqHEc!6LZ5HwrR6@NclmJ@JzT#05fF
zS26GTw&lP0B_K!Tk1r#CR2^xN)l_8?=DVPtswN3SL9o?XzAg83>^8BkI(x#8Go1e`
zS=YTM{xtsVF!2-DGwjQUIRP|Jp5pxvndfcw6{iMEOQGJf4B|SA1Syn}Ev|89PWp>>
z9w)+>p`g$;6?(kFhQ#I;pG;Yf2NxBU@heIXd-M3Xm3!Y)X%3go#iLJh<|EG{xGn`d
zn9(dWqUx{~IFa!JO2?4pp>W`RTDV;J7L?ovG4Sf^kMA%qo8H5HMr^chA}>uq0jDG=
z3-u4;yyg}MWuD3ZA$MnZizACoSZsw`xaz4i<JS>89!DVcS~Ef*yC+M9;X{?#Brztv
zg9igM*4S6vH=$-IzeW{e{4PGx=x5_X;NbUAR@;ZY^S70w;q;KFc(aqgqO4Ny9wP*M
zmQxwwb)gQsMG{D^Cbh_HXH>aJofrr!u+5@_B2c7aFRpbXaWtzPk8om4E({TP=AtvU
zq4CeYl(ceL2>RO)baKD%*BV6wE<%vX$Uv<(W@ct{Q-U`LL5;w^2%loOH%7oMA}!VG
z#7^OZhw|f;;blRZrAfiDYx8a$(M}O!U@l!kgg45)ZeUct&gRA+c`Z_<EKXQ*YJY}b
zH1%-E<V}7<9X$|Tm`JfW&lOKOQZzify|}H%u((pQVsq=6cj^n%FP>6nLxlfIPn(OJ
zie!@2MGJAngKv5W#tzC&?s?j6N`;oqHa$0y@b-CqLCVvFVd|iqtB6zkp)cTe;@j*u
zpNgq-=!=lYxZ5d~HB?5XSwhcm`+UcvMf}*92*c{jCBqvWK5}R(zw_%oj2L#u3pX70
zAV_G8t@}Ql?S5gc+<#NIUHbXErRM_Ti~gG#tjHve$%B<*vQH~5y`P21HsF>^W^?57
zOx4jwRm0u#h)WYk8PeYmZI@?GC2@3L)E>&ag*p4B{~&PqIjgv3TsDY1xh%gou4G`M
zU9vL0|3y3f8|lh|EaP@=X!>@J5X(Bpoo|FrX=y95_W9h-{q`#N#nt&#o`@ZPu?ZD_
znxSNyu*;82)919Mb0Q%+8#E<h_b14BA2tQ8JI*}yjRcSbq29>vK(gm3qYPidc_b)?
zlG6j8Ir8Ey%E6@t@KlhQdT_w!Ce~mh{wRQIyrhfVA)2!%9{>DXNa)SrFY-y@vU!Cc
z&II*G8n&`p4W|lKBG{VU*C_{z7%s({%b(7D7?8qJ<ZKk>wZ&cP@%l<TJ}xzH&}`DU
zGwdyW!PFN35CsNM!?v5+2JJN%QL&U)#hEI_h%P9vN_4`iIM$-by!(%Q&bZTv_j1}#
zlIV+1o9mVfuSpWcQ$+6qB;5*JF0B-rN;%)NBKZ1t2sk{^Ke+&zMYb!qDxBbH?V-w8
z(K7j|52-)VIm&B&Z|`Cn9_DJC(s$0lw5v9B6U>ohU5FbJ_$IOX0)O!zX<>$MdWshM
zdX$0JJ+zgEFu2jjM$nIkM9c8ne(=T5S{$Q-%A7GPQtS{KT5_JdfW5_!?SeJJ-y0nr
zwL}sddzXF0t<I;PxtWQ6x!C`XFnQ1$;d+vCw$4~V>6W`<;lTPuwmnU;!2b>jpP|`F
zyrJUmdab>zP{HkD8>!-(j%E|u=8?mQL4}?NyY9lk@CR|d-|YtV>R!7ap3jGtZ?6=;
zKb7Gx9PYm|yVn`Z4R_TzJPJ=*STp}~YoI*HBvU8rwJ5gvmQ^0-VA*EHynb19j9Tdw
z<CdylBi82fojExih#NPMDf@fi*u4RGvI2Bv9mYn!iVmu5ckbhdq8{O}%k;%{&1ETN
zNM;4p=%xAoG2%~Q(f*dGDW}CQ-Lb~%xvD!M72LI#tVrOH|K><87vq_dK+-rlT{=tk
zB+DnUpeo}6uclwsp>ycs!=$M{rk>~)aIk1L+&k}RFsh&1v?Z2J+7m8v@Ax__R*>pL
zHu=*EgV67Ha=yPPk;?K&qAU+yyG$#rwV2VG!V&8OtE>4;y^JE)HS}wo;r4|GF1twZ
z%ElChEdtX+2P&_FHZSqdtL`e>PfylNcCDy8;o~EnMB^k@^TUdh^rH<P7KB`1>6#T0
zI6b6S8?X$V@7adBE+TbIu(}_})X6QxD*p24=9#j$-00*^?3r->L5QREXG(jQH9RgX
zURt4!vq=4ugk>{Bam>#R?+JM@b4P1Oa}L{QT_a|Klf>u}yrdMnz0ICo_X@jHT~(Iv
zd(&!V@4d&szk^Uh>m?n!EC7}J6gv=T^&=SW%_)8$Y4MDQETw~u{5HS4^_FHxLaRlH
zMCxYQMiQ29aindFJQTOZ^@$60-?bL6>d<LOrPSOSA|P4R6~7Zt>=~2Eb9GP?c&4UX
zho#(&ApcDy%HrFACrZobsc)x8o51J0P!p41<M};F`^7kwBqPe(=(9<veM0<Wo=_KY
zD)8Ze_ZnJVorp_Nn7rj?U8o`6CX7NTfuL*HhDHX61}h!;l|`eZ%QYpx-kojuFwzN>
zoEDz%#rx#v2w*5VDVVoKYfM0_X(r!<Jt|uSYK*kxqeRD_9#UJ9c*Uz!Z@OJVO7}UD
z-ih^(F<H{wDyrMpMsc-oU301oGnm$*h75iBIthlvF=MWJbX-hz&-wD>Yn2(|SC3_I
zHN+YHn#*E}L3>go8x~uJE&Mj-SU;JQP4KIcWumy1YcviY2ER5dWxw99n{FCp$v3Y=
z$hO`YudKILpNxdiU#FE-Oqvvlr~M=aLp!~|lm;A9c)wcfPJ+dhjJ)39`*9<EEV!}l
zdZ8}~iPh3l+fzd|Eop({d+qofg~HzUN={26vi>Q}r#jP@iRpjtb^0)0{W+gh=hPni
z&c0)m#8_zhyma!*kfw6jxshz?wQj->b>fcGTYeRFBk3@)DaxR>g$)`_|H8{(_1@`x
z44o3aft&Hz<F<V777FPrQHMfmGg!Vb_E+upJFS({Z<Y@DS(MK^DJRsW<#>uJ(-{$(
zJ!`o4yFe^N0g<m-g5rF*Ole)uIhr(h=_~bGT>s#`a(;dOYyX7}WPlnz#DRS|3);5u
zk^$VO0EOzIDDKa{B};GR5Gm_$FWbu6ufo&HS!_Q0l^3Ayx=L47d)=Q^@4Cr@miXm1
zqs)^!(3fMT{I$kg-&S^a=&{xl{jVpDDhx1nDT&gbDl0lz7H8K~Z6}(YmX{`{NXM$C
zid*hU;^oK0R9V{1Z~l{Z#C0IK5Os5v8>4#;55G7^<}LI@YvffU)hWgiAV*~6kR}T>
z#1OKN82PKzASEL{D=u<b6_6vT+<RnvXr~a!EMb7&P%da!f1l)uV1d|br8~wXzSebB
z%~|wjRFF6^tG_WeSEIP#?m{W6bYFe%!h6f<eBT?p1BEiVz(HunObNo$<pj=rc@|te
zuR+B_RgC>yhhMjSzazIm)s`~DEoZrCILDFNkllL9I0-Fty9&`BVZF}nX_SAFt8!i$
zy?}b8X)LEM@rIhFeRatsnYa<k1A+amRZ;b`0(YBYy{Guv4)}~4vzocUr!=6QAz-lx
znpBkRp3~Jeb4Qu23R(_&=CDg1cs`UNG}zg20Y?R=FpRE_eM1S1!^I(-rL31VDwQbl
z=&k>JZS<#4Yiiwo_$S;J7Uq%I%)vsv3_7J1^`WLmjm<h0uBMW8T*W1U$eM@#d;`8<
zv8B@`BU7clIf6z`0QSo{qzYm<51p4XxnZ=4%5h2Dx#!iCs^+GP+gIVV<>XUvhb*(k
z`*+JMIqB;z9H3qkt;oDB)QnQ5eI!6zk_Ek^Np8f=2@J#s-=%Z+qk3;s0f`B^j#`X&
zL4fyZj9d6oQDP@?_O_C19V{lDb<@wv`Zj5}e4N~`Mo%!d+B7-c{ijj0P|T^!O^VSX
z7UrIq@Pi*@Dgu|Yz4}@4N(I?$S~dQ2Tjn_fIlvttYp`+pb?bj!-*}trF<Fu-ZVbP5
zWh@ia+y8#fSYpRaf<T=w-(~eulD15#Oo0c(N|JA`xC6Rr-=_PbHX&+Fu}whu8#+Ky
zIXE&-UPvi*V1PE0RSugjvRI;KWqUOO8$Sa41URZ&bC7*fKU@wg5OE$%jhS4$pw5gi
zog&+yWTkZ4RFs4i?m-KD)Pw=4wp`K!{UA$4y-8uA^%;MYF7D<H+e16I{gTI)y;3~{
zcQeV<|J*0;<D23<1Nk$F2QS+B!e;;Cp_aVH425gY<kKS&4kClYv#7*kTdE86L3<lD
z^)Hf_>o7$l0M6<;9nmrOrd2XB^G0CzR{`<<q!E9MN*-$f>T(mKG0gLji%KQ{$>MPk
zN`Q%GU!}0_PH>#6@7#xV9Te(*otJS_XNuU%v5tc~I59RaYQ}nxwl>9p=%AT2vvc8G
zJ(c8Xo~R$^^)yu}cB*>xlwsh-#0cTbbd6r8n&^S2UMVJP7wg{fNgQG~m%A-p4^$E-
zJO-c0wh%z%N)gZ=^6YVQUl_fzIys`zF~+6ghDuz=`?Scj6gugB!$XcJ?IZZB&L=k<
zRZFv!hm)tn%2F6pE;0t?>!M6)Vzhiy8MvxJt_NA%=4sSr0=4Rb#63ftNh&z#V+$@b
znngE&cbwMNR5^61MG~_;I_gZLSL(D_$?`#;L4BCJ-jYLije*4EBB5WKpp5>Mq<Qts
z>)Zt7F)_40@WM~)HY|x}-3J7c=#p)H`oal^yqgsQpd`{)y=wSElnTMqBI=3}QAd7v
zDq}zos1;0VBRmLxv~!lx9|9{9rV2F&6cdI@ZpUZzQ{&M!n7fIeqxW_>WoP@M@TZwN
zY7pM!ola+9B-Qskcw>}STy_p}Wpi@mM!iSRDvnCJX`)TEiu=RV5qY+cZ}`K4rr_pe
zw8Bc?`<=d(@+1nOSxv-HehCj$9x&iPAc0Q77RekYxIymZCfhF@DM6#7bU7h@FwaTi
zM2jPMi({Hk)cHu}h21^t=3w1miFV%M4ag0xlojI~PpkQT1!K2_9dDb@%XoB0#?24k
z5jbhyCp1R32`I|H8Ot`nB%LX$8e(rROt7HD{77V`2L4P`!otK{S$=De-S(=aIQS){
z;^tNP9m#KRu>i1r1v+h)M@WE!MAsRLwb4`Lz`z-lPH5L2lkL%6X;nkLro{Q-OHfYh
z(2$CU>@g9U+*9x~F>)!1pEh^{ExjTf*Sd*LOq12yD0$pXeCkGaj4G-|(gf`i#M+yt
zom-`r@wRV6H;e0y)q6^-Mf7khh)2^7Gb&4m+O<dwei|Ky=x&61`1PkE@z6Ib7z~<x
zbW4xo@;6;j!n9>Wt#wUow`DMOv$9+xoVBh&%O=uhbcy9^yemOC-+jJ2RB~DR?U~0V
zoOOO7Z`rGShmI8I#gbL)6@}-xfW9J+_Yw4pcuj%;{)Q6>8fJbm*^mUsTw&WAIU>^O
z4a)0?R~E_yP5Ef8@OX2IL+!hTwOh5D<e8top8Do}ohQP$ZX24z%c1*T%ZY}qB+@j{
zXSD&J+NnG~N%@RtTs7RoOk9VcjjzC3u2k!Q271-&r`tE5*LG0tUnXT>&*F?eWfsOr
z1lP-doZ*+2p0-<yVNDP^rCm~JgRP~9o%2#SRo*1URyn!MY>AljuoRv;6-ikRvKkd4
z@l%(UIExWrg(k{7d<}ZMV4UF+G~4yo)z_9(daib#;qG$2zZ6A-3~<6zJ#_fO<9w?n
zY=8dH=0##Pcxg<7xpp(vBCQ^oLEtuJKOin%>l$tVc@SSf9gMLkm$%j|sKLjlzBUu_
z&P>ue{WD0(mA9fTn6COYV^_xaUPXE`r7dkzIqi^VxPfshvi!U)M?BlKeo{GKMz5S|
zIsJ`{*VNmxk#>tsb>NDcBi?I)0FwBb{;WY?o}p-zv^WqBx$z^k2X(ktHE^4V5)MHl
ztkYz+7@XBwJOtK-cH)DBnIdF_TtW*C@SUIPiY?`C3(=vEn3~Dixv!V#sjW*%w}>wQ
zqK;O-TUWwtQ+o8k9{2Ou%$@4au}cC6?OBrZ_s(g?DPPS3Mb$d=*fXys%_9{>9QFVk
zin2k?l9h(kH1x4Zs{5m>KD-;ZgOTm;D8e%psq!nI=Q6!HRaEC`_P<#OM88im#aj>P
zwiu4t35LD~DH+rBgnV*BR%`Q)R>e*i=~MuGjM@a&8$|e96hZ`tIP7`*2Pk1SY7iv-
z<)@1s+xmAZHSO`3Yfar;nzfzrLhYNg%KW`i>A7=%XhtR|>`3Uj(rfKCXE&AdPDeE^
z3OmB$#qt~)W?tax?$yv(Puq8IxZtw-`59~B(yrYQUA3){s9II!^yZw?5NHZJek<|k
z#l*>uZen}ZDELtH@wO5hFcKYr_B}nCFW_*YuT;qnuTO>qo(|zeZG*uaa#`r9c^s9X
z&`lA3i~VOe&Z*5l8WnwRmtgh^W@jc`)Y265@;ttDG$xO@<J;fr3t!89P?+)>&*uFW
z=&!Ph&s)s1yfcSFe7>xWk&-a{*w}iWG8%<(Exo5`zPYwU%Z&O#{Tn(%dCAp7bB4m5
zqsFWsXAyaT25+v9YMR$ie<kB$P>Ei}23pShyrhOTARYjR40+|~2>D0@hmfpoT<E|D
zpV7!H`5se*{3Tch_{udm%S)46$4Q1~cs?sL1+idi9@RB%L+R(?9+riR>Ig{D9hbME
zLnoy&e2q6;E39gVh7D^cpVGC6Go=<86-^KjWo$vlskKL$M5HD&zimpuKEn3rN43Tl
zgN7tbemWz`Z|Qu0w^Z9$D7ybrjrdA)Qm*jFQiE4D&l;T@W$|HcY-#5{!CRHgVp;5k
zB9z%BI+*7hj~E)DrB@)aJ|cJ!C7M9yx5ZzSeh`3^4CaFIKLtbkkfop=*1vHIBqb_s
z1PDazy94x^qCcm%hxMcl+FE^sFZ^*ZMQQ&MC5+`zE5MfZoi3esKNeHNgmSL=xK01X
z7Y!7S>hDV`QWgRH;Tubb-6%Vj)cqyR{)@)4Va<s(V3}lr#NS|vb4v+T?d)O|ZoK5N
zz!}<!N^T5G%RO&b=-y3Y@6Kd^c1?)Cc3X(QPTQvqUQHH@OWWkyU9lJ!H`<oDat`c}
z63N{8H@)hmrbyCAVxb+#c&$B|>rBiK#qSgW^XE?kaiYQVFu{XJNx-3&n!c@E;f9Gj
z1`9u8&^K&kC&rr`kBHrjOg<t#{?jKNECoZ>@i_H5^BQ^z3%|qsg_r`&YmB9@P8B{o
zwENu&O}<OgiWnj)jZy;cFv2TN`HjmJ3OOy9+fY&91A>4M7O`6JEp~DIm{)@em(NRl
zkkgaqNO4Vyys6D;nMIJVM$cCfb8_=~&?s{K8Ch@P>LAfj>64|kS%jyoB+Xo_ww^us
zf@O|k9Y1cXN}6fsGBcTRnAY#pd>O<2uK|0t0`KI@7u3_bb3&TF#AYuC>F;TlPhlY`
zIOKf_@~coKql2y>EEHsDP!b%b`<yJ?R?g+A_z`(514v>_Qj7~LAL<@17qL3zB>vOb
zqRGzEhhK)mV2nsGZJbm%JyMejHR4@w0{zdl$#MlC#&(dQ(B0m<wAa1NvNN|+f;%l+
zf3{IBUziusXf$|pw)=<Mi)&}xpJm4@CNg=%+5d=OvPq<@QS`HrIk#V}qw3=QiMtfZ
zC-<@Yi0a=NerrrKIeXqGHQ0=lPl6WO8f!n|BG0~t;%U*7XT65QEMQDj>UV~*=NSV(
z7#<0mePH&2URZiK1N2pd{Tao3)2)_YSurxzu2xFv3fqfXMfRmK#uxF@o9bfuaUt_c
z#ZUQ=m&vkI@AP9T^y*t>HH%c+h?j&*Rl9%ER_&3?gdyX#%f0<pOBDR!jYy{-n9~03
zVZt+<f^=x{jQdXV({-;vI6Wl6%6A_@$kbF2y|3kO9q39z@2$wmMFv&`sx)~=Vs{;X
zxUBAab0d@`Ta?aOd5$wC^Y!Otz1y3qWhI@=Z)fCKnX%DnL0sba;y2HGXVY<686!(#
z=kkQe?BxLc^|Bt-BqBWISP<Ux*Y7_NB@m!8aA?)4<KYw(G{(gY$yfCNPW786vN@Lr
z3dP#;>Ke$m8L@Mj&?Ki)+Pi!p9q*OH-E4k(VI_@WlSdca<#t=Io?PPGTY^+y)QYl_
z0BN+661dT&^V@5qUOJld<80}EFU$P?44IH3W};ya<rfNK1aO6UrU<8@6=O&#iHwYp
zOqJXv{JPU^RM;juH8>E$?k?C@{?;ro&K#s|yLIm1zC-LW9r$(*9yh`b#bO0lJSZs-
z1t~V*d~`&^J+-nzbb%{tS$>zg6xYV$Ylbbqz?7Mw#=lqqB96yec9qdAd%Tv{w{#cz
z+0VYMlvf)@zPdTySRO#Pdb+B1%kn!j<G1Po!hr}J*jEOws?xXlm^NP@W9*Oo=<BIO
zl+`bZ9IsvBK!=o&d8pd&uohGIrdm6`tjpgnh~u9!@Y$27E!TFh28;Z*<wj&I#p9y<
z*+?fsh_|Rmf-QTs#{BdI23ql_Lv3j^(oLANKhlve3JJ8aks5{I$l{q8W{k0AkdC&R
zTE5|d&vnJIAk8qkV&8raSfQ_A$BONry>*t>jr=vp)XmZgaMPNDMA?YQo^gT7uafmq
zetA1t$D}1_5eqt5K238QgYZ|@aaE;To2%z~@cB>M-8Lv%m0#GHPiU5U@<!C$0P%U+
z#y;EYJe`g1?PB;c^^#lzbWqNh497!q@1KQ-)Ha#cah|q6TnsxLGo$57&5GA^+E75x
zDwhTV`ox~7A;3f6f&d?*6Xs)F(snwjJ=tHT;0sZLb{c?qDdvWswuJ;Hpb)l@QCJ^?
z5Q?YVt3Q?}$m^Ysm?M0@ZqrqIFmI|KU`y7*a;$IYVmaIHTG1Fyyx3X{xim|u;Q2G1
z;LXW#G-T2H*15W5tf@_BR8>`z!OcUiKw`4WpCzxk5HB<E8BfZU1HOii&<itsziLZd
zmSuxy9U@VJIPV_5u*z>|-qz)A(XKc4Zeym~QbXb!H6?<gsj_SUd(#1d<c2HJZ=~!P
zf2Kt-74<TUCoHzX4!lSr;N}FuA3>0XKLsR%F6>W6GR8R*fDrvpUX3yrm+qr7XB!nJ
z%<APP5j*0M7oU5$*hn|UG^hvmX1D})1{s)kO3ZYN8YwRk@&{aH8uHISh}hXihkxNe
zLMdq|(a5ubwCblO$%spnA8%89`dZ<oi)yvM_Py4~2HTF2F*iE2#SoDw!!pa9cMdu+
zKUJjrmERTg+@_6lEk%6T^?tQJ(NF`sjlnMS){#KA126YCZqBK;e=6%15PO0Hk;jUF
zg2vq>zuqy1psl84*Hl*{6KMHs+kL|Yui+wZ7{~@?d|lV<B-6y6?L>WNCh-1i#rs&1
zgHz{1{kCT~X1W*=)JK6F{!{M!8%sno@vdfhtHHxpbQV(O)EtaKPze-5e5S!!f70Pt
zBJnp8bRW8alVVFjj>z3*G@9H#R&<N<h3sSJJv#f7bd+~%s6$NY6uCYSM-;$qM#$N1
zqmP|hq`?vWCI;>)lQnQR|0K)VKGfb%Tc%b-Q0}rBsG(%QF!5Tv12-1Ermq}{=t-ic
zzc2xN0KhSb)Khq{lj2jW=O3sJLts}*^2&55!^-iio~oxOrWlfM@4;Ku!)cBD#fi;R
zHB!}BIe;;u$D#KPrEgTI;wTP+1N?hpctYVqr&AjiOM<)RQ>zS~(u#3p649VQ5@a=I
zDn{>qjQH0QDY%}-94$NyBO=xK(>3HKpVu4<5kcj&Mu`eExxbk-f53N#0Fwc3_XjvU
ztwY_Hn$qZdOqwiD-y#InVza-ONKn3%obUSz{R6-%W+g7CwupGGAupFlq2k{wkk^Ld
zVhU|~pnenv))Ngjf_p=ym*RnekUac!bZ2dSWBnXI*q1z(57bv4K8Rf0<YA^D6Sc1a
z`k|mJZ}v>fAP?O}Rd_SXgK<3z6S?tI;2Sk1%U^zC*}e^m2&ez7D;8K6s~%^=JM;&$
zhElu@a1c5+`zasUwBIu<H2A=mwV=<W+#SqPY~S>9UkPg&GUURDPVX6KQeQ*DiwfJ@
ztQ4FCguC0#Yevba$rt_;vyj3o1q0FnL=Yy0QdMH%u~|6slNYV8S2tH?#z$1@#Nh3m
zZN{bb(>=|0KO!N|N_5g+M?}R}*zG+h{ky6_C<hQuq@j9yKM&}Qaf$FS@>M3_3ZCMt
zdY)Uc6*V|7nH9W*nEAO`#w&0bxasU$!*AXcB7^*?jnqoXsUEC^6-ZqGqXh_qBLtql
z@>wmR0WJb6b43~b))UYru)|E6T;nFcCs`IN5YK==5;~s@i#b=)wBege1DF7n0S5dq
zqqnGovtDe9&kvXV1rgaD9%n-ZX3MC?Axn5N#PorMKK}`*9+slj!h#Tm)_-^l-zvXa
zHOQ1i=jnZAK3VII@wlvZ>evT*B)gTh;Ubf9m^{LPMu6K_a?SMDm*dc&&D6XeF(|no
zIGBX5W$OOfq&|zg@(uW_ls(1q(y1M%jcQPJ<6o)plj)@Q42`NL68a>VkMVerS2<y!
zS3B`nlvsFLWZF`4Pr&2yS-zP4+Fq<nxyG+PK-f+E>Kr0p%~zOxmNbvC3JkmeN5vlv
z(*K#fi5a7Uv5=a=h)^P)c=kXOnCseY^TprIG6s!1`A(cisOE*}VbYK%Yp#^d<})u%
zJ<(yB5f_IXlfdWNa+A^iwi|n4_(&aifI51WQucV*1X}ibTm$H!5eg%`yXP%s-&|v$
zu{|eXG9K*PV(GG7&K${?{XbAZ!BARcLi{~m+Mj-}T<LMYn#jQ>0{(j^3wXbcmX)F@
zaEY4D8>5(D=qeis(W1>8E*0eg6s(AXT)M0-le=Xnr(|-Z|MbdEns2TVJfDu*9t8Jm
z4EbQq<>=F0HX$$IIzY)yU`h8E=P}QD7fx_qL;t=b6NjG0q+eeQBQp<LhbUwgXjKBy
zGSrgsAe|M-vu+#__tRl~+$S24YPQ&%TC(-58)Q@Mdj+U6U{*Z|a;4@&OED>+V2V#)
zuc~usXvn$wV=NY6hFQSX^U7IW>v+f;jpD`wk1DsEl6)GoulyE>I5o=HBclN+06~zm
z5GrC^+`JEy&G#rHVFwJ!bI>DKjh+Ur%G9GaW}-iN`qG_3q63hbKeR@8t#F%39a!++
z$R1Z90*A`1$&C9J3?o@4E`4S%QPt-QKCm3%3c!I&=^!IFI;VLTq`8u?9gmU+{?;TO
z^_>KxGCybG&PRp4shn2n<_S@#LyI>m<Z;pru}=C=auQu73OFd$fNcEE091sKFkHOc
zb5tNsTS)?&8rsPRj>@?jq$m3IEQlQCQN<+&DhqvBHxS%c*`eSDG}cp;x9cZP=*)PK
zcai`vJxwctSSsw%IB-wWDE+4`sX21I$0vgVm8-%`(3ZdEXf%rG4In>K0BG_8gz+b|
zG6U|L5DV;X3J1QVgscH)EkU{6sG{umUrJ>G-RluanjR3MUeqLIAW9Dh9+!l>irX<c
zn2yWpblw{hv4`#c_$83yjw1D_#<7XWWH35}okOGdf!K=@*`y8Fq4jCj;X{wV@xUt^
zgubR|2^V=_r2|eWplyrRM12k?lY;cfS7|^rw&IQgMEJvPoDAO{UuR2U^!D^R!wZe6
zf_r{k7>Ha09*-LG>Yo?*-hZsn5RwC?iC@Bggg*jw{w&TOw}x@q<?<ps6>MFV?*g$I
z(KDGC8kcj(#xP(6(E?<j*~ZJej)%UowYi$;^HT*VkpUb!7RaB{2=6$0j-|9m=U0KY
zNjYr6Sz?`#6q|aDyj9e^8$fdbzwOYHU&S;A$nm&&#2_Ig3(R1s{MD>txa{ts`X*7U
zVcTWD(P2Z|X@RViuYGHJ0tV{^7m^$x1D$g~M9BH_hF6*&P<FM%Wbp`e6j&^@`5=%z
z1!R6CS*xKs37)xXvD!2i7Z`31YB{81%(OWp-+q*!bCdx;s^Esbvol>;`pUcdHLEl>
zJS{6w^c#RTm$Z=i*VzX=RRTYY+ZxtMVEg_34#>_s)_0{3(x>m_YMT@T>$0Z~yp`Z7
z*V!@+12MVm3kq{6NPIRlmV<yZq&sH^leJ2F7!B9tuF3IXGt5eLA|J${No}6lK10xl
z?G?HUWM7l`MLRA47OrT#iarZvuq1wCLJ#n!4TUh?De_56N|&3t1N(18;3S%XBrGMh
zf<AoIG%zsxh5>FBg+s(z)*g2K4n{3?jl2BG%S&<XIQGH}R%tTW>W0KrWzHwVi2MXb
zLw5*!a5~`ZQ1!#>*-2h)14MxXGt<EBG08gJ<iDh^^sSjpO{GuNO8pt542Ur$n6aCv
zF=|{o4#N|Oh615yY<9-!s!e>Riq|B9JUnv909Dh$t7Yro-RgWal#J%&XMf#`25p`_
zftx^rmxLh4SM7;#$n*)kCI&vl39LW^hn+F`p{RA<+^k_64fc9lD)J$wMY{R0nF&(h
z$(_ybcN>n*LwCeb5b#0@qu96yFj21|2nj|$&#*w{_P``fo-+p4m6tBvV!#Bg@=!cY
zB?B*?=z|PWJT3Qe@s&3qUXh<bJtV{t6+U;>i{t&W(|g|7C$QJm0<rXoIq@3>4Fi0e
ztDrDoP2{omzyZ!nZ*1rb0S)W!?F`HTwr;>INQrz^7l=#JqaJu?Wd1?$8-|0$gdKsa
z%m$K%!F_s?Ce7hz<S)Q)$N2C~Y-0ONhAd5+3E%5mC0&t0NyuWg`$5qEkFB?Ws;cYS
zK;aM)N{7<Y(%s!%%AvcvTS`P4r9m2`4=tTacXuP*-EsHv{l9y^_Z!#YU^oWbwbzU_
z*E63v*V<X*BtXdnFy>24+Q%@;C4tQ)sX*%*c1rj!f0tS{{Oo1^jvX6{Fv|kQB{X7_
z{Q=y%{|2jGA4b!#!4G+f6*djBSgG_43;v^I)<?Xa=v#dHs@i+&`D6wleDOnT=E3el
z@S6$zN$6@p0msPjL1`aC7%Nmn$Z(;OiJ{viAWJ|h;t8|Jp<4VAB;ttsW}%!W*Vv3t
zs^c|O2U(KsNVrwMAGva>!n6;^0K>w-v&q7QwXn&q=$HV8DZO;Pur&<c+}R9tBwIBA
zWtTQFR`#3UC&8Md0e-0ol2RE~<;GAS^ngTS02MPB_;pN?#S$Qz>V*J-nQwAbDgp*l
z@v|Zu6L5MyBu6~vzAdx(NaY^O*MBV&5A3f4b8;7aIjemCi4RKTz%~*G?jWoJEE47B
zI>Z3X;CtSuEV5N`5K-#eXXI#R_Wlr;o_IiUX#hY={ncMW$U8wslO_T*XTZQFVTRI{
zZxAEEL&yOh4jdyPEC){x*6fuj{EV6a6;Y&});q++n6W@)`4ZR!O+`R2p*3#@P^{Gn
z1vtO0>oxG5<iI&#rPe3Htm`+p?-DWcFjNq=2rT2E(Xcy|(VHWHGRRe~2z7)Wf^fA;
z1UVTM5dX%eNEM-A_X>WOH9`j3c#UCwMwu5NGK{Y<N7w5yzpg$Y156T~=ud7%GUH&g
z#<v83VF0}#!_S16jJ&22&U5(?36#xN--D!X$%VFc#XkrQ6u`6C0YWijgw~^Z8!;sZ
zoda~#W;5q$u*7Kpy>SYwEXE1&#g^!ZOP;ojO&$(2l4SIJz__at04TK}+S{Y%YMkGa
zI3>e|x&bX_z?mE}HeH?w3~Pm2KuCTOCI%H4_+y<8eBBi4C%}GpMjYlQk+n>W(`%ja
z1(OvXa5z$=*V#FaXGnCZ>mj?w(SY}mP-Cd-_wl13%}T=HX}ZTqw#gz(C^^g0=YXK&
z@C1rDZXVTZ=EbFxy)uO^OJ3MqW67H|&}PB_KGr&*+|S7E9f&W)_@ML}TK{VbCfKx{
z^_*X5fV4DNEa82#Zo+R6m@8dzmEtkjfV`(ZAVBqjvFYV<J5vy$9vPzq6j=mz!aFJ_
zC8J+yOT#dIp01Qo{tmzKS)){&Q%Qq#^Z<4UFt`X=3;gd>>;7#uvTJh`(>jIY)z_~8
zbJf7RH@y^6{J=F<;}Wn6T@e_HB1fAW!648s84N1KRi*niGO~m&@)~nG2DbYrK&mK_
zF1FgN*RoQlGfHtU&!B>S1E58w9%A|Dv;IIExESDl7f2FEe=f9hagmZ~FlhBWIC3B<
z+h6dwFfiyDyt0A+6A-YE^np|)u-RWNOFLs<BBUL7xjS|tS?-P?8;bO~Nc}-=D%Twl
zWMt3-L(fp8kapLiRNb)yYGI^5nIN@$%(KeFiUMyM#G=g<?XE59rA;-frP>3O>X{6n
z29fN;XVcB87XtFM<pRx<$plC@(J)6#AL}-vlUV>qu6&6>{#^tN##=X%g!|hdq=AVv
z$(I3gV<JPDbWB*pzys8y4O$a93{E@wMO#yAasg~aFrYWoWMGY7hAbUwhMvOE>e$zk
zqZ3|v77utgj~jAPfxq^s(yo?Yvm;t<QC#<)g(68_kW^tn<O2=w^wfuup;y=-=qjy8
zTYn8SlGJ0E#|m{v%aS>(MK)j)LSte3EBH?~JeurHIC#DXh*ocbEFeG<zB6ie){iq@
z1MgIV8<@#31=+RrnHX%K0!9D=n7YtJfeK_CMs@W0Z%(~x4Vp`T_sxe<$E3#Nl7mbD
zSY{wlwjR;;9w(bztFj7m6Vxx-m*6Fw5N1R@%Ci^pLO=tD^gB+sF)5>eP$PE(100Y(
z<cb`|-MHcPboZYQL0DBWPT*j3O^E=nbb*wJ2`k{c04{jK3ShEdcl|vt0^st|5E9|=
zV96<|1G0|7ZVj1%sYf7vu=zc$Nx|Fd<ByO03cAM{W3qhO@0;zaEThBgoR6}Dy58zL
zpabq~(z(%{4M<hpcOR&D;x(VN9R~5>o0Z5^&P7lrTjC3~#mkj(&*7k8jgF^v$&xKx
z*s!Do<#-649jev9*8s4<g+t-WO9$ewm2@<$8?s1Po;=ziATE(CnMw%AZMZ<BG*_!R
zfI{-K3h-hdY?l7*<Jv|PyIG$XKzahqI0U)<uD>H<zp6+yaI*^Gyt*D~?`V6fXHm4h
z2_7`nggMoMD7xIz)R~-ukM#MBw{vQM=m&6x$snQ&u+U*(-@}V#WAp({DQt=WwpJ*I
z>E@P%5nWPT6Eg#TJA;8#K{bs@wDEX+0G@5<R1;UhI1zx&P18f@sTx?lKVZ^4xZO4W
z1XYSk3Jj#24*S=&0^n@)aTlz$c(C<Y)<)t`bjppf`Z73ByP$%6ALoh=vWpl7xQb_d
zz%Ss-xYbir`x4oVB<U3SKtP27^#LN$@ls66kOEoYcn<-EmJEy>1FBIDJuuKVW+6E9
zkBOd0V4AoVS7(p&GDwu18PE%UY|OJk&Z;xBGPVmGR5GBkeYxy2a>BR-AQ(qrH_J2@
z(8^dNFa|)y0C8l~nmm!CDV)OPiEI$?_1hDSz}35ot_0P))DY_6qQ47Y2(})5uUcH*
z2Z(xR=o%N_5kVEd<={+T0#Ioc2^2_hUnMymEHP(C^cMXy46HKdH<-h&T%O^nB!N;C
zWyM!<&@B!C@a?`VxZajFF92~4vciQX#9*|LCqBIif<~lJk*w($BGP>Zw2S3gQ8l0<
z<@gT3FC#FAq%HwhVo6FMV<1ul1o*<Q3R#lsTtI*nh(XZaauWlXi*v7-$V=cA99V^T
z(NVaCzKE*e2#)B8Y>{>fcug%c94GT%>&n^nXT7n;1b}9zu><b2E)~X1_5eCWF8!@{
zFBvS*d5t0T1>iV(Sps3`tG-lAP9uR$Yx*k~UX#G<0_|c5@|sTSl;I`D_((4?|KcAP
zU@pnLSFd@60EyPCe~~0%1mGsh<DnP>VRu$S1V`&dHTk{*FiNe}OIK7769Cn_?uwOf
zF5l3X$>|DUh60ELNG>RV!ttG^38fnVf{Loe6hp9pVZ`wfjRDX8kpfJ{nnb2E93tYr
z!0|O|O{6^#UW{MMigQc3OFab+;j;`d2DE4p>c6>Ib6RZ*Fb-aqf*c;2MqZYzthj()
z;*sI4(Wr{u05<qI&e>oG$hD=(>YeJk)cfjeoe;W!8)(r%fO<{SVAc)HJ|dHe5CK!^
zf(;rvg3>BY)2QQsL_fk{bc_+K(+3l^Iznr-tO#&A0z}M_UYoIp%_@%4rgno~r(l9|
zfhPk3UO+eeK*@_89H5B1^ZU+Dd#YHS;-8HK2C0)wh4Cw{R*xeDViH!&8L0}JD$<?@
zAE}0Bb7?ZG{_WGgE+2B}Upi*^A6^G;{6P|M-!{$FxCmr2w8RK}^c-NqKVn3<=qu64
z`Z2G6mst_v19V~+yqJ!r)g?k(tFcLmSOmYc$6xh0fRI*?jxRmV4zk;w&-O&P-osZ_
zS1V3QLzg#@%La;E+7r?2|5yrKd3*_S@xX=6{V3Fg>?bF+TV57R`1`L^sZgo%r_Pcf
zfR1fi1O;_Ef1O>N89M{7aK|i68~|&DU`z>os>ZLav%$GQ1>FIbnpHe`;peM}qg%d$
zt_>aLFQNg-1Bk{f0El>R0;1m@z6I1Qs5?dvsLme=zN)Fh=PiAeGul?xvD*W?)8J$v
z{3ly8&h)|ye!tA$XTe0Y6cT@TBnRk*mb$+etObO<VD(O--+)K|4g?$m280LfkA^d1
zVF_LRkiC}ri2zCBTtW;PF|ztZ#?sd984pPHe98|tcj&qT{1wW5@E7JN(?eG|g5<>-
z65s>8#&5`=SZW5zl+z-D0c<)&q!d3jX;a<tF%5vE=JX|D5>zYSRE0*6u|yI7s*)2}
z3?Ew_qB8_=G^6!NkSxB4)L2i+{Ov^oW_5*u)YDtsK&l$`$fFOoAc0TRy83n{TK-GX
zG+vQ<JxP@-gofzi*AG@n=x9LOGHnHrQ~1SWp)d%SHA-*4L}mEO!~l(us|uj0y=wL8
z(Ir4WU(KXog^FQa+5#D~Z>p6Xkcu2Nu(mpbN4ViX36)3|7BCbY>@STT3_xd4Fro%j
z>%qnFV}Fxu4rF*|S{0K~do!@2ANu6f0n(6wWP71uQoFFbj#k1`H*2Z8r?q$TOQ^Cu
z69B{M>uFt&prSBbm%lYXp#cVWqy>Hz5P*&J;ZOVVQfM){Y49}6(@PC;8i?GyDN>n5
zQu`Z;P4*jKJSWGJpRb|<q5C;ND*<F7B0`YkVeJ=c@5)$UWM~=i4Rmr+rzVb2HH0c=
zX*20qyfO^Nqp!BUpeddva~HIAqk+x+jH_;Ih6~nITvGw3F7cwv{6k_^Kyw)%mDQjQ
zsLNI$1oGTLnO}>LMCfYx#smsHh&CF4EKO?(dTMqK%i;UjbjN6d>1P>PjLoRD;OHT{
z1T9c$fYAI27%Ey55eYL0_y=p2VH`iQsl^}a-gNpGML-<<C{LymWYXqgybocL(9)Y-
zQd!nvLo?-e9b^SQ#_0sXt2V=JyIG<&=(P_Fj>bg)^v|%f;v%|8k}&{oRU!}I_oFFA
zG##VHKw34ICL|$%E)$V_AhbX*Qbxit{hW{us9#tgf=$gl%>FQ_TA%vVbf?6Q8vG$Z
zXi8AWg+SIdG@Wqg_m~lr8KH9q?lTKmG!P984*F#U$n88IE<(ZxxU<ziyD-q-37hNb
zp+FT@(n$rGjOEcb3I^+d&1=lNz=Ti3nQ(4tG;M^GSY1Yr#PmgAC-ZjBhgRo0oh)1N
zzu6jK66%0^dLl$6N*H`GnlcnqHo!nN)|AXRP;0@!l0tW9TrIoV!;^B28=smlLZ7}F
z79Z?ce5m+DSMPmYV$4Zjws9_H4`25Uexu?q!SGQT#;M|?KN1fX3;=f<7%=)7U<KZ?
z$iMuXY`4QfLy5M{3uV)*jJ^YR@xg2nFe=!#uY^~}?$8fi=3^;?lk~+X+}BZeu$-M?
z-lTVJ{@r=Ha7bOS`_bAbbg12dzlL7`#q^=te>N}7E?WY0Q<cgB1?_*QjUmGfcogH;
z#A+L&ww!*F)LaM{vTEFwNL$~jP5*7+_yJ{d^SbflFQ%0_LDu(7;S9pE0>vt#H|f8R
zZy{N+$B+taGj&bbE++p2w9tR(L?ALk*Be^#4*P$Sd}47R`-;{=LHhf|Fb#(80G^!9
zpZ*5vF)GgA;f&G0y22SzCO2Mj-smx9-r)L`KW+Pf^N!PWI}2C6A5hwoH10^|n2z%v
zKBp$Uf2*n%Ci&)X<pi+2X$H(uC0iTfH$w-&-iJeQE4nf;G+=xt0*Sx%i#iO9Jgm*?
z-vf*wai#y0x&qLN1ym=~Clbs>*e5C&p_4{gFFc^JHGLlu>g4~d)PH`aDZ+$RrL_q8
z#i5}vw3YH~0r|o|%KfjODA4pBMIGQzZK0g!VJK_B61-uc8Mn~|`oAAv)d1D6obC7X
zJ1hh7)<KaB;2r)hy#M~m^C_SnQ!H#VH1DJZ1K50?FdT(p(iE23z9hr``|$u5WHP)&
zmzi$mSYS&in7Ufk&2Bzh%`ukypGiiOlU?i8Upr66-l)9>LUzN!ateo1&a#&LApF1N
z6=`pPHw=biiwG#TFv}C<Q>LvDXsk%a`=3|mBDJFos1B^j8v(oiX4QXcGyi(AVKl(5
z44#VF*#N|X8Kd$=qB*FdU5?%HCBQoTmja=jmh&?LRiZ<Z@E`0D5d9x{7+6<i5wHKt
z4F209A|hV{fbh$l--A}F21QfW52FPCmf^1nKS}}s+JLdngc=}`O%g$$fPSsgHlSbY
ze@p@cDguuC8120r3-SWID8=Fn9vXCq7RLh_|F>0ue*;Nsyk@J;S)}r76i6g9Ec`zU
z>EA!EF)=j6fOK=Eu|eG!*v}fBzYzw)IlcU!u>wTCAd``Rzu>n^cK}RQZddn*|8YI2
z(CyYBEiEk;mI?y8yAm+~6w%34!2bUTE7JZF=m{Pi71JXIWY|>^CzQrudD(&KEQ0iZ
ze*a&SB&V%(#F>?aLV(?zzs0Km`X%)76HH*Rk3VOvGU$LL4KaG{U;6)NfwT|6W6UlM
zl%zH^hz2G=fw3gW@vQ<T+4p}S#{Va7z$<uAAdG038JuRO2Qot92s#Y6GARlJ^yu9G
z8;t&$!3i61a0xi3Nm~UpIG})dVj)?fLTu2MAr)gYctOO!<m7(~L<P!e|AZxvj7vua
z*bIy%GJ9wX%2w%}1Bvnd_j7-x;)PW;d|Tf%f(}B>M@L9Rz!;O<0-P8i$XVI`?c6X(
zg;*lG4C-oy_|V$(X|G|E4HA5iXgyY=c?}uuzaI`TKqg~KG|*W7?j;^*1{9%UjX>*i
zp`My=^x=W3!@v9-2805?s#XYttX>QR$`TYTTSp2YI~NVx>`n+8{GUhtC}EPsgv-3G
zU51rPd9{NAT!03D&77g6xVQg_fd8lE0FuD)a12I0RSDE292G08&_?$%c|HE=Z0(w=
z3qA>Yj8IWB;0*4yGZq0N0z4KbkgH-6AGi<)_J%3PYXU6AfA)lb%%DP3Vdw<A<T;~z
zcT~XmLDlGBN+kpH`dIHPNlU>CVrRoYEmv!(NI%5La(aQQ_ULe0R=9v_-cHMi+;S$n
z`3^RSMfS2!%;Y;DPzF_n(R<mO-RCRf&7b1>P5nh#EWPNoq1KzGV+|HR^Y1Q;ecYdt
zUqf~JBQ8Jysr9lI;o>4<ps-osmT}#R=4X~h#*uu3n-O-*u-jROCT1?Y@F1=Whct`@
zp-Z#Mf+TQKLx{FY_opQWF0f!`;JNIW^3a8Kl-m@Sl&}lzb8$<;vCnvnJ+Wyku&{pr
z-3L@?PA*Ufb}OG5)a_5!W-o!}SWfTz+oygz6-;;_cO{SyjuqYqz|@G_^%Nw#_iW19
zqzVv*iIT<Uh{^j)=FL}vY9=C!uHg3py-=$Gd=C55tZbcNMf(NO^1US^F>f<#I(JUg
zZmlH@C=6;hXXY1mza@S=)S!!gdZ<}$O*^zlNEF4COoV?CA4m3&K}F1waqz&ST{FWu
zupti$4w2e$o9gCCaJj&mx=C(FEicciVr$v|V_~3uWa6CMxCBog&Oo_WmHLzaE(9o5
zO(UyOza{gpKijZepCsn6x<k{hF8fSr-hY)&#2#z_sW0e$WusD^|6r{fw_>AKg2(H+
z@m6tX^^s83oy)aB7Q=)aY6nfZRrK0MzWu5<l)pZy{<HYm<PEza>GPmLt#71Yzp28&
zeJi_A%j9?<7I%`pHI7O62}|b*#j_c@;AaKv-#_dw4&>=~7EW~ve^8#j&mGbkkkNP9
zDNoJod8&^5&Q&H#L$nl0iIHde-suw?Jr0}YM55aK&xS}YXNBaU2QLbLCPSOx?kH;&
zY}MbKMZc<Mer!P^OOis!x}SLWSl?sJDw4hCusp32o3AM1fE2DI7%1H$;C@J*NZmf=
z&DOW);xz8^^-%IT`We5?ZgKp>sOMQKSW+e_>dzbaMJW+`k~({Obc0NZGSympX7o&-
zy-l-_KjX5_!Dx0i6jJH(cy&4C5-#{pZoal)TjU!d4<kPw{_MG0VE-^j3grZEAk>Mm
zZ#2KhM`1XI<dvJVZAHAg=&c^G+&a*EH{vsq$mYFyIJKscq*Sw;M{_qSYMVes)8m@B
zzD`y^zpP-=wk(tB-xQMoHtX-W-c6CGAz4VnbsDk~$@K0&{6HTb+$rx+_Mx;)w;b`s
z6GVrGKCMNHZFcex>T((JzRHY}TcP<7!=@kLun!_4i-)a5bz$9)&B5kFbCT8D$2sfk
zo#8%fu?e_Y_UZd7EBco^0l!}DPzq`Mv`ma+HQncm9}V-*+~eDvlFlqIFraZ@A3DrP
zZB)}|B4JBL3_%1C172LFZ}t711j8~tU93f6+(04ILuTu7z#T`uzc1fWsQF~Jo}Kg%
z>hA+;GIWRYo9rGuztIvM0?xwh1)M{Xc8<VM9ivVH`DN7y(ZAJxNUiYnJa#n>>JR@#
zzOT!-j_G#iF{ot&BM$QDi_1}rsn)Y)y|JrZ&wjR;Ix%+n<fstL`Pwo`i}dkW`=(Y@
z`Vh#Ns{i>PYCiW)oP}hKBTf5y{xeDY@}mY<o)?IMTNU|}Wv`gL>0N$%9AjhH46+*7
zXI%^H%Nslz4)K0sJh9qoeboUj*v_2eEA7XvBv^RfF|hPTDWe-J5xSmPn{1I^+EJ|a
zCGi>{x?6cJWm$UuJ{Mx~!N^kEkOL-A7#X7dUP1Z6!AjGq#@TH>GK+3><8Ck1NO33j
ze105RniJKc{Jm8O-|kz-gV4T<p|7bmh&I2MUlMK+7fnseM`ieUdCg)C4W?}v9aW=W
zvQ5CdnP3Ev(<9=1wXfPbn$C4(VYI+ZW*5$s(&dXwWT3B7XHi{kJGrB~TVGJT*j<1t
z()cP+MPZqx`F?RAyu^a%B(FbCVM=xYVVh!v$&6}6+k5MmzL5>;RIO4GzEc#|HEn}e
zQWZLVwUSU7ubz`A|KdwNvuv^uJNVA@KYGIl7booUmTR$M@;xy`cx@F_G0jI_u9#8H
zKLsEEjH6Amyiy)9Qv$y$X9)f@48(ye3|hulRqNJo1Ut7$=}91xe2M$?UYa!J?snE=
z&m{Yb(xmeoRfNZHs2xv6rRGr}K_MK26&J&=pGuCoQ_MA+-0^TU@fZv`$>kSOVju&c
zEVLs~%oR~H55^%gXg~vZjFlpPzO4DqMj~g52<d6#+}!bF3RV@L%UaUIi<$kb%-{H-
zV7l_0%_Nbl0)3XKZI*=TGUdlUE7z5j8-XOa&&$u9#(O*`FZiDKQZDX^9u0F-zLA=I
z3ZR2kWw@O67trHzPTcG->1UIPjkqT<P#{K(%zbXIYCf}<Z;MbnYVE<-ny29dxYUZo
zcKj8)AIl$oowvnN8P)aG6V(_RqxoIrZk|8xbNSZQ^gpgQ2?Y|C9rUt7&J;XG3ys{o
z_X2$t>crtNDuM!D6Pucu1xKMD?2!7JX8?gQ#Q;v`+vk8q!*tgpS2XL4C)BhA+acFI
z1a_Wb1s2E<z9hI<XqwcoHsep5!rRJtIq8^W?T`$P7%t~53uc@?p4+RP8jhU`WY<Sx
z7ugJ)T%bz?skdSC^qDEILn%XM06cGFrJbT7YV@tF#f~Ye-jq+4#go5(M|oyq9CtT8
ziTGS3lWbKT#N65%tHfhrt?gfM=HGgZiEZiieZ)&&uj9iO)f@N~A1^~5yhLl^_1LF9
z_D7y-55_6#!WTfR7KRNZl$?HvHOelN2$2lH;21m^?Oqxq>m2*jjibpa7n3RcyZ!z{
z$lS71ZFeEaIy=oJ=2dKik?=(`dR5J#(fl@5cHH?z@|LYHoFqLHmzYCH&gn@>?^0X_
zzeeJb84ALxPG&kkaWvj8-zGNVq$XT+RPI}yV77gOx2<jbIGjifEuIWhvV{LR&~q6$
zh(w~9)(i<>_mkWzyJTZ?dVxkKdTpWnTFN4AlC8*9{Mt?=u1zpBdfU^S7Fut_tP@i;
z&-M&~F*fu9K8VX3=g{Mj?cg^Xd)g31P@Q4lQig4DR!msij<sT4?Nmu=^K~&RF)?4u
z=aNRSZ`Sk7Yhq_WHApaF?bu_un_Af+v(bUHabvOejWC!D1}T|}<?x!=XrKVMWZWbn
zML{S`ko#iRV22lt&S!0I`XOK9mKo*YL%$!~{zTwC=Z`BpoAZe$qT<zn6UNjTg*^G6
z0K7E>#opdL*!U^mchp$k7$^84=|m_$U5QvPbGT@!<(i%CZ%;GYjQKFX$|_;DS2l3j
zT9A}Sv0NJ$qkD(^r97zVtmfni(##k9C-!$^SGjap(-v`qMcjSe2SKYvP8SC`AQ|GG
znZmA)#U4yY=cCXM*SvqYo=PAxb*lT?)=SMiC2Ws8%VhQE9F>l(k?W8Dk{tK4U}lET
ztj?SgW$(e}^FvVUrfnFr&|C<?q%_@jB#Gr~-IR8Ehtiywy5YA@QEqDQn9#<kW*$Yc
zsqJ!;Zn&x5O}~E^``Ki|T#(yQ6)gKDKQ7uXBOJ*RNTo4?0y=L6&c}D()I3CnQdROx
zFAIc7wQ<o_As@e?Btw4*t##^?VN`aDee<|3H@DXKag-@+zG?`{{MZl!=caSqox{Ib
zCtXhAbRLGoPVmsfQ#RE2iYg}mjj#V{R04;Ck)M=Vh0V!Vp%oGF=)2(B<IyJ7T6rdb
zudPJ-_}D?+xZW*HRL~rrcp0T?vvc(VPs(BZPQX8=HTAe;<RbV?E`pCBP{bLeEZCOz
z=OdqV;L|BSp^R~G4itI^0QW2t0(8gjA#e=o;;h?}8Yz;b>6gS|vHA=2LTL@X*+hNM
z9DG49fAq$KX0FNXQonC~Vzp<tC)I7H;hIM3#9qgYv9K!Rs{DEIbB9~`K3lw!L<5`O
zJPl%7h9W<WIlmo!3p5y3c-uMgkYs3j@U;k>w&h*SaTj%!&o}BR7cnr=NxyVhca;D-
z=X7O7NUnOt84D8j?Oig|izi--k^qU1FUU9w7dXp!jKIh)3Dlrd$iF&aW6?6Bk9iP1
z%N0x(rAv+o%*G81=Bg)b#VVdW(Ikz=J#?zle7hr$hBd66O%I=k2&g@mIHm3`oTl!|
zd|iIsKU8b#azDeF?sk&(3TakOWZ1z%k1MFw{(c~5VjA}Sfo{Ale)L0n{#X9c`I@5A
zsfEN+Zxo0)x;=!Gga9aYP|}=aYJh*>%#+a+5TyHB)9+2Nf7PxV%$~B5w_MKoNN_(T
zHD9kKe13WtmB*3z+@s9jDtRWGg$Tu`mKXu@*@zq=9D$&Lx2UkJSJW&<<L<-B7DD<T
z+}#6OpFLS#?Ywt5Mtgn$mw@pE9eucClVzWM?9>PO!nnX_RcQ=}(>Zwv7t=3nu-sBA
zeLVy!+N)6*0=;{JP_25i5M4*VNm-dNfDLSBl2m|rI$v8XS)-K_zWx$~Wn#Tu<~-lG
zjeGmJJw3FgX*Jcc`@2LP^@n<I>a$=bwbD|?H0yg}+xuwe=s5NuKLY-E%BjY=9Gk$Y
zREJ1aEbMkK8dg%81KhkzIW)D5u5AL<ix1`YPu!+G0?Q<&{=RGv0a6$KBUe#HlYTqV
zY<Dw)=eso?8a5G+cTFYZW$p9bi8)wDqGh;*oQ0y7XH^L%>DI~|aIeJQ1}#YieJF_L
zc7WSVt2cUY#d8p%8{y@a@rK7$fY-DW3l(;Gsk(Vtz@;HXm@-OybvtZf{Xn+)w#sFp
zQ(a%OuK7B#%*dl%QD;yK0ivn*vmn*9pT6j3xo7_;L(A36-=vKmMe_Go<)p*4>dfWd
zH$__n?!tFZ+l(K@?e+WccYW?4=^UAv@mD+F3Fl02?{{fxvmUj=a7seux42s0C8A1I
z4r6$2eCjAxQ#Bf$OB#Bq6UAX??3>Tl0D~i6emom%*HuieU0W3jcBDJmVTe;Cn8|W4
zwFx%pAsLGt7HFW_-00M>Zn=HhJ8ArGb~0c6NK3!ZOf~q!YC%i1>9;NS+MO3<_I8A#
zrDnd{=EDCNl5^T-7gfi<cJ=;w`je7Cx9*8OZ+`2o5xZh)O;G-GYn=Je60XKurj!Ii
z?qX3mtzAZxkw-)>q!*<Lgs=Jgdki227W%sOS~I@aeYtBdxYp0b(Kt8%C}O?d*iMQ|
zTj&Id;h43Z%Ik)_XMAsdkd=CrF0Cy5jR(1tYGx>ht<~r&Q`~Lx<U3{Iwn%+%_ST4r
z4v#CO5xoKj?pmiaFKN#*Ee(ab(+<pZ=XVw{HG6?UrjNdNl7cgj{PsIydi+yUDPr|e
zly+V|7uw(Z=OmNPpFcftBPE4S)up*?T+e5ezTy8_qPU$l9gapi&6Az8QG35VLEy(@
zobS4;5^~gBX|qU;i<^Do4_-t;cIU8Dqe#nRTJ|qV3(@y#WNtdcZh6Ycz}inG<({~U
zqMFP}xqO3+&%l&5mRYt?&4nePf79O)wL|_~a+Z~AP%gk{=qSz?0QVhz&9)FsFCmdQ
z!h`)|?rdjCFxK2Q-sQQ#z#;2+u0%AtXY*qVdH-aplzWbk!x7l5*I&3cG!eqGZKsl1
zu1GZ|Rb@OQu+7w4khBteQ-<&}wtPb4+*`^ZqVIG*#@~i`ekwadZ+{%YqDJ=CUmWuA
zoUFmA<N&ejs}F^2>j|<O)#!q`o~~7G%7?JfcB<1clf-B%7b{Po=Q0ZX)c2zs#N_ZX
z>sP;PK^|D~JFD?htC&-T(g@DpvnQ~v$EHvQt`Egay(*q)YzPTX1)v&L^J=`DV91jU
zYEp6&Mrg0gj%d`*(?Vm2Lm|aN&dTO)3OrxS+HeB|e%wW}@w}VKbwp8}*)XRkW@N?D
zz0E{gp{SX6_Zpw%STQMMhRLc$CYWjf)#`U=DTnnS-`x|9ApW?FL5#=R&Ct%<gZ-zZ
zPc&7^+j{m&%bxzP=-(#BbS|*Hm&m5#w$jiYjn=LyB=~B#!RWH%|6KQ5A!)6V%I53R
zepst%lkLp0j~&AHP366gJH<Qh#lyR(2|45Tw<wlRo#KV^J$!Ns-IZ$B>fl7*v&}Cp
zO!^4~((18<cn$3dZhM2=fnZ!&>=ln$Wv2wI;y)ZF!3U)?Zu#$@rUkZ~J~WVqxtwo$
zr0)DGNcy%|4}9Xw%f^83snFc1sn70NJ%R97eZu=iRv=e0qVf-4qUD@<^es#A_3Y<f
zv*$TRlBoQ+!?E+CHH-mlOrW>B$gVxH|GbOeB71*+=`olG&=&TMEwt4$4^B7w+wZ58
zD3>?=4fKAY%&4cybT0Zkqqi23c*(xFyWcG}rjx!Sdcf{eY)oNuT|wkni-23_((0BA
zXA1I<Y!V)e_OajluEL9F)fADi>l^Z@;CwXkj<k)n_W~}`^G_(k(fvoeQ$%6f?;Lj0
z&DOGYGsQIvc52fDbf~JTDne%m<3CI^%2@o@PwM-pOBecoKZlI8)v{4P^FPf|<%9ME
zO#E4g3M8w)|1`hCOz0{(Tk7}fuj$%`Twrr+-X3$mFV;XGeM3|8W50Yy=Fw+{eZp0F
z3Gjg}n?FN7tqYH$!-|C4q*lPevP@($`RsFaIEz^p{!DC21$Nl5T*KOn{qzDzb8Ksq
zJDa}=9SYLBoFZlOKq@e4V}HqCVCT<5S#~C8ih+vRu$uWW6sYYIBeY>WEGrq0fS<9%
z1#$e|ed;b%(G^R}s`gG;VOB17igt=zx#ZZ-^li<)aP)@MG~`UKdu0&JiY`?1nGfwj
zbbm|E4Q-voV~p2My+otvdT+s7d9cK_lW^m=8aG@)r{#N~VGdiPAz9$;r|g;u@X>D@
zhLl*lxYUt?*|UQCZ=}0v^pxNPUil%<N8y``_4s%V=P}=zw#M<CcOj#_^8B>#$|dkB
zzwm5dOmplP1nv4iz-!>R7R4{j{g%SPrM<#-obZyi?0wGB{Js~@+`1scW<cMsS<5r_
z4$Gwv;<F-EON6(NthyM6^&6P`Mm$5h#u7&=pEIfOxp<mud>;LvU_e+RkOMF7lsgG;
zZ-NWXM{J2b{Husvwo>2EckMZ>#e(kc6WEK?kB@hNOoXd6t!S~p)HeRP*RR7rze71i
z=Do!peFxpOU6)5?edBpH!ek<;@sjt-r{sQm`tCkcQsc4u<2CG^jr05zuzuL$<|blG
z2RJqeEmb5WT_7gEvW5}`Ndk#X-stmZmldGB;As9vn=QS-?Q~tg3+~<Y2XpyO0&yk#
zzW#fYY3dRz7l6yic)EbQKiI^=t6t9}<gYCkcX%on)_F};jO&vLpNFr3N`vP`cXbp2
zXE~U9pZ~Grai>~d?R$<ugWwV5o$E7pM2)=?9Xiudl=0h>uR7bB>+|Xj{<nTp!G}Mi
zk*)5>w)Z<ub2eOxH%oDhA-Y}Ri>8u`OkI4xqG_^oa^G~>x3{3*g$X^%9e?2=Z_{;b
zW0ezLRsaYx-_vD3S8n=>J?n19zTq;dq-yoK&m$pfI_`E;jK;|1V0+ptEXO}y(xGW?
za`Zs4SQbJkMCRQte6yyy>6tKgkL@dzx^z1j?}d79MXLkp9jaKwDbVgre=3}ynOLw2
zO@DV}+9(MTQ6EqZ;ZQHt&dZ4A2fNZ>1%1FFKKA{YXd<MQOB8kV++$EX4%_q8&&rMe
zty62z71OL(pf~1)85LDZQV$vll)ZcW`jp_8`F_e**`oQh%|369=1IzAwgtF!iyWSu
zDY!2Zm;CZHLmw0xn4rJ>S}~@*fkOK<PSXWH$e(|FQF7ciipD3MZxXE3baz{qieu5_
zQL{~YY%;&3Xl$zI>7IJ>{#T2S{FCB3Pm1~z)$vp#!Fn;r;eF6f{CPpJ$(!8^hSQqX
zXDjxeH&(`t4Vu?P{=*+8jtJ@C!kWSsB_h4OL=@^U6NJ{MFuS(Gq`3=N3BnP>;Lex~
zP7J(^?md_2?U)Tc29!BUSNLkm6?;fBZnz)MQt3OCCl9$0V>Q*BAC^39xEl}enB-i_
zb$7?M6RlTPL-*S~NYS!|h>rWi$(@e<9?t?!fKLYb?Zk)75}$7T`Sw;JBwdcMF2lpr
zejPkjV8PTA!s;MM5xy>tF2{KOqpYgIcR`!d-lJF&BCp(L`MtKpz1c|u)A@<BE#wbI
zQT<KNKFyqa<<2DIdbmKmiC9tmFSxyl)aNOeS9YD-Lh0m8bs8%IG>o#Yo$Ip0A<m4P
zch893Zo3mHAt_uydY4ztGxo*Q@xuD{>|W7zi)upFxKLY5qQR@XYhpL1$$RvbhFevY
z&BdlMaMMbxBdg;(*JX0xLb_(oKnaCarsyG4j}+d8hY3O_3$@BtAcM8;`i?0X4{tX8
z4!?3gJ$ioz!aMx4J=}b>)z0qjq2<@lm6$fmrd(OucK}>xr58Rue$V)diBypJmI2?i
zt|H~x1)T;xK)b=N>X?FgKP#_2*6;Z^ed-;3MR&!S+_l*G*?HF|hNoB4O{8VA5odJY
zPt(yEU%sGfO%D=CedjFXX%gS6lW%%gCFg}3qw`6||71^u;Nu27;{d!W%D}OSO50rw
z)2TfsY+a@Ye2^yF<Eg{>uSLn*i@~6xbkrU{JEmGQ(>VaCs*jJt#57_hKZFxLS9I>t
zjazJ9L;0o_?~S>{uyW!TF*A(0!g}Qg`AmVMUBSG1k_;!q&905^NH6qwyOvJBVbeHM
zAH1!l?g^t>`Pycioja0jd-ux$(wf$&XgrwSwO{O`7-Op+YbwfS5pGio|KqDtWE_O?
z$|qHXQr?KgvUGiNVe%k7{mVp53n<$IL*@l+-(Zbl<?ZU8Gi#CBR;7B7(sX&XGUs+H
z1|v}Gjic!`kLcWU7LOr3Vs$`UpEd9<D0Se~G2DD99=64pa-d{5Ku^z3(M@<9JfktX
zvFoihzkc~{A>@@E&TvM2p;EK&y7u>CpQ3t)o%s2h>YJ@X#l`$}YSy#q1|u`IMLDj+
z`u(+FqC&5RqUElZ$}E-R-`k{+&jQixn)9mO?gM!RM+?$T`(Nj#aJsZX`T&}U!K4Xe
z>lGjj^XE;k4%thbO3T)`ZqB=Vz8~1IqfFr{b$p}1HL~xJIpB2OAE!PsztS3YyC2*u
za^`=xw@^ZEKzz<rHXoA7$9mXbf&|l`&l7J#H<Xgux=&X*EfB|8KIqLTVd_3`|H@-<
z;)#@#y$4_4KsMG00|7n<IGRwos`gru$|dvi2%epWSqc&8tb?qhF0wOaSZV*_aCL;+
z9JD=yS1EWYoE4)~EokSe_Dvpw(Zuxa8p(X@Mdek!m#IbRa;JnYQ=@uBXCc;1r7Mot
zna5^SbrHFx?;wh5z)s=^dzB3-u?&>`_-ZAqH)sMR<%dz%gSo`~hYdv$+~yZoKt3_D
z+c>q9OPQanWYz0*N3yE$!yT^=i?1+KA20u_urv`v$xJu>HgQ;``{=hX+Ma4*<<$1N
ze3A^A*Si@4EDf6P_51tjo0bwOT)x4-t`n|cIhz{4<|?(WOepb7N?JO3q1Pok)}=Rs
zEQtk^=9@yf)Vt^(<T(4&%Y&$TNavu<k9Lbk14_11x_?g^sC&SWsj@F9dAL87guqX^
zlq)AizNUGEm+-=^?3R1RBKbi2pSu8dUbB7|LGjlcTUupD;>i?oa{8w4@9-*BOF2(5
z?bWcY*TqprzoIMX>$Fh`b^_{-gqREjIXwrvM8blIem+zz->+p)Td&AG|IT`m+B-Gq
zEWbLGDvem{Eft041hu!5#PYpo>AR8|OMNVHc^ntM&Ekmp9y@Ao1b4@9e#1y&ETU^D
z0f``WhTN|>wf&uYDyh<07BY6g6f37&z@QJdl#3}~|B^ZHx!X*!pKm?(!7EDmQBE0|
z>M?Rkp*D-4`7uKpKZa6R)&dh%FTIni&otgPqEu&3$4K^>xwSI(j`WQEk<U!0YRz_q
zdAhPqsd711OWLurv+)zD+?<}&vOucqZ=+epq^ZY&`TXi$|7O}^@wYCOo)hmVy8EFO
zd$x|2vqBX^b?Q&YWz=Me%IiV^hnT(wG0pkxxp%widT4jfBY5fA_>k#hx$AtM;sNFH
z4;{$s_Yb_b7%T2B`{n1h_3uXC@ty5Onn<R4drj?XE0*N+O~f_jZ{UBZ;G84{hgvs&
zO>ctu$Ldv^<H-uVOD8}3cr(YBo<EP$4tH(SYyb6>@lz+Cc#oh)yk}C{LgG<dDWRaZ
z2f$f9)VlTtM$z)?bc}?B^(qF*fqw<dqttv7h|twASk#YbnUg9=AN}ND>N3cMI+Mvp
zaqA#gVv@;uHt!{!cs%(>M<t42i<zBjAdgmh2(NFR=c%sLJT+L4SaK{AB4b-clWC9$
z`M!C-DH=dT>W-sFW%82&i`{bev~8@Cf;yzS2Dqyw_kQB`;SxPn2Fr}62>9X#T_w8u
z);dmbdN`zLvhvS7ZHmBeuyH|7fQT8$kp`kb`M84FDfl?ZniB;d{f0H6R?}8!`G?ah
z?_~D4<ac~phV%ItDxBo0^>#ZrPVXJx^FDUsxgMKDC`2%DOXlT?V&y3{ljr}z3h9#H
z3`d<GqZrvU`xVy-vmF&m`jrlkMwNU(u~11i|0gCrZuRCkQ2B{_UZ%<CoB$XlN@WjW
zqNe4aI-_wT%y|*d%hX1z7E6@KaQD*`VfTsAvFUnI(SkYeS}wZjCOR6ZzGUo%<uwH2
zkMO@DoXj#ov-vIe>KsoUYw)qVgg-?)xSZ$h7bV@|plgR8reTyv&M7Lx$)60X&V-o`
zMU>m>BRkhA6Udnou=bVpotODSf^IUob2w$w1e+p0i|{<}tte);9VW`(;U^h-!F*3D
zvEa-=d&4UA5mdL-7Vzh`<_C3@O?UZc!B(n(m%%AI-sfMt*=Xp2Q1=siXE_h;v3qxm
z-=omP`ath?D>Jcn>}NnI9>i<nyEZGM>qZm__fn>h>rfuv(4c`z?@-T2rDx*u-lsb0
zeFT!PGX<JtuKT()`Dc{+ge7&{4&TKsD#n!yWZI2oQ|$A1*y0IE8)lV13^tBm9Hq#Q
zI7wxDmU#k%N1iG(`i~d(+@v;gkdoN0#S~5r<rohbot(UCq945a5Kn(+CTuhBixT_v
z8@WFc=QsluJAQQj(=}Q09OjMJUYE@jL?e8X%&cKbL=a`pYV=~wx3Vhsea%*8eWj_2
zv2#3ebHm?HIXiBtNmVFK$k01U?nl)2d`FczHVO@XgBfDe+RM&<(d;vZ!6qc7Duxg*
z^4J#n+*EY0{ovsXL(18HmndG|Z1(g^#Fg|0B9%o<LuEPL`QT=hvrP5JsQGo`nPb!0
zbIiw)K30Dl#vUz5YffE_eN4s+?J!S619cD<wmcQT?^NP!EDEgV--B?1iiWeJUoO^c
zf@CttQyKYC-qJ%DJ7aU+3BO}Y<sD(VhOb^6oD|;3>b^J%+4}Qg$UqZgM)HuxT{s2?
zQk2-1xf~wN_XGLzC`EdyX_6|8le`j#(mj0fWPpeHT+)s&b4&h!WvO1jytO)<q)D0)
zF|G4s?5q~wrkeXHHaM)m@zoaSPyZ{~Dj~Dx)aS932@8B@^U|rXFXdGZlgVzbzsF7!
z?9D&5NPGCTuU^nqxZ;`vPO3gSbbt75r|7e=!7uv;<~FM*Df_$npdu%V^X*kS5RYe2
z(g?plf7P3?obCgEC`Whe5BV%{Tc+0EFLqJ$#VudJkmvH|rfsEnHg`^peTw{zYuCEf
zNdO|H=pQPZiuxQG!<&XQ9OLOUJ<1fpHiCi-TT1nmACFNQ9zSNJOU?H;CLtBZeQa)9
zXt6WG$KR#>P3T8l=IHj5JHFGU$C+H>+obkp$nl;go4c-*E)_}7G=8LLtdnohOkO^1
z2i?V%-n$OCltajFpA+`karTj91~nVZcRJdrZUrTcbM4nR__0F3e##>)RRU%acK{<+
zK+j}pAbG<5w9wYiHAhzV(>TmBf3i41a=?PfJRf<FFH}S#5O@65!(LWHy(CVW;!>5`
zH+DPtyQ}`Z0@58>1OJN5#It@wojXtzM4%B5CE=G0i)S^JL5K0+!E5l$aUXsvpP9`k
znqRp+dtE-^y>IaxO;+ZTHhym%OlXJTYGQ7N>AsF&+keR={d}C;V)amP|Gvk)hC<QK
zpLDiPNcJNT-0{@uU<dM!f!fxX8mK?&NBtcYecs1h>-@>0(x<d7zt%8Tn=y(MyiIP>
za!S7C^_rMN<CK`;@o2qdn`sVz*$O)!b9TSHxEMVXuiIt{Zu33}orzOI=A<TeSqRp>
z-1e`r$`EeF<Wmmvg&pPh_YU6_GIJt*Poha&$18`5;4<$ey{M>YXd*TqJ_1z3?)mjq
zZc@g9I9Lx|Vng|2xzd-|d;j)HdwL=4E^3(urTc5!tO!jechvkPp)|T+OLFb8%%f3^
zX?QA+I<sTbY8$|{U5xDq{YG}Bqc4~6Q;qz1b!6y$*w8vQ!Fs6$`4Uq(g;Vu8!EC9l
zr5R4~_DY1H4`t0robXUpU$!IPHrVZ^g8D+)UG&NKfrW4XgCPBAD2A}|A^|vGy7dn+
zaM&q;3d}%vWykJcW1Y#c^9G(xZnf%se)NaK)wXaK+|GA-KF1TS^Kh~h5m6%*dOUHZ
zPxT7s?Y&(Ub5#TRFqP(;EbrT##05(tJ-K;}UvYk6u5cTO=|~-gWPTZQlID27XH2Uz
zJ4oculHM_`y-WAJ8UdtMV5{OIUI*W-?N9Hx8yLS+)zz|;T(FxYyv1)dCN|7RN}W3|
z)_yB_H~LCwp+fY|B%cG~;5QhKBF_Kb>~l=!%A@15s?%76+e;ZDhN-i6F9xUI(Q((s
zZb&Q!yA3E(@Q;-fg=gtl)PykMKesRrJ)9a6jMDhAq3UU^*YICDFz%$h@abBx+r5gi
zed_|$J&Jsvom@N8UFO8{HJhG4eEK2$tm)9Wop0}h6BhRQ8_&1v<wZ`_gwOXvkJ`sK
z3bR(R=?8NXr9i_SEe#ppd3@qpvU8pOObR)3*yC0$`E>n?AJ6BEW{1p*b?%f0<Ah5t
zdJE|m0TKG_&lk*6oGK#J6j6_2FmjL!;um{g^CxJqr9gp^7#Lme-KXshwtC}KiA5>1
z3YChA)_}brjp!A9xTjpY<|DtEj<_NMSRnZKjX~Y`7NfWF=S}k6q328X!@Uo6N?a{x
z9}K>CGvO62k`<Np$@Xy2gke`Y*W40*dG_(aP4Cv~!ouaf>ao@@q(NOKc~fU{Kfk7s
z8*|*ZOl3brjLwwhzcOAL?jr-KefIi+FWhkW+D2p1E^NJ0)|?|fCs$$o4NYTIz5G69
z)@<KC33Iom>+_9nLICM7e@InRoo2yzH@oLG{K{fFWdax-2C}%WoD#W=`jvwU9UX}8
z*n*l9seqv)ocE5Bi>#rkZDqLkcGuIS$Lt8@wEQluhTfzQk-Qv@Xn6ET=b_8Nh=C5)
zoQxX}<=S@6Bu0(+HmJjtEm!O4DYeHeu5)|qdpuOr`?epM@*&Ilr5OtGn_tYD3q`1}
z4b8acKO#=nO{z~szI31Rjs1$vo0-g5kU1O6{^Iy0O*QKRcrOAW|3L^ik^Kg?9-ErN
zbjVNBP^$y8#WSG2iL^9VG~`*XC!IH;mC#|>U(oyRm*EBX<;c{ND~*Z+W>dZr_ikht
zj*j)Y4q?T(OaTsF7g~j|QS1}K*3$D{aeAJV?)LcQhR!DhgHkWdt0m=BtyA@Qj0V%Q
zi9U0xM8sm&%t7i87=fhT-pIu6XA-p)I++*dz{=5vR^RgV!`N_SF*K|5ye~z5E2Nm;
zzc0<ynQ6YvzhLCfq4kD;a9)1n<SaiCAmK!jf)IzRs#dP&Amjqk^ext8P&ULT2Ld6B
za)IF#B{KDsR|2nDV|3b>-O>6p8*=7ozPhu`?2dcU$3&M6T<+ogKO-5&{p#{KvW;)z
zk4?=!FeLplJ+D7uaCzfJ@fbFh61`48uD|(+Ba~4P#ZP;1M!N<gUqk&c-<UltDo#+<
z<!xi9>d@30;cmWSP+*JR!#YJm^vYKfCQ<W>nVX^Fz#<Y;S87!Utlw7x)KI*y^I-eU
zpJS}{mf;f<wOz0+xum}JGAidRfd>&0q6d|Yt2*iU5^2W23iP$?k-I2I(|`4cZz9dO
ztJ_LD?DpdhiWoN12<^d((dr6M9&5W=-m4gpG`po(aa(#(-mH?o0<;)Ne__9TI`6cj
zESGv!GV$(!iQ?B%h|58wL_f`YxXvQo)UVvtc+mj8`QigwzFt^@L6!&Fcvutui=<<&
z`^{#GIi#-nZre8<Wq}k*N(bhG)7=L_<mE>MvI-?1mS7y3%1~Q6`s4=94LApQ8(SYp
z!}uRwc??rHjmcxIGdF7WXHu!$Wpz-GG8+)J!yd);gy`mG|HOGqrFm~fLs?55&HYAp
zl+7htpR1p7;ew(0Pajsx;}v1!=hDdBI<MX8&is!@Ym>UVUF(l){7n;H8qf9wQ34yd
zsJ?ykVIUA4^s@2kUtz{SiZ6orDv|4t%Q&wDDsbT$XioSoSa?tB4Xgk%^*f3m<C`Q`
zIpEAdfGdNctJ!o)fx4aRg!6WnR^}_hA>m(14Z7a;{PI<(dj4hwKWQrnCd);)ou~`9
z4Rox$-|1T*OzUxX`#HB5t79rA{~U77%u$I=)d8T&Gh($(XZ#!f52*+04*Rudj$8tL
zp)}Lsv3)z=;0RAkoDvKxd^jf`)R>tUe(uM=tg(~k?SYRdwVlGDvSMFa`5=f-*B<v<
z<~>4Nn#a|lfpA)~;VGL-<&V~_$d7&T4Se<k>sKXv;Xn1y+kT-WQ8*2?JUqC&@>~3t
zw<t=|NZ0qxXO?{^D=^UQF7vi2te^GMkW$4X@!2xHyRC+cZQLl=vslK}f8F1>uW2Bw
z<F$Hfo_63;C5$Z@3kr>BP8wKyXqT<xE6^SmD#ZnwX^1A!6HFH`({OQ7ARjc^4Gw`z
z&3G2-J0-auI8QkS@t8ha1w_7Glow&MC3d@`WQ(JcQ={7N40^ZqVIGW=?&qxM30Hj2
z!Jbi*GIzrOR5Hi=zS}x2HEB*LOO#0*$NmuMnR30HkFDR$?vfMP7QXw$zMvvdQt#>F
zxnY0KYG!;%bvB%m34pEUPfEQ01e}LYjIVh2@Eb2%Zz(IoAdWymRx~{}?7%OFgI#B%
z&y(1%Dk?|1U3r^0-SEiRil0gJA<K*&1)Ewmw2p3lyfCMeb|dmPA5)dH-{JVL?=IeT
z!_yboUnO%6u{@t{d+tWV--J|O+RZq=?2@=FouxS?Q@**6|Izn$+J4k$XR^$Vk-pPa
zf)opHHE^McUkr~wc&9AIt+7f0YX!{R0kj-8R=vDAVg}`O%2Ab7wOJO8;Gr<MfeUv*
zAgs^ztU9hTh|FQaMv|Bj`PEG6n9-TJ^9E(zua=~S%@eIL8K0@6L^e(#v1$oD!&d`f
z>gXOE2V3NNl9HXqFxMKHK&nJl#nc@$a3p7@!~(SL4z$)$swULm>-*ZM5BfTM)yH=6
z$%#56Y&rXV6;|B2NHZ6A(7Q~FQc^^u@(l3DUrfwvj?RhoF3aaQj<y-+l}BBJDpPAd
zgdz8LN;#?0O;v#GvSJ!WKWk=`?-iU!%XPPDqGr$%W|!S(6;Ey7Ddts5$Tccfwe1S@
zhEG+dm9y(n-Y=xv`Zl@FXJ0(_i2nvRyY0_fyyf${Lu))=>jYcaOz*y{n0F?}F30I(
z+4=mZ!#-n)ha^p1@;dtuVlA2kEG#i-T?vUQ5v}3Ij-j#Zt1!$J^m>WG3`dO8beGqq
znLe*^Ap+rvBd?XP+m<uCn^^<w>x<zy#}yQr6A8Fi_%r(lrWAJmXx&m8S4vF~2{n!|
z>I}pp7Dbnl-X2Kd|2|F2mMiG=zM~EoMy|51m8m$qvWxB6Q#qXJkN9b765R|DucBkU
z_J3NEn%CUTw?Df${ApRlJ43dsTSet&S<rJ_V{sqTd0tg*Yn*o$;Q;wTp`0oKhn_Bi
zmD^>zJH|L;8|V0FP>}4=GfA*BBGqO|&AKzE?%-F{yO&Vw$A8@0pt0yb1XRVl)oF1S
z5X7Yesqhqo?uz=dZQL;T{kspEDK7b)q{J$JI*G-kvN+ZG9X9y=v>(R2xbwdoTkGhg
z8u8xk9O94BIp-UCt*KwtuI3h0<L5TMV4_hA|Fc-e89qJ7hiUW;s$H|B$Z%@R!RO`g
zT3hBO9R^BU)Il+#WZwgHPiky4u+eh74=@#Xv-umxs&+eg%fubPe98WxI#)@|mb0tk
zoww_LiS<I}0|f3Pay2`MoOX*Wf{DUK!_4FQ@xK2LTW=i|N4KmGhXH~GXK)M7FhBw?
z?nxkMa2VX(-8CUta0d6_4DJrWo#5{765M|C-g~}tk9=$OA3baB?%7hi`q@=aRq><a
zTdbCRo+djvKH^tZ#C>?p%wY<<sVlYA@HF~e*_y$z`?4s2!OJ|z6Di_Io{mE9w)L9=
z5ExcS3}GU4H86VX>h=PBS`4G`>+I+z#0M+wpM3wh&h&C>XRq&NwvwKlKK~??Iks{<
zI;yproSuB+kqM_X7%zGjiMFDeTB+mcKSsC_eFIKnuJ|@OnoI#7+fYPS#BAG|iV_5J
zmt7fUHO-6%4(83`hbs-9W-B9fmm*`@y<i>pt#fR6MlV>Pd1Ub@QEpu~n5J+LUeCs_
z@}ED)##BK}*X*S2_yRtVwu$FoukXuBlCUZ2?<kWkTZhrj>r#(Iw1dZl^D?}zR@yk+
zma+k}wv5XZG3HzQi95Z=-)*fqj8jGk1`-bKCM8CN$ha)C+#X%Zk&_+E9LS4s{qZnP
zz7d$ADg<o5`8<P%1CUIP0CRM$?i(7@RxciVQKi2P35}7}w1Vi!sxW6OL#03&QIR!j
z0kE%hnLe$uCC!-7jVkGF^KF`{$-NL;@-lauw?h%?fvNk@6!cv6m6e|zfvOwLRP1%j
zHnPrG>MS=!gFf{&@vH5^qFK?GAEE~;KA*;bPDc4<MrvnO^dpih)CgIBV<=e{8NC&-
zS#49+NZfzQ=QodJ&%J~Bq(;o9D@U?VDc$?!R^dvZgK1ngrsf??rqEFQeLpnr#CIr-
z4S9Y2(tb#oka);uM-%t?D&9_bZnpC9e3E@E^kF!UOb;h)Q#OVaLCbq;y9}R{R#)px
zWju!36SVgu&SZ&JR0g~|rxdVFE;B<w4H!vP<F3N^g*+UoPtU6;h*e#7O**ecSmK{s
z)P(!Yr_0W%^)S<^s4r%4ky&7tTxj!jI#p&l{8ag?)QGFzb=g&;Y~7Q%8sBoWCYfx*
zXM50<$;ri#xbyzFPqE~OFeW_RX$ovU6X(yV`W8gif0UwlfaugU4wvefv7h7Hu%9jZ
z2H}<9vpR`M=Loi%Eq|q<KJM-Ckkc}G?@5!$t#c@~XnQ1eGx`6D4*JE=KsE>?P3MmH
zJK!*mJqM~eaBw`+nDSRGt~SLyy342854>tx;qfKpu$Vv^d#kRi+dRgF66Bv#Wjzh`
zkA;MohEmJ?+lDq@n&6Dbn?&XuGNbqAo0%tT)xUr6U3XFVC!W+&o5SYy+|b@pCUANy
zH&^pcqRe~%WZ=EyT3c@384w0x^%jc!)WOGdF;5ACh&1i{t~30;;T5_x{c~4OY)cs0
z8+e-4(0O2?uoaPwVRGW#iZZ_Pc`8z1_}9XA4Z(YN;=%Gfo&mJuH%dKYI$1nr<DN$?
z!5IBPW?bV+sBMqe-hAdSq!)D(XRa{g3@=R~0iD_!_WQ3y@oBWa8qAsAmBR`(a>*wx
zhBzg+1-iUy`A;*P1{FI?OG=J^)@!$yqmHzSS_=(3miQ}@4>g`Cy<F?)+hPPdOMgbl
z!+1WkY(K&C$wnR-PK<p$u`+5%W?cTAM^Sa&gh&ssYzV6mCt!Q5@ciqvR7+)MrM#_P
z9fh=JQ#j<w!P^<>3GT>dNydts7IFE0Ia_XQ!+-A6&Pm#zjWQF9@%l$1E*ggvgO$}v
z;2fIPfmIV=RFAm1&G_kT^QIq=ipeo8g`5y%b_<cU5;#jED$%ta5(e1QFI5@^yE<ka
z(Gm(7f+}*7?PXHX-ZYq0d6&WXkNN{1c8liJj^ha5L)CX8b>gr5b&wOFP*t7q{2LLC
z90G{T@X7prRIp$J#XOM0>V2~fZ><Py>crbUMa>13!|O*_5TQI=a0WkN5)G3a7@!W0
ztC;Mh$!VUvE2{IFzZ2)!Yn-oJq`aQTYdpN)xkw&a1>Jk)r*!l>Zp*rWO+A<*BKMN*
zS}HKv5JgI;w?h&yCkv-Jd^a??8vnYPd5O9_Ki@SQDxLjH1_D3b5?V4>WYINmKNnrB
zqAW1LM4;>_?eFCen*zAsv$dn***rdKS<6Ix@=4?O@zDfA=G~Y1p7#LEdTsI6E7qr<
zQ4h_O1FlL3-&oFq&>Swm>>HgvhyCcSn36aW5vX!G{E}QiNS788WU`&y^<}kXsa~x0
z;-Y8VcA|8a{h-Ne<e0z8@0<{Ju&=4_(V{@WN9kK9-yua`c5*7Eo^0b+1CGH&(ho(Z
zClrr*1%!AmK?cPE+k?>9JMLu-UvdkZ4Lpmc`Mi(TiB+GvQuzcL?;LcmI0lQ0(!vak
z##m7*(`QOo^SK(Siot^KLaSMJzIE90mEWwkcm$`}k7nkix>8E#YjSOBNgL1<(N@s$
zp8lDtUiabk4*hb;oY;x9`OOF&X;4`paDWjU{Z6r(MIpt5SrWnT*ZZJejAO#``C@Rj
z+7LFa`k*?knmHqqsE)l^>)z38w9>Ok;lK2(ensBncHi0qS4-T=Z)d*F$$w@jYVbm|
z%gj}tVsbLHdts_@<{V~Il9nu~^8I*m8(et+Qs?%q`EK2E(gDEVz4W45Y~G>9nz5PX
z=E3p1$n&}B?81UE*V^drR_+BE<!%~2L^Sbed)szF3ci)v*e;Xdh`@5YpRdT$`<zl#
z5345fWCkX&>*Ek3Ni3|Ec1E2xA^PhiGN0|2CxP7<k0-lO%^s~{Sx-!gVNKX{s6XMo
z!4^oP+BH?Bgp{IdYBbvZsPZhA*7@yJb}z>{>e`B-reV)w@Zu(Z7Jx;V%r}k!kfg8(
zMGmhol-jTRcJ56BRW~;(apbCE;RG{PD42~QTJ~$5vR0`+C9n!?pS;K>_MKQ5m5?jR
zb%jZM9+z*&h*vkep<?{mw^;v<v(NQ8ITR|}RATi}L>sKGtw8rspdW;M*chCVX5l)0
z`GUx1YpfLz^d<6X==r?kF2T0G`e1qx6()KX_#?SO;`yeN#>1!o!zRC>b<Hh`G^VjZ
ziyHE~NJe<2seTg1X=vi=0{)}$N?T=}-aGw3@5|@595NhXwRHCok?p|ub*1{lO>l+<
zNGBenPVW;>l7rx3BxEzC99IA(Au}{k&g{?yr5&Xi9p>OyuB;}Psv^;LaWSuc4Xbew
z{GA`UM!e5daiTEus~|&xas6C=Ci6yEBQ5qpC+FT_dGS<IC~pEIsx}b=y0KDBeN9~U
zHT5q;kDiC+eN+5TXMRi^&L<y3?%X#Tf0kkiShtt297-Uo5#t_GMR&iNxhc}5#cr{Q
zo%z7-Y3WkgX=|-BRT}pLu+7xTpzn!%?EH(KdXCBZM)<iZ>$n)=kCgUSAve3@!%#az
zh>3|V9gP>SMat70o(VoIKX}G(@cddEI9w%<nPJr+kenI!^!a;E$+VmXqYSQEb)+C&
zo0d*hUF)syJq)vIRk6K4_<i85rVSNye_W5SMd}A|CPKX|$3{BjSbocQc12i2D+Wg+
zany`ywaK~0E~0R9#zcC4mq!f8ohjnwF+X^(;pIzx)>PYmalYpKYzI19G|CML{c1^r
z?w5XoZSL8py_ncAt=<vDRQ}(<z5~$;^K|!jrzNkh6{59bG@RnJRwZV>(xHWdRjaO=
zzCK_rT^<egfy$Oojb>2sisx{d<RjG+^7(Uq?uiOCFdB(Tt4E(h7|T+puQj<#j9q36
zpKy%EBiDGw8w`*I#9dFrzY$g<p>f!2AESe(Pkm%h8(OX-S7?wj$guYkJPQ$;jYe{x
zGQC_fWRr4tzoTPy#X}$52CpEWQ@F~QOolWCW{WK$p`CaW1H*azM#jm1a6(M9V=^+3
zN>o7=fi5joIrZY0M_T#_!xY$KA&p_U@*c=NWAZPiO4W#U+2Y8H>nPLG=D39Aa<Fc4
zkHORLs-IhYhL6dn5Kji4dJ9DtuEDLt7Zsvn3}6v-uok74X@axRBN4DgeRYe<h|Jx>
z2-rt=&Ko6ERmY71p%LP8k0k8Prec$p;wzXo|M3By=txUnXMR_*Rf_KZJ27trzYkn?
z_3aJ`Ux%n))>b(OPXC}tHhEj3xS10s9a>y4C7~C6ez7<C9F0PmX`r!=$M;%WOV`t>
z?a!W&^o9o4r-aZe68wAo=UUzHD<A&4b^dbvG3>$4*<gmuc&r!G<Uu^E)hjxAjR*Qz
z>(-OCHm3`RYaIm#%!*hv-q^cJP{3z;Xw8Su&i58|UuARrBC9hgh!NK88oa`0_{{3k
zk3=?b4w}}V3bmWYKMUk|jf585{yG<wnv5VxRzGgSdlt@z=(pz4KAbA+H0o%=i|9;c
zVw%{$G#%Zy|9D5{+J~_{e&zP1PRsh{*>yumt;A68ebjenLP=M*Xgh!$JeWUB2ta2V
zMRWr{GaeE`b6rcjv7aiN5a|1c>^{qX+OVj9A2W&OX{#C#gyK9Y&aCE#Z}XL9-9!CH
zA{NRMlYAldZ`v0~DaWY|hv7|!=SInC;t-GrZe@TcBniRDVX?P6i(3o0Wv~6^dfBQx
zHP^;Px#qGtnzR|H1W3M)MO*Urq_7rgZPqyD8VoC5g>JHnXm=hU_MQEZ=}lJ6y?Pk{
zdH65Br(_c@2&e<%tsO0w6=%D5e(FE4+M?>I14rO6ViIb&b{A{C4{W7%uPviqnLEb*
z5=Z#p%g){=JXSGWr9?!qeCpEz;ir83sqJ{ISGP<@yV$UsPY4K#S>4Jy@jMx?h?O$#
z47VCT#+IEVwe7kOB{HtMYx=o45iI)jF@9pTjIO#vPGvP)$kI|HJo^g-o5FdCiR8}_
zcnCccIh=dQfbp4Oteu-(v7Y=6OHG!)%Go1S@L~!)ByI+xe`&h%e7_Y&+FieN;3ly#
z{_30`H7b2`^uDV~d@Ri)b;}+2l{142(&9RN9AYFXmEK|ZbGCm)$d3cB3Q~F;ewrZj
zfao_hsvF^Ye_dH-9XwqcDOl9P&NMGYosli>I#I!G*}BbS<>JJSH%{YE#ZlGMdeI(K
zH?(R$tFnpk)35z?FA|1JPm1|l+WCkZ*-9M|^uHuI-lCNf*nTU2X4fntY?9Bp=?`-&
zm9V`1<dU*FU92I2<-qq0WVqI+kck#6Zg5Y9sUg&=m#r`u^_DA!H5t+>n8BW0>cm2M
zjqMqW%pJBVNT@{~H0^?bPhLiQAAscEP{HzzuYXkH_91F|sDOvVJ;TO73+*<{YR<iO
z1#ci%r|NWWg1J13@-u|mOfV)q{AolCHi-E`sMfdptd_>7CY{bq{AoL1GxeC@fi$4S
zN^Y#+mA+Qv*+Dz(h|-OUE_l!HY1Oe&$=~%@MGoskcd{b4!;X|tL=p+%hW-!6;Ay6>
zPASk@L=A;as64yQP*~09i>(0UX@_z)1i8VxM~!dmo8I<Hs#gE+;B6TUpfw4}VF&JP
zE{k0XQ&Pu42(UgIzGeL}eJ5SPPWnLxJd~;tf(?U*EI9TQr%oyX*RA9yVzaAU;y5Dv
zQdbXsG&-<dyoNWvyxv7`8eC$3-gJK2J$@fNn_%ZR<y6vi7-Qi$C&tCv^Q(EC&F3)D
zoe)Ai8}P6#6_<lP=-KmpihqNPl;C$4iiO9%g$TaF-M!d($VV^3=MVH+^(fe9UT|I*
z`oqC%8%+LEvgEFc-*}KC;ShHT)@c(zxf^@qA;x;0OJh%UG&kcJf?QHrMf32N@f;29
z=*$RWN|>!|UqAmHA1{)=b-*E}Zu}NfVTbf+h*xevN9E@|cr`ngp}c^4x%Yq;T_+D(
zi`nAhl(}O~gy4-==)j~uMkdNPq`&jUO@=;UsbjmLy29{}7943)1av3cE5k^B+F=^z
z&G%)bv%2TWP&OCT<^@|-`}I+%YW46j<)tU1T~WK-D-I$Ppl2t@v5*GTXE%s4<eh_1
z&vPvfm5W!8O2}Sf<W2(^O;N$G(i7SSb(j<hB}<Mea$s+DLk%pF3m<*Hn)VAz|2Cpu
zA%nd-)-<IltWn)}lR*5Kjbvh03}6AkBsaH%oYge6P?i@L!t-ku_A2c%vfTq?yUIG6
zjwQCMf{0*S#p<j-(@Q}$HY{oe^PbBAc)Nd@AY1pvGRBuq-!M{XG42=!PG8Jn6A~AJ
zC9<)MmA=xWR=umUQq_n?ARfFJnB*z+>e38=#?DrH8z2Yw2&P+CE!I8Je*W{ML)lWA
zhdVB$2IH9ucUKP4$!DQhR1MW4*u|-O)y1Lu8As*$Pk3LklYPGCn?g2JZtN19rM~kP
zUTu@_lp=~ECwTYHI|D8@X6;iXGThKkuIGS0Gg9`3PFHI!asEQ0_@0W57a0%ZxrjKT
zs7#7OmZ<=7dWz08B#d`wP5yXq#(*Z%PR50gX9LgKRCmJgtW}}4M!~g7X(Zgvi(T1(
zA#M)Bv%rqGLY9TWE#w;QVyD56%VQ-f#hW?_BB&}@iQV&-$Q0PxMUr`8e03YHYwHIw
z&6*@9uZn68oi!S2-ElAb_k9<Ouvv-|)AfuCLZ}%~)ee+B=D5kazY0+1oS}zp&4R3u
zn&n+`2(4NY^%MxKs*i0d@TyBX0vG$3ccWqwr=$fo=DSnOlPSc0Fhh9fV@xAJ3-dY|
zip<;Dbk$^Ed(>#LPJbLS!AMG9SGhEJ$V_)qoOZ7u*HtfytF?JtegT>dukhh$pa>_j
zs7p6#Bn=y1x}cyF)B_=AOvoRK0X)A_xCSAvi*i$x+De~`ayi}ewBF@!s(8Pn;~bCS
zvZ^PU$tq`(ae}bdDb1KvB>m!YUKqxd*ikKEo2gvr1L)U}PQyzRcrEf3%)~WQCR1|0
zJ~&B_Z4vt})1p*66KX9X1R#CSOIv?g?Sy1swvLSPnFoom$~E_6Do9C@p2$BjAW}4@
z)>tF-e1dt5qm$mBk2W4MES>a7{Jq3A?sQB@vI8H0>gut)9YJA%feo27wUyQI2pUcE
za1{DDU{GKrgk8wo>b1Sdym8-#y|gefi~m~%;V(NSMP2eK-4fF7o8MAjVbe+27&=9=
z7wLpBOCy&>w9aq&1>X-@C>bgzR`MUPFOFE8OyV6&wOX9R4a!=Z+)JtqK?%z2<Uf^M
z<m;D5@&|i5BB`Bbn%UjBDIJgFWp>-xU+TY7<Fu}B&jgIbdnJf?dK4?=XsO<sz>&S0
z<gun!y=9%3aV2E3)#_lD62h`tpe@U(Sk{!QIM_~tRQws-ILStCMW@TRp7z^uQb-w-
zC0`{;$K-9JWGnyn_6b>Ob4bAiRkKO9wv|nn<*Mz|(y9(X!M9!=omn8z3OU1ri7x9S
z9F0gj0#x+r&ANpqKIwP#h%2>!Y5c2}vRR|s?{`e_i8)m1%rc#O6WSRuZP&TDd8KM5
zu;ll>ZED_ra-4a!P8HaAcVNmd&YAN@4cmp_Q|N2#5@yEjdzMslbsnD?3EF&Ij`L}|
zm(uvs%f>0o^IB&S&)k-m&<x<O_oV2SxfOoTzg-tL&#Knobzxzt(Z7a#b6A-^;gmBi
z2j+g@(Vd=h<oO#H;14f@APr3XTyGl`8X>f!n)y;UWgZ*xL9jS$OO|kbrhw9ZIgsr*
zuF%zHnubN!iLgS3u!A32b5BFNJSuhm7XHmXg$USHSyD9E-y$eanLBk*Apk1(SwP>2
zRZsZyNo$WtiKRPlRWqIujooxh)smacy}I4{>%VT#u_A@WQ#UV%{JKBfdQ0*gZyHA;
ziv6`%<2(lHux9)tvXS#g@qNQ1^%qTpZI+v5WozTJN{(k*&mA%cdDu~^HC4L1RJO}W
zb$#ueX12-jjagyvl0dm#M%C3<jZCr^c_lWF5C?p^04@p8JY_oZVQ4Exg#MZ9!Qjl{
zs0HJc%Q4SduHzg0aH4pV^4VRr#7I?SbUU8y&P7eBNeSSR^)J`u25y>!TwrIV$5V2o
zQb7k*c*eUN_w9kmI@asbA6#TNd^(M!Uaa!M<7xs){2Lk5m-B#@*~hsIVFc~5vz%^5
z{o_%bcER?y2<m8Qt{<|~oQiLF%KF6&=rOTB7xiPRa|2m+&WdVc3c-|3BED8sV?fT(
z`>idvJ_-%3ULU`#LFxE=bUw-yxNTeaE=OR#tJ~!*VoI_-^?AmLpBF4FG?wWyE}c@_
z-V|}jR>k$e=OTbxS}fW(u}-U8YDDuCi%Y8Ol%u>!_rOMA_~;0OM-$1~?*_`ojM7mz
zS%&}cE5+h03+szYo+?V@_Q(4ADjjaEa)JI&=JZ-Wb+V43Ry3o?jCn<2Zf-Z2E36W4
z$r!2@Hri7G^*i-?dvvNLx3qtq^z3p+%UEl+&`R}djh!Czv#|87i@4Q}N?HlA7`Yi`
zl9icn6a@mu;?6mgHA$#A5_P?j+wvNq+zs+Oc>WjYl@(0qXwhH1xgUE`kj`j*pMTd`
z)XH{#U9OmI=8YA@#Q!z<rN$KRl+IW1vF*~(Oq~Jk%e8U=n=$5Nxss{(ZLjb`iAm*x
z_}ZM8-F5E;63daV<GN_{B?}ukEU0IuZX)j{R%UeCsabADp(iXaf>+6&Q!258A8oKr
z1-a<xv)|%J0WZbk<If4@di81EFTbBT)?#~O^pJNr)sE~WJEv9LvfOvR(Y#6?cBX^R
z&KFJT<fU}f726r${mX$285zRR$NI*r=fUtW<5O4F<zivj3L8bqKuFXzK4c_cIl6nd
z2xZaIWj*W34cgPnsB_WaDDZWWtA`ID8FIe$(R26PvhH8Z#nfYhu}xkg8T-)$As+zz
zNajJ%q!iDooM``cG|{_@oob5Q*-kE@QzkI4o?>UXK%L7D0v=KBY{o&-#9*WjYXA3(
z1!W5IWb;Lv#p5S~fXl-~6ebfHTJ@9<+L%b?uAGHlSC-97{P-rlPA2wJpkp@)pJQG_
z)9HTOAeC`jG#HC7Nn3jXOZ5&Ul233|K_w|u`DwMn7x_*xum4Lu4Sw0g&vqe&>qW+^
zj@cp(soKXUkOnfCuY~}jd&SRND<uQ>rbJUr4IF|`mhI)7Kc2~6tdr?zi`3&pot==i
zR$l{H1P|BvkxDL|B^TA85yT0o-%433mhRU#pO6!LbkRq{3*uwx(-W?BBWDlmaQN49
zoR(TMPRmccezx&;;Hs+_twT&suK3A=X8VGU8$bK2LC)t7R^M*S4%kU{H~=cD?ruv*
zFZ$D2e@tyf^5FdZ0L$_duol^0?9&KmP9ki-G-TXFAWp!tg@>9mJUdoU&wOD(GxS)7
zL(sd+RLa0$Z=UUz$-|*Dx2DDoI5=uk)N_{SGfgDhELY-F?@5+EZfTS)6>Vbe|8a9^
zwoHL7m|3_QOr<he@%+nfUMc`%K5p<rKg4tIY5|Heh}a!@f0SOPR4w7j`Yz27J@3rv
z#e%&Ygxt315U%h-HaPOQFqG~<Hc)r?1#Z=JoXQ?GIXs4Ay^=vECWyVQkhd9&`i2_?
z+!ytDyZ@{trIF&vI+CgqTS<#WKv#M`7><0b?WJLK_f&!yFW_=8OU1O-7rD2dd?idc
z>8sRtSaliRBCM@3y>b~<m$+CaH)10~S<wbk+vTA;I^2809#hn7UuE4Ek8t<dxgKT^
zWr5xH&CVB`-X5Qk;YlXHVxUD-Y1$QOThY5d-mneRY!HfgSr=6|A|`h;4#?JSx}T7U
z?6VeqcX^|G45n&rjM^=UW~SOh0updB*>!Ix^E@kfh$5#4ktGv3?gemR(uc;0+2URz
zv-l)|Z&mf@^92Grr9H<GTPjnA)os5iaKD@ewW^Z8zls0VFa2#eAQSsIpJ1P_jDnkK
z#4L($N`a}7f(#=ZF{$v&Luo+@@n7nF0zPFtwg^JIQ}-Mfmx#GeC}v;_+J{hghxRw8
zY-ZPTa_eLoc6B;#Y0k9HRb~B~c=vbwc@^Y2RV!*mM@y}!(l|@aF>|y!f#Ng`iV=@3
z&5j1nZZU-#n_=IlXK6vU@o}@$aQkE78TJFJ_B}||dDjz@g-oz3;_gKBN}JTXWZF61
z&UGP3m4=W$t!l3O{kLfr!i03em*Mxot&*(|ADc;c-wM(&(dh@jDy=Y_%mJ`)6WLz9
z4<M9dDGE;aQH6cC1@$;)4=QaAf5X7%GY;rNAFh6}*c}*TR8yyFE{Fg>9=`KXG~qc|
zX3<;x^=97f9q!Y{vMtBu*vGAIBXl2cf>O6qqeW1l=zN7r%6Z>g3GEDLm~_`0?~B3=
z%c==xdSnpzfwHx^wi2}KCPM@X0nW@Qqh6ivemR0iQj8W2nwSq3e#LA<T|0`Wetyls
ztZ<?2j0M9>YuuqbpkjztU>YIuDr}OdA?%iNQnI%`ACI&`W+=8d7&Z>b+o2jX#K#Xs
zycvQccKwjU>)aR=fgMxI`AX}ilRqb_i@151V3PINJ!qP@b+*1D^6Zt0_UT&Nw;;xb
zYy+iZl>LRGrpKa<%k@UobAj`;t$62Sl@UnvhYRRaGyi4kk7=HUKdc$<4cUK0e}Eej
z^Fa_ugDx^*-xdCteSeDFd1ObKc<4#*sW#6FN&IMtD)(ko2Efe;(%e8_NVdBUxPnDJ
z@SRW);8lEptBXqJJUb6YSHA`*5*SWluWed`Cu$-ixt>?Lb8)VGe4h_79i2CB#1h=2
zsZ(3sJm`0j_CR)8bw&kCvhkJ#oG&yuG<#olp(hKvw1TxNRTIjYVzyairXKJ#+6{uI
zhKGPiWus&4R*&oor(T6<^TJ;0PFJswUK7Ex450Jg+ePjQtSU`sGb1cAB|FeupF@z6
zR>UNGpcL{bu*LVO8j|7eTjyOGIo))%80U%`U{T&u7^9>#bNvY+w&o+D>+RN%NtO8k
zA%@rYQ@~AqHF=!`n%&!HM#%PhHbFUB+{{3<LHO3qdn@C|?%FC>or_K5nI8mmpP6|m
zksu;9pXJ0jf}K(0Yf(ufW|!_#x4z0J_J?Gu4>q*VlFTBN`22bgKS;jX)^v$Yu@?Z&
zj#)nV&SN{MoZUMuk=|K$JKi}=fi_nv;pZ0_o$l_<HMs2`H+XC4{4>x!$Gkt`5G(#w
zAC(TZU0d_`L}duP`fu<I9%R*>+1<5+3ngyKpewOonSC_oH~x&Yl+?y0I(oKpe9tzN
z2*`{f=EgeY;-L?432A!0Q42@<4w$5QCw{k>a;c4Ct_+lhkZQPCxbpna;Q1{E2_h6(
zYkQT4qFcRV8$TNij=vGs1v^b~xh&TCfu{i&M<;`hqzOHYS8TG2LY+!x)%uK&y5B*E
zeSh1yoXSU`i7P4WC2DpuypGy32Ip?S=bJO?Tk9NQn)I^`iCwA27d4m{sVVjPCmbgC
zaH3bWT-a=J;=SEfnk+BGH~Bq032LoTU*r#xD15~E665ojnX;uXHNE_j9R>jRiopT2
zOh}n_?Q~K@nJzplbs<@2ic7OCYKXcr<Uublieta$0gy-T&}BTgZcxRai4UpuEIFqZ
zG+SXvF4ZNA$EylJ*If}s{>7@4!0Jxb4O~F<ii(f%BUsFj8kobs@rrxjZ@K$?w@bz4
zFrQ0F>L$eWA-UG}iTfk7cB4|{Rtdoo7c`vud9!J}Mp3*(wZNu5Z>XMlw#j5j#&~4m
zSXwOj+?t0$O?CQPljih<gz0GApeIh8xHdcUZ=^cg<syPWE0dy)5VZT^4VzxSZocAd
zFso%@lAwo&N&JV_s;QDq8~we#m6Q3{qS<sI+Beq%+D?S*%Z5w%_I62}e$`t{hzt+`
znhy7mSAjW#Q2*_HhHqATx1onqG>d8);RE%arHbsRWj~Pz1BqTDc3ErZcA$&xs%!#o
z&qiP*uy%_$A$SEGKIKPVeK9EB@?8@=tQ<Bjc-3x{THK~7Tg@-re(W~nqrA1wXf}T`
z6R(H;h13?Iod^79RI5T`hkXfrIfb!HlhJPfVg)0lI$PPFgVv#R0qC;+&TO8x8LtC3
z8f_%wn8OQPJ17zEee557h<^nh#^N>2Jzf#}%;BMO5iGX|tbT<S{lAx}K3YRj2RfL*
zH4O=jGgl<5bDncVvzEpw5E|>>hm_Tjb1`VNXU%4X`o?qS8N|Fs?yFFm%aW&o7=uWU
zfJgn$D}VsizKskk3LR!o`3R>x3=iXEeeEfG9oF$<o^1OkdxGWFT@^-H&0r<Y|M%bj
z=m9T0tvK)La@RL>m=O4uO%%!82lzjaMs{qDjnn~?X36!9fMy#>U6&(KkMaOI(SNz3
zX%I9Gju9l0XDA81iKqcnA5ix6D@y`sDn6LBcyBHvYx=ZpwR{g4s3_zTC8YUhcmKYL
zLK}BC!nOxhTvx0$`{S%(^HQUPEx(})Fw;$DN#$9@CeX<K5SivD@gy3VoX+rX&x+t@
z0cXm7end{l98<bxWk7g#H!@t8fWwQ9d^v%wM)h5bX{Up87rJs!lF};hr+?`(y!$wr
zuXa0{=M(~fFXZby!t@<f<?`5Xnt|?sa%>%H7Im9x(!OmX0t=|o+kcs2cn9ERb>5-u
z2twd<)xC?>eno=tZ13YLI+y<AZH3dWNZ{Hr|3s^m%Y3trYI+X%<G=r_egNDTt)j2N
zE7uU7iF)?=u;6EBn=xJhTzw6~8dGb&e>!Agwf>L3CZO4~$s#9g#{~)8e|_aw^URBN
zB))^|ew3`C`L$SC0nU=uDO61elJrOV*9(T*q0PIv+vWVW#<k3zJrk$@nhGY5h1eWp
zfaH7c0)2e%8ZlGICfFRXwR54CgB<nmFX(t3V4aEWG-I%7yk53XAAKw`^Jl{BFj-cA
zyxOy}+|lVKHhjz?dcd5Q``;$$3={qwzH-2Js&Wj4lmzvnA8g?E%nNV)?K`->yE{5G
z;TPZjW`v$s;mY^l%OVPJg>#rpf(dWrSP(!J6JePVW=sKMpvyIpmp#nL&c&;SN`ilr
z-aVX-G~U$R9u@ulG%omj3&T?tObD)tzlBr&WD@OS>R0u0l~t~7)y1*)5(@r%n*N{~
zR|86FC^-^n5KhsIFR`a{Z9uT$mmSwjzapi)HxYsw$)9dTa03cnk3nN&(?eZDA9P-P
z#U0u=iT-ULhyqS<`ga;Bfsm6lW!SU<VE&PoOYvl>QTa@oZs%sr1XPW8Ja$@@*zrAL
zaXV;s*8-uxB!i_O6QW)M#)$c+KKS1oe=LM1oC5_Tk}))R|1f6M1YD0Ki(Alzm`q6?
z3!+8Afby1B(Xd(T@GI2`o85F>J&;PjR1=lk|LKE&?3RMRNnr$1GamtLIFhQk$UQ_*
z2pf5lzj~w3!xxW@pn1)o3cAG;FK}IGq7m|MA|y%81(>&9s#G7?ptZ<}S-9((pv3VP
zAlIFz%fA>5eZRZ4W$aRi&PZ&kL~+Ptov7$nHbbfubip@av`YG~Z=)7K8%}CfG#y(s
z_c{}5n$DW8x3L6AV<J^eD+Hj!ta+O`^?%IgcQ`6}1a)Dv3dKVR{!OU<9#nunegz&C
z-yH3a<%c5<i_j5&EvXK5q%<{M1N%aJcJzOfivQKENHOs3CMIZk<kXAjA3HEixA%v7
zxp;Qpw@UcGUXOqmLMMu>Mu+Rm0I%?3KdCf0(li<JLoV(=7DiMJw|_?TL`C0Z+G4cx
zKG{EYMt!H@_v@g4pSl0pi-8jU=&&q`_t!kMXztl90A5f9$HkxZtbg66f8SGYqQOmD
z=fS+3uaow}h`I|d41bt+g}ZWW!Zw-yv#~$Y;|G6uN_cX#Yg#Kbg`)V{;0#2@e=PR@
z4XZ*D-Y7h)LCX`(xHuMNa{*31DzLW**k-onmiTwABnpVc)5mf9>`=u4f1U+tjeoBe
zE;C#Xb)WyU;V69Yd=#t|X#&BJxFIBt<IiE|#tTW>!pIPz|5^ai1Uxv^Lk8O$Cpg_=
zFvA(5x87hz+DDx+bj0~zjs1n-R?Yd%p4Lf8>No;+Vj2FvxY4>vcl1h&{~Odlgge0h
z?-ysGuxT}?qlFRuc&js`KJU3=zw{p)68^K30lugeQF=31!uSLt@bZ6JxQQp%)hFHC
z{!;(0FX8j7L<4UueG8eh0{ALC=W>|-5y6kQFM6l1@n2nlC%2ooj21;sc;@ShwV=V-
zqAJmgR~Iu)%AbrJiTw|md4-nyw<KD88_T~!6}`jzg!~5H_NabE(UAGS-^_z*eAp5T
zPg6e1FtZN|paxZpo3%sq8a?eHeE&6Vuh1Gq;R{WaRV96ch9tH5re`{mLSQM_@MjP;
z2*Kt}RP%p!MpOb1uBOO=5E2h*v*)Zp!{10fK-O}O7w;|9|DKX1dWD7M0}TPRhR+=;
zZ=j%U5g}NSewW|>-*)2_qfXsTQqkvgcwHG;1Lve#mA77V=<2!{&R^gqx0_ePKr5gU
zH5;f4S)I%XsY$MH`h`-vE#E-7hQw8H7)yC1%HrGq5oAfKfZD@4sm7|jT<iI?KQ4i+
z|Ja72gt+jP569vTPVqp>>J9`F5@^^CJO-tjbdRx^bhERV9Q?s_AhA6Sdi4tYB=t#5
zCAG6B*LlA+*VcfK?;=`rqFz2g1tu!wpsoK%6V@?gH<BndIdi(=Ykx!PxD<ojEP}E>
z!l=gvrIILHSl;Gl1q~saam_s?+ri}{@U#BOquj+pG%|<Hj)X>wak%wL6-%#?n6C!h
z7rRq6wlW>a!*rbl-_f+FvMEivy1rh|CzbK6%F>iAt<xuCVxG!MRUd8J>?|RP<@>9U
zgCb-nbok!yaq>q3$i5QMuaAdV&Dh2j=%vtR`qs+gc_5NrtG%35_&kVk*matEtY6(-
zj8^nG9-sv|N@sp3Qu(bH2DW!n-X~g929@drUmPT^s-2#E?DFjNQAp;rQ=WskVu$_R
zcYqZ9!(F}gB%g?S;uKS*qQO|MTg~OjDf0Ks`kNuyW1{<fFIEt4NXYJgA>bzzZGmG>
zfTt_RT|>6Dn(lhVExUVklsuv9NITNmM~Mz+M!#_?pEi{*Cp?<McN}dO=uu}9sSY(-
zhckAGop#`8{4oj^J>U9Y?XTuJ{~_d(qHCM%34_ttM13l{^h~|w|I}^dbZcAQvz@jc
zYS4Ds4}xUeWP>UI1;fr_Ce_4WM0%Nw?9A$A5P*D-+6aqOdSI0jXZa76B5h5zLI}h@
z4^pTbKE<MxS*zPK&}26*TLgLk+4Crss6^A2_8*E-4-ZoBn<{wzcvRT7y>mie3bnGY
zEp7y0z?9gUE<SUOV*W#SL<hkE{NS&zqi@Z)5grS(`#GQx*X6CV=;wB9LUFNT&Ab}8
z!JUHdag9{kLzV5o%c%>F-2P_3ZZ~JD75N@HRChcGP^PiT3r$JD(>Ge5WYoRP`<}~?
zxpT|@txgeW-x*y?%r{u5!&s^hXLV;Fks?k0or`kR|3ubo_-l`H-v}XWnZ__-A0!+i
z3;=S%9ft^+Uia<g`WbyQR6X0F6zd>^kw^PC<f1q+R1xH@4EK>c-b9Q*Gw%r-x7#cN
zQT&wa;*a7FPg6i+A~R}%<cs~}*e?YV9W7`<&o5@XBF#%mFSW*VKLK*3rOxpuGmTB(
zdNa)xL>kUpCOV^RV*T|{ht)7Rvz5xf@BvpVZTA@3{`s9b^Y`boJIi9$;}%0sV8_M~
z*rr2x?5FkHtAtf0fEQ_Ad<<Nt+RUy>SrYZe$6XW8{9n4CN^@VX;*d1n$cgFSqEKa;
zzzav%JZ4fL4LkjQq_UbiuwJgc(-WEUi>GmYxISJW460l>vs`S`DaO!+;{iAT@b}U$
zoMO%8;EzXH{f9>ICqj}%#AIK%up)c2aWYHW<=ZITp+f!b*>CMUS&<D7?kKckE*~E4
zGCUkW(ITs?8n(F=F__@L^SZbnm&<7Hn`1t~e`U60y*3j@v~pPCmV<Tkd591$nH(`4
zUrb0yK_NbHF!>J&K8u78`>IUbukI6af=CpG*Y<k^rnqPFdTy91k{Q)pyW$*oI(DrU
z6dD)F8Uo_CzMUwv(X|^_%ynPx%c?`ED*}}oMo?URNX{!k4OeBX{}0@EoA_$ira2N*
z2ldG-vdWAS&;4bRUa?ecpMbQT(GrD>ERr9VFlgC84K93`YoD1fe9PNxJJ+BCH!d-i
zgx3!gZ<NMrHN}TfBv?VRx!^8Q>5{QzaDL!G%Rqc#gIUPeI>#%uuV`SRV)Y?lMSr=5
z8X59Ia3GkGu`lF2Uk4Y1Uqb(IMyJp7ZV*qSh$Ak6Sy{SRZ2&5PIVjV04<xthI|Z`B
z$rOa_s&A(F+SM9mH@(^W*;!aqRR?cZ+gGD7AI#D_IJUX@{C=Biw7%Xwccl%t*RAE~
zZColexPHtq!bMCKm#HUiKQFed#6HJjex|E18N$-2%lVX0zErGBUnNCvR0yf8QBe*J
zwfFnw!p9g)2z?gxJOZM9!+*C+xUN-wiVvp~yAAVgpaM#!=nfzB)PikT)$8KZCJNqJ
zYk{crgQjbhx$dsUHkPNs>evJ!&8iRqUx}_|f#yH2iGD%OJDgJ<;0KY5ZMPwlBRzOj
zQ@*_$es$X*R9fc7)?<*SRDr*y$k28)<VByv5_py9i0|_<na6Q)V>n;KC+L;Pr_WRw
zDOi(`28+*YZ1fBhVycXGz-MnCAp1zvU!cdfxLi64_tVHBrkp&J=ko9@acS%fFXH##
zXA5Y-sVrf=ID~8~;E%%EV7&+ko7JpM6d%}_t@U>4yW<~&yZ7zb_q`F)4o{8uPuMS>
zjj|bpi$bJfFj~)<SSR@scCHIo`tF9ybqfxUgN&!srpllii{xi;sh9|5(e+DC0KV}^
zicNC~vszfc0tu&Y>7QdBe&;x(yBixU<LV~0c24UUZxKhRY-(la68Tkog{#KjJbcIA
z0T<{87N485!pOXa^`oKQfrRLX>C~}f*6qP<;@S<$V6&ubD%ONm2_hEtTb+n2rFIKY
zg%Z-Ky+gxe<fBpT8`YaUk=`;XhyaH*Rf8TT-=B_@D!<v5Zx0tT@ZI|dw}XqA9laXo
zf}9%RO0-U*&Snu>Io|DXgj<`ZIjw#9llFzG?Prj6xWZAqDj}&D5mH|JgUBQ_hd~>S
z*h(9Iz~G73*7Ixsz{XqMmgZ;rwWIt|98~u11b)P$8*Akk8Qx$cjM}f}M%Sfc5}%Dw
z=SuLoE+e$6&t1&o{dy}GstRN1xcq=eJXKD#)G;Ol{l(`DuBZ$2e%M5B^c(+Cc<a%d
z_|}h*#VV*dzREN{MMX4JU8>aIEbPaFSLxDIzq5%;E&Y15y|C!-;8hU<Rn#-=A%BH3
zEonm*FMPFOb_&J{^K-Vt6nCJVni@rRALaw{-A%-^JlxD^>!)8ltW&|bk6zaoOFtz2
z!|CqQE^&wzF?9gWHtAhpwO=GGJapL$9BQv8+|+eFHJaSMv`av-m7Ski&-Bxxj}qb0
zA}n650CwgK73i^Y>cUkkqq<I-=iVEZV@E2udh$XVHuLey<8V4%8_VFlY_M0M#Jja}
ztYOhx75@FcMClk0Y`qpsd@o%;?^>MlDAHFN!^uWzCFKDe#4h>zbv2D0o|37)1Nb(?
z5LBj*VB*;Q^`-Pi{%<UjsNw<S-w~Io>vwVc0%QU>BlB>tEIIG*L&><kLzf&^r*a2N
z#uu_%8qL@A4j?AIpam}~_Jrrzr*!y}gZi~f#+Y#aam+A{v%qScXcOuiMKyJzH%a>N
zKVRr`IjkR&yOE6v&P-#bCn@$0s(Sw3%&6=E^j!0~_Z|Mm<p^g*va*!Z1fS1%VQl|4
zGd=dr4}HwYgrn7okFPG@IF-d@P~MhI4{HFfiPWzdM3ER|7dG1hZ4*^bzFr*|N6PqX
z1sm=Khi{$l?tYT%mPuTZ>2WL0UGfJN&7nh)%f#af?4p?mOPL&deA66x1WR5Z9tYX3
z66CMz?+=_?6$r#vWM|4284`7Q6n93WbX)Bv3Io?|l?pdrsTM~6G&Hb*dRRjJy5UqI
zZ>UZgUlQGt`^{gpx=FTva_}<t;7aGd&0WV3tLxk9YBx7r+dftmFr3%JA{{3I%xiIM
zP8RTsdxW!8^9wIUR7{JA9af)flsqZ4S)85LR{Soz&^=_|hp6<flaA+D(8GCWRW;VS
z8jS>}1WXo{?H0faqdpPGzOTx8v5qYHw^5=i?Q9vQW8B3Jd=*U`$mh$&pU4I1gwb+D
z5x6#Xp^7@eP~*RS1TNvyy>_0J{J{?FsehTY;;z20=|BNRGE`w;Q%<dfuoK+tjIXx;
zneo26o82Ou5u-92e~6m<IlIayE_<l&BzVT)AEe*<%TcM?lw^RpHW8*8HoHH#aRv{F
zLQ1I2z9@6V{X1mo&s@F4p6TDnL6Q~$RQ_un<<f%I`_1Dgzyi|R1h+_c4;t|8T!pej
zc8$P}qL?z8ky}eeis#ODqawb#>=G56GDg4^La|1OKZlZ;#EkmK7JYcOa^q$KpJG_9
z?Fm~q{{mDMXV>1&EA0^^wW7oGS6l{4w=Yf$+=(b*|1!IxVXhK<iCeCM^wf1;<0Y$X
z!3octt`wFU>$i+5P*X~Cvou9xD%dPDX2nG1UH7R%B%V9J1;!8rcfWF0^r4*u-Z0Is
zOKz*e;}MFT+8X24XYykJgypT(qK&hooNa+*32Wl#6an=rM?V$rPBE%6XU(0+4EeE|
z>Lc#nSG;65gypsT`u0+1mD=Nc)pL5=!?QDR_>u5?`U@vi=>Z;WC=E9!1#IKapOZ*4
z14_~q_LnM)YZSs&Fb@-nkgDy{wh@j$&gWh}Ax4d%dewpQ2vlcvet)_r*ATG%F+x^u
zY5C1x^l?H#4EzyP@gej~2rW0tpYKLe5BqVJ0|<E*U^t2iMv^^D9B06_PL56La4H{x
zvVxj*3)Adn1GM4n#47#pjE0m4iZbw*iWHw}$L17LLujD??kaOQ0TS-j&m?#m-CxXA
zQ5A)rFL8MWsq3Kovvk(HaL>6YM*Fv|TT8Ed2lqb8kA{&w3hUmvFD9qIqa@j_OLZ{B
z;oQ2w2;1m&?4rv#b#O5*QkrThVyMrjrWOQOYu2Nhc3d#(rB!PMm__dY!9N`Immw{J
zSXXjtiWM!K{&=m_=vXFr{|8nv(5`{<66dduq)!qOl%yb*FlWVPMZ<U%nc0mzYr|B;
z?^Xz^7vW_c4%|-1CL9RuBapVK#YsTB822+fX=Cq<-Q6ikEk-8sTPffSs6Qc&*08ty
zG=acW{zVPV2@h@51k6i~JMhUw!+dZF*$XcrY4J7_eu@)9+87a<m?ZP786<}MkKHu|
z6{b8R5~Ea4%}FUp+Xp=5jOTPk!j{r2?5NESgc<PYErYW!2AA4x4Lm$Pnb?QF(SL!5
z`Q-%er<zRMQSo3geZyN8UGcPYNb<tGe~3n3$drUD*L)+-?V(b{)bF;^cRo4K`PzIe
z?@<3zO86ccub!R6#@{RkM_Yeoov)gXEfbs60>YsI(g76maODb!D|Y%)O4Jm3D%Ifx
zfOEJ%5rWa(?!M!3$6SDF;&cR56Az)W)G8Gfmq#T|A9;}Pg_hFaRy5tOVx$+gT<rh;
z_F!p#ZPw79QAh|ZMJ=0ua4n;(W2tgdhC|>9`3`MSc|ZBbX+%)Pql@4iSri&9e7#IH
zYr;r*1K-{9j2!sF{P<A9ZbRPoc7QRLLgXp8$-wI^H`YeTt+@T9WPZa3z4I&{YxjmL
z)$n|vjTwR9<64T6dQYLfwELt}nDL`$Sp!qswyH66ZjN1+w(SR#o<aSlF`rWH0NQO>
z+j{$M|0%6V=0rgxwHjd%(uCNnN)o-h)yInb67?adZ^10~V!~0E0m^jjwN3H2<JWFr
z<G+Rp#Jt-dY;Bpjtl|ga-<mA((%^U0*eTCX7zU!{6ooAlgBI(=1-F8H2X5devJBh`
zE8{hdzKJCqxRFNqm9=myk~GcI+IZ@?D(uhoXzI+dHhI0xBD0a|+Lc1UqF!(a%I)~+
zW~+$0hW=I&+Q-7je1PtQm~06Pi}iC#i>^s#m}^0e09MjPrt1eoC%<MFLvpoV{d(P#
zb{4gaW#YG2hu>H#5=v2bKsWFZu%L862*OOA>MfnHbucm2JCg6y|2xvoIb6T@Dr_oh
zu|Vi{m`<Z+<H&b(LicClW(H^FtkoO7Vo}RaNLSc@{5dKveIkol%S9#~ZVq=4Myw+^
z;zrfA5O+uE){Fq|z6CtuM~I)0)vVc;Qs|LD>S2+yHP+(qN@<+2N!X&*pyd5@grp&)
zHV0omyjR?tp<lB0>C9nm>ax!z=Y>?lOQ64z{eY|i_F}dIQS6s$qovnKS2|g{+^3G1
zkWOK!OK2G2dRX(=qGyU~711s~P@8+@E>35sgfT5!eQqMDcv{0xqFUz<!QId3Q&^cP
z1KKuHB$G1~c1MS79Vzdf9NugOkH0BZ=~cfpVSK$f)?ON0-X2v~eD#ntFM`+a3{cVS
z5&3nUn6fe3V<$;%k7Stl#LZ!ZY)iM|?5_K%SE8nvGls`&G0V0A?^W`M{x&rAu+?^1
zMK{@}`ktyRDmzxM+Isknb@oHI7d8)PJPJwy5|5}Uy>r-3hNlwW>CF^giyPeOquT!4
z{w6kX!LzLVOVjY{C_1mSFMvy;Z+&eahO=4@?%5o#rdz?z=T<AfhEW5T>r_n!q7+8+
zE*mP3r%?3~@DLWwMwaO~O>N@!o*}H0G=c2}GXNR*NtIX3A7ea}St$UTgxx-34{$e+
zh|hYh7D*nQKGvY{VIW49Mjfh1r-TNDMUI~yeuh-8t)mmliGz6S)B`IEHY|xO0-$=z
zet6&B6Ky3rs00M@ms08-$y7>YDJWYQmAby1)VgcbIMym~+UkpaH@3Vy{cSk5fg7Uo
zF0VLR;_mn6O#>zyg!oAybe2fOE~*B6>7+MbZx5iS7eFej>c9B$qrM-EdN|*Y9CD@v
z|2ES_+X8l4=$4<(oF0BxyNTQ+_|PH*qfM2mN|=nY013Oy=N;WPCaC9b)K|;jkckbM
z0`rs~iVYSg&Jl=YSUA{eY8^o{66WOw-vAhk`rF%3z)*`6ghJ$=h#7+hTw$44*s+jD
ztU)v{E1juKq9=`MW^Vv(U}iBnpD-t~(#f-#1~q;kvaai)7#_s$Gy58;{lkJdM!(b6
zjrP=}B&>e$HIPYoh9-HrX|hoS2-(jqpXDY{vukNq@O^Tsr8fZ*(i|4u{)mBxZI@QV
zT}GnCNN2;NyVu<WMIF+^!K<dc0q_V%sc;4$azKOJe2YnNjK=7GR-Rv^9?RdMZQMqW
z?e`NjtMF<=m9nNmwKiT2IV?OpwHn^Z#ASh6_1{rGVI%I0qx|3kmXwU!ej+VXWul@`
zXLWutK2<g$E%CiHO**>m1r6EI;YjO;YfeYS%cZ(WURlOy#rf%$!_zBxK-2JV>@!4j
zfzq~NB=4P6VTF?KPfXSamTBD1pUj%D@1JpwPu3iP?N^b(1p{+v>!Gf$r)Q^Rg4O!j
zFvTwP32mVlN;rp$nqjH7UOsXO`ZppLWY8a#7qsQJA5jbdHhk>G5|GQ18yYk~2T#51
zs}I3hXz7^R{1$_h^vQhRdk+wPu^Wm90QcEK+zpDlVPQZ?9#!>7W5JPB#AkuG`c*0p
z@93wAEo~bsH2K<gh~Zzw4ctO?Vv1AC?E{-Y>R+xsrB2JXA`O1mxFJ6@fQP!q!GnPz
zx6wttQ&p37sSh*8*J3>9{AxE6CdWKy*HRMNCF9aE%*yL<n$n=}gG%BID+r@(HADzf
zXMOuYt9aMXJk=ZSVa}58C~6G##ST>D@El+wellg3>Ua-0UQ~%JK7?~i!X^_$;UyMB
zEDJ1XU%+FU1FpD5+8jn|;+Vr5-z9mlU~eRv3?VSkzHR;ny2k7D7O|-keBo?)u2;=k
zah{BQX$0JE{SZLR?5j5f0n0AN`xnC@__>^}2~z9<l8K!v@Hh2Ng~3Exe@@#8F=~%x
z>*2~YNv|b56i6_a^TR<SRqMRCuAix0<DV89KKpjkiH1VM_=~~m$Vx}}S!@Vt*duHk
zpwU7LglKr5@%_<3YH}-On=aY;z78qcQ1#*a)mZb(9-7Q&W&|Otcr4asZCS3Mm^gcz
zjK?zb(E~R8O|6--sN;hytMP`D=5XqVs`LFCvZ9VaWI_Tj{y@j<8Et--ZWhGXDuz8j
zyN=b+s2RS@qq-H5RR4rtsvV>fcY&s*`A$9pits|Tncf?z?awspD>iU&C*-Kt+a}Nk
zd_rQ7(<$H30R|sWl$f!4JpaB1G0WZpwC27%!rkL*ECAbKMQ<)q6alz{{p&jo)puxH
z#k{h8<S|s!cP~B_bCqZ>m*pc-VOM_>@NyPpZ@wF&V>Jwk_j;2G*~;(G3p@o^nJ($A
zSCXdr?(qQCzi8<MMRF<yAP=?Tw!_eudoCVMeRb)zq?e))OdCHg#URn3Qb%eoqn31y
zwQH0a4$dnt*uv9B2;UiMd^&!V1gzkMxRl>1U+UJG59|~USH_@o*h%!LRmF6$x0gne
zUc*V)@G^&<Ka}dh?LYZ@|6f^W0uI&pKJYP(vSp1D*~c<tO_E(ATO={|Z5UIOM7HdO
zEFm<cY$+m=r81V7NHh{D>mZUOvP{Sp|8w=N`2Rfj@m%99?|ILA?!EKApZ8qIpDRc2
znWQ9|N(73Fjf-+{;RsjP?M|rfYX>MtRA^>3C)dG-pd&$N_Zf?~tvw_eJb}X|3tWv*
zk@2|RS)_HJdsOhVmvp@Qt*utO&9yZ0=ZApXdjCm--D@^PyCSlwdV|~4Bfq_8&DG``
zo2<tyqY<?t9eK|FFMUsh98au#&=Qrr7bCNWU2hje<>{x>88+Y@vWmEFPss=fC>h@G
zI<K;81~)O>c=+lu$7Qmb+>v+gFC8X3UJX@zh=_UXs?N-;ws;eI3d?wWzh3Oc1P!O<
z3nk1{VI0Cy$9qNJC)e74snF_Fe%~n-WN#R3oJCE^#>y*l<`T7x7Vf8{!LUc2c<WV4
z>xu%?DnnmJ)_zs7b2jBHo`t+?U)D+oA4({`m0#`NP03%SarS)w4fVv~>(AHCoDm+$
zz>PvK&}cAPY4nYrb1E)Ben-`)ofCcBM@|u`Tq4KlDNO%Tpkro!#kAzy(rBamjN}v5
zWnIz;Af}>E$txy>DI#v*mY#5cS9W_|+ZcY2e5Nc5wi4i;`#~-}2p&pPf)|-Bs8QcZ
zEF!}K;mOf&+C1l;IR`61jKF%@tatB==`s}X8i^og&%GW0A#y{gjyV(_zm&|cFK~y>
z*55Ta=K5U3o|(!4MI-g)&bp%3DUc=j$z7DpyP#qA5F_#3KdP}~CDT8<#qI1yNkI99
zv~NyrYqDMhre7VmyVyh@|5R7D>n<MT!ZhpP6=gBZjfeZ!!gyeNEMitJR2Uf6WasU<
zV7b6V2;|EY99?JjOJe$^KCgzQ8Bx7=Lz9)xkqQ!_M^Zv99S4E`L)`FY%UrQdy^(bN
zMXVWVq~+IAI$}T+rgP4Pm%R7mEg5G~%L-B3(lZsRvS*H4Dkd$QCn4h-pUv%{C+g<}
zq|CZ#mY&O0(O9dJw_hdleOx3RA{Z$Ly<<0!GcFiCHR{XmnE(sH+qYX~Oa`yG0oXHm
zs;|7A4miqa{cL;8P&Zjvgc5FPv#84%?i@O7mEX<;wwHCMi>CdtxEgo=BO&zl2ksFr
z1xwDFU)8Rrd0xbFVT{_uKop}}?zJ?Uv_rAhBY{(WeO`l^DY);|o=s+7kBFYMkr}sD
zx6henAmpx$(aP~$q79DxL`D}CwS;`~&+^6kZ}gN<q<46v3ps?O_3q|OwYC^Kq<@jZ
zXZ2__o8!RgW*+BAZlmF;)8BL?&d=4<nd2H!An5d^SFZ3I$V()5dOn|16J1SWh`2>t
zm4vVrFgYcq47Ma7>c|yem8o~it)1<!jUe~7*V{=$nf~791>q(W09U=Oz-%EN5z_us
zWcW~cYFk62a?ZL6UzVt)<aIHBuBG`RoYyy6XXmJ}FvF?pg}K(|qBIJ)H%_q)dsnI1
ze;HcO(z)~eb13_4G?dUg7PD&8s!(|{X*ZkV#>eB2*=qMI6boFNFA(%pDK@_c0!?Pt
zT+)45VtiXhg?@h9fB+ivDvM+nte+$>>BNd4=kOAa@f^J)oEKxz6x3N3NuAamk-HPJ
z|EYoT>27U16^j(WW$L$nA;e!3C%!VmxPGgTmrh`CP1K+2N;{lj8m;q;dqy4uZAWsk
zpFWaIa3Q?Os=<$ONZ<F{z(>{I#bO09T=s3Z&2Gfs@of?Ec?*1&C{C3#-=|@{d4@Ac
zg)XHrjA(;DQ&lEnioL)ZX;D&>8#ADB=5p^hwSmHr<>04Ic~%Z~!gmLBFc!qF<FBm3
z8GFnCYHIJ?X8O*9ze<B%MA&of6fO1LxFOEE1<S#87X&ZsM)vm>9y33iH;psmF+Wt&
zcRK&Vje60?950_;-$P9KIb*S>Dm`1DWDbAy!JEsr`WOf4g!%Z{k3X7QF6wr1z2s{0
zrsaBF8ZGPhLX`V4*1pZ8$K|ves>s^*!7<v41~ooI3$?L$XAn#dt3c$`QXAKr`c4I$
z=Hav)@^nSh2z8YB;D9Ht+pBT#v@<Gqn0?7B!p5<D<VE%5?e+N2M>r+b^{z0w15O8v
zDl3`z*lSW-yP@y@hV|Ct(7Tuia|WVxxq<CQQV5S2-=^BxRop@@HnQ{J(wwi?M`w9+
z)fi7k`3!k~q_<8a4^mVY00?S4#872AUhq`)0WJB!cGrUzDr=tF!HZhynR>TTXu>)w
zYY0c~kJN%s2*HZJKHzsl_YBD?8AvGT8ZFM13(+p)#_Cy~a1wh=^+<+rLYL6DM?HsA
zC<L@)fu`UBney6scejMNSi5Q`=4}l&=oWGbK%*SB#z*os3rGyeR$$Uhz)d!<)EQ}#
zeZbIFmgbfV3wLd$z%#aDtSMXZ05jhQX-_ixx>8ayUFvB?+deZ7-VU=;>N$(sg~Z+M
z>Yc_`6<trv_XHa}sBz4F+wf~XoMPRQH?Ck3t1&sgdr@s+NlR(<<}6VwroVGpI#nUl
zSPgJfqT!1uO4nrjlvJr%8R~gpS87`JR{>n>mjazD$)(t_4~H4({q<qp5hmEokldkP
z>%-FupOHT5jmmd`E(AQa+k-%^X)wiTrt+juz)0DmX=Q2cle7A0GzDfAhB!p;C_S1+
z>)$4L|LH!dO|WY<9d?rqL<db0CI~Y8yB$y(*R7>m&8q#;@JQ|EXN0lqDU;;&RkOIW
zFI@8YG^U(UWuL6DnfI|43(CaQ*wv>d$Jd@5M2YHs-B;Q_h^cz#1P=tUg!2*sZ$c0w
zS3;-HE_{f^Ap`Ke?91K*x5X><Q}lsPU}B&yHsdin9f_K#1wSeRD@wuhd58gzs}^`W
zTiytY30-V*G<gTnp8sCRYG5TLZ|X`B=01g?m|k3DSRveN%*!RG9Hn077hbzOt+hN>
z*;RhoXw5&tv+rAea(c$YWbR87E!VHwgRQdm8o{QEc3o;ssT{Hq(Lga;+B!JvdraHE
zQdlakTWDaX+WMRl4xe=T9B=_ICyfal0ALQQF)5=x;=-7i3Stpu734C7&d9VT%Fw&e
z(;#rVZ*seuDA!{w$}W?dv>%nn{<vZ(6CFbv7r}fUrAvF{Eke6=IOaji!DhviO%}KE
zvFJT$iv}#=Z0RLqiPx>Ig#BHu;?m~ltlUS0_*V{6=sH6YPdD7Dm#wPYij?usByjoS
zTvf>qMa7q+i`fZ>NNr^!y(1v}sYvhmDZ*X&=4pQio6JeNZoacLM1$ba4~6yDe8!4?
zRu=|OL~-tn<X067`@!{k=NFlN>_BVx!?12n^yhu!as#v%Wv<c+Mk3bq9G7F+g}b|w
zamZH<XfBqbqVWXyXw|)kHxu<RE(tXHOm!Q$JW2a%oy?iMyn>?veJ3T{4AZ`NUws|D
zp)X(#_dIZa)zJ<55*N>Jn4*bcmnB#xahN`E9B%MHm1I0jS%|({n+uP_UvZ#YTce<=
z78hUF)a*d^Sj>E{S(X3zA9V|$2hDs|(!fq96Y)Z}oJS#UYnHbW<;h`HUc)zq824U^
zE+mo-3iz1%r6TX`vcq$z3x%1lbdei6_lP))7u&sEJF~oT!)e6o1h;taLFH+^Kcp0^
zEd0xwgyZ0%onIk|Iw<ILO;6wm;tiwR9^tz(Xkl3?z!qZ2o*-fqKF_fPasvi@H$Ds=
z2!~Jp5VRxkJY8^Mevdyd`>FAJiT3jetT1cP8Kr+=cL5p=j$xta-n!R}+uoMB7>V3?
zipYs*h~#!Hqf}n_n2BViyh%$}lD))l|K_<0?gZ^UKdJJ(6UdGy;;NMWpI{+#-@RHJ
z2SKud>iXJL>91B4(((eKH(cwF_?qx^?Xb9ow|qvZ(u}d!{lE#hhvtXYdDP<*I)tjs
z8?|DZKab9&<K5!o<50)*Y&T}&yj?(OC7C(kU2>b(i!KhA>jqJ5s1{?(r?EbaB^~9^
zx4A#Oa0rsLoLHe7b#x%}ciVcTGz9D8>ofzw0cYTSg>xJ|WOGHMn^H)X#+8o`1CUC&
zcqw5um2wu0Nje3huT#t~FG`?_C~3l&mi>gxLuTK&Qd26kC^jgJi`i8Z>3_Yko&yNB
zoM%l%^9=?`d_egoraFrZ&&c2vHcppOX*Q-!CPnB^e!fi+rN2_$oC4DMOg)-vk`KM?
zf8c7*9k8~3xHI=`o~45~&p+%6kqWzMVS+uCA*{JqYuvJ26aoWgku<OBsbfy`K@ULS
zSg2jC-}qZsOm?_z67^vUL;rgJ`vZlw3~T8mn!nbk%`SVaK-*({`~zJF9IX%{X#{Dh
z4$|&N{#;EzR&<=RXffery|w7ajoO3cN3xeZyB>Zqc(7=mcOhGAV&JazSBrmx)r4~&
z4J)}iec(8%bildwHUx5!_9DKje~oLr!I>#8(I;q_mexWg*mM<XANCj!B%lbXWP;ay
zkE2RwKa|4ltSUa87#4u4K|Eq0eTPrSbLW$^se$LLHd(#<nXrLfcS*T_2k`rZXc*RQ
zF-^rWN%}39`$D?VL(_<tivOMQ-zU=?np5c5KtR@bB}%zN95;B;0|2?cUkf|%AJex<
zShT?5Oas&FNAuyW!LQDRL&9`wh4t-ve<d@1E63&n_KjxlTp|CuYD}BDdc6-0P0;;F
zSUHO+B>$FU0I4}fs0nK8SE`ZIpVffMxv<h$JK#EAd^XuyFvt+rZQ*}vKnyT_e_Hf6
z2BXUo#$Vk!94kHW;n0CgsM1>Jwp6GIkgoouj*5`y`HP8wF|~L>A1)$t;H@@8=i(uu
zY{fJu(LHPxe_)c|BX=D3O>76Ov+B;bUp8Aa0u{Ydq$juG?%{R-%WUbj7|Pmh<`~d=
z=Me;sgcSi&e+*@hG5)v2fT%mc^Fyr$TLFohrDP)l^=3iWu|no7F21=<Hx1xZ6w@_4
zKPbthz_W?w`_Y4vc6G&>+e&JJAx|i=fbB3?{GJ&=oh3jCwp{;%>HdT|QhWB=Egz2N
z77W>3`s!kuJx8<o1$+~?v?<^Wbsl^z8N9x@4BrYVc$f~%i_(=O!ZsVz)B?-+R5*b(
zsmKBB=J;o@)9g75U|s>3xV7{x#IU-aK0ic`H)m}!gPLT-KB5{fqIio<04+<hf$GQ;
zCEo$Y<9^0U4r&G1GFU-W-1n`sE#k<YLnVtO)oqwL<|V4xY);B~=q|KCIIPaKsa?qI
zHxC<N;N_96gv>&c7cCmSnVs>I&Lm)r&!&5m{rcN-8Gy1m<6<i*K=rALHV~x--tyGp
zBm2LSa)eQ186;bYwv;3W$)1jKEYz207K~u=Rvs7sx5eKl>yY_wB(eo=-j8<DR5Mex
z|48>+#u;dW1HY76--n~QIDhkT*=%5p_+1f$+YER=0CJZ{O#sTDI7+gI)C}h0(t#7v
z*BrL4Meq-oBS7N^*I?fMK#CV)nq%g(iGsR+F8cq8cw;{(WIEd13H?2c0-{yNrV;+5
zxIp8Z2O<J+vNTF2Q=*`^MIaVxH9<*tyY56-?|?#ORi0?561Xtg?Rp<V*SmdH3D9J-
zf~6<6>&hTB{%{kxl9CdfQSyJe)i63vOI60rm4`>12^g!`(J=j6n7_Y4A0RNKftcEq
zaY_(2#t8vw+j<OT&A~@#B<#TJLvcb{NVI*@SIz9_{-6GVEN6gXb>v65pcZB`U>G0P
zpRrqRz?=G!fj=Qpo9Dm~_?yF@gMuwsI8m^Zii$f4W8S_v^#mk<W|M_JF>lu7qd6VW
zWPaf1z6#fEBI-rLvbvUQvlx!z$zUOYZDKe3d`52)faBq2{5x3aMAI7BCxL6qDc&@k
zGwLe;rgnHh6egfC{n56PVI0s!{R-C22UOUvk-E7)D2RgE^7!ktP_->bc?M9URS4X3
z2?#pGp-J*B8TN0_l-g!ZVbV0J^*^}n)3W5pK+93W?wdwwi170A@*l0xj#b%)%!SoM
zk`9fYQhwf6;R6l0g&9uldq+j7Bq-?WZ@DhsNC%P{%v{W)#av#7iiS%H088cKbzx50
zA|_z*hpV!nmqWPzy^6TdfGcYGuz)v65%|}l)iIbo=goOmf#rEmd=dDMm1Y>ZNb*Pv
zuh4(iys1hITMj2?h1sv)*|AB!esw%Ml-)GOLK-7jA+3VLb~Qrr0fG6TgY9KdNRdTq
zuY0zo4-(B`ooF>=oZdkVn&GA4-NCnO-2eB(#$U6W-9e)|dgn)p*$RiUMYK6^-MOlK
i2`Q_S|M~jE#>TFm3N#&Ot%(E-{OIc#YnNy_Uim+KONeg(

diff --git a/Portuguese/02_Day_Data_types/math_object.js b/Portuguese/02_Day_Data_types/math_object.js
deleted file mode 100644
index 784b2ae..0000000
--- a/Portuguese/02_Day_Data_types/math_object.js
+++ /dev/null
@@ -1,34 +0,0 @@
-const PI = Math.PI
-console.log(PI) // 3.141592653589793
-console.log(Math.round(PI)) // 3; to round values to the nearest number
-console.log(Math.round(9.81)) // 10
-console.log(Math.floor(PI)) // 3; rounding down
-console.log(Math.ceil(PI)) // 4; rounding up
-console.log(Math.min(-5, 3, 20, 4, 5, 10)) // -5, returns the minimum value
-console.log(Math.max(-5, 3, 20, 4, 5, 10)) // 20, returns the maximum value
-
-const randNum = Math.random() // creates random number between 0 to 0.999999
-console.log(randNum)
-// Let create random number between 0 to 10
-const num = Math.floor(Math.random() * 11) // creates random number between 0 and 10
-console.log(num)
-
-//Absolute value
-console.log(Math.abs(-10)) //10
-//Square root
-console.log(Math.sqrt(100)) // 10
-console.log(Math.sqrt(2)) //1.4142135623730951
-// Power
-console.log(Math.pow(3, 2)) // 9
-console.log(Math.E) // 2.718
-
-// Logarithm
-//Returns the natural logarithm of base E of x, Math.log(x)
-console.log(Math.log(2)) // 0.6931471805599453
-console.log(Math.log(10)) // 2.302585092994046
-
-// Trigonometry
-console.log(Math.sin(0))
-console.log(Math.sin(60))
-console.log(Math.cos(0))
-console.log(Math.cos(60))
diff --git a/Portuguese/02_Day_Data_types/non_primitive_data_types.js b/Portuguese/02_Day_Data_types/non_primitive_data_types.js
deleted file mode 100644
index 23d7fa2..0000000
--- a/Portuguese/02_Day_Data_types/non_primitive_data_types.js
+++ /dev/null
@@ -1,30 +0,0 @@
-let nums = [1, 2, 3]
-nums[0] = 10
-console.log(nums) // [10, 2, 3]
-
-let nums = [1, 2, 3]
-let numbers = [1, 2, 3]
-console.log(nums == numbers) // false
-
-let userOne = {
-  name: 'Asabeneh',
-  role: 'teaching',
-  country: 'Finland'
-}
-let userTwo = {
-  name: 'Asabeneh',
-  role: 'teaching',
-  country: 'Finland'
-}
-console.log(userOne == userTwo) // false
-
-let numbers = nums
-console.log(nums == numbers)  // true
-
-let userOne = {
-name:'Asabeneh',
-role:'teaching',
-country:'Finland'
-}
-let userTwo = userOne
-console.log(userOne == userTwo)  // true
\ No newline at end of file
diff --git a/Portuguese/02_Day_Data_types/number_data_types.js b/Portuguese/02_Day_Data_types/number_data_types.js
deleted file mode 100644
index b850af9..0000000
--- a/Portuguese/02_Day_Data_types/number_data_types.js
+++ /dev/null
@@ -1,9 +0,0 @@
-let age = 35
-const gravity = 9.81 //we use const for non-changing values, gravitational constant in  m/s2
-let mass = 72 // mass in Kilogram
-const PI = 3.14 // pi a geometrical constant
-
-//More Examples
-const boilingPoint = 100 // temperature in oC, boiling point of water which is a constant
-const bodyTemp = 37 // oC average human body temperature, which is a constant
-console.log(age, gravity, mass, PI, boilingPoint, bodyTemp)
diff --git a/Portuguese/02_Day_Data_types/primitive_data_types.js b/Portuguese/02_Day_Data_types/primitive_data_types.js
deleted file mode 100644
index d3c298c..0000000
--- a/Portuguese/02_Day_Data_types/primitive_data_types.js
+++ /dev/null
@@ -1,14 +0,0 @@
-let word = 'JavaScript'
-// we dont' modify string 
-// we don't do like this, word[0] = 'Y' 
-let numOne = 3
-let numTwo = 3
-console.log(numOne == numTwo)      // true
-
-let js = 'JavaScript'
-let py = 'Python'
-console.log(js == py)             //false 
-
-let lightOn = true
-let lightOff = false
-console.log(lightOn == lightOff) // false
\ No newline at end of file
diff --git a/Portuguese/02_Day_Data_types/string_concatenation.js b/Portuguese/02_Day_Data_types/string_concatenation.js
deleted file mode 100644
index 516ca1a..0000000
--- a/Portuguese/02_Day_Data_types/string_concatenation.js
+++ /dev/null
@@ -1,19 +0,0 @@
-// Declaring different variables of different data types
-let space = ' '
-let firstName = 'Asabeneh'
-let lastName = 'Yetayeh'
-let country = 'Finland'
-let city = 'Helsinki'
-let language = 'JavaScript'
-let job = 'teacher'
-// Concatenating using addition operator
-let fullName = firstName + space + lastName // concatenation, merging two string together.
-console.log(fullName)
-
-let personInfoOne = fullName + '. I am ' + age + '. I live in ' + country // ES5
-console.log(personInfoOne)
-// Concatenation: Template Literals(Template Strings)
-let personInfoTwo = `I am ${fullName}. I am ${age}. I live in ${country}.` //ES6 - String interpolation method
-let personInfoThree = `I am ${fullName}. I live in ${city}, ${country}. I am a ${job}. I teach ${language}.`
-console.log(personInfoTwo)
-console.log(personInfoThree)
\ No newline at end of file
diff --git a/Portuguese/02_Day_Data_types/string_data_types.js b/Portuguese/02_Day_Data_types/string_data_types.js
deleted file mode 100644
index fd61150..0000000
--- a/Portuguese/02_Day_Data_types/string_data_types.js
+++ /dev/null
@@ -1,7 +0,0 @@
-let space = ' ' // an empty space string
-let firstName = 'Asabeneh'
-let lastName = 'Yetayeh'
-let country = 'Finland'
-let city = 'Helsinki'
-let language = 'JavaScript'
-let job = 'teacher'
diff --git a/Portuguese/02_Day_Data_types/string_methods/accessing_character.js b/Portuguese/02_Day_Data_types/string_methods/accessing_character.js
deleted file mode 100644
index 32229fb..0000000
--- a/Portuguese/02_Day_Data_types/string_methods/accessing_character.js
+++ /dev/null
@@ -1,12 +0,0 @@
-// Let us access the first character in 'JavaScript' string.
-
-let string = 'JavaScript'
-let firstLetter = string[0]
-console.log(firstLetter) // J
-let secondLetter = string[1] // a
-let thirdLetter = string[2]
-let lastLetter = string[9]
-console.log(lastLetter) // t
-let lastIndex = string.length - 1
-console.log(lastIndex) // 9
-console.log(string[lastIndex]) // t
diff --git a/Portuguese/02_Day_Data_types/string_methods/char_at.js b/Portuguese/02_Day_Data_types/string_methods/char_at.js
deleted file mode 100644
index 7daaf74..0000000
--- a/Portuguese/02_Day_Data_types/string_methods/char_at.js
+++ /dev/null
@@ -1,6 +0,0 @@
-// charAt(): Takes index and it returns the value at that index
-string.charAt(index)
-let string = '30 Days Of JavaScript'
-console.log(string.charAt(0)) // 3
-let lastIndex = string.length - 1
-console.log(string.charAt(lastIndex)) // t
diff --git a/Portuguese/02_Day_Data_types/string_methods/char_code_at.js b/Portuguese/02_Day_Data_types/string_methods/char_code_at.js
deleted file mode 100644
index e58baaa..0000000
--- a/Portuguese/02_Day_Data_types/string_methods/char_code_at.js
+++ /dev/null
@@ -1,7 +0,0 @@
-// charCodeAt(): Takes index and it returns char code(ASCII number) of the value at that index
-
-string.charCodeAt(index)
-let string = '30 Days Of JavaScript'
-console.log(string.charCodeAt(3)) // D ASCII number is 51
-let lastIndex = string.length - 1
-console.log(string.charCodeAt(lastIndex)) // t ASCII is 116
diff --git a/Portuguese/02_Day_Data_types/string_methods/concat.js b/Portuguese/02_Day_Data_types/string_methods/concat.js
deleted file mode 100644
index 8b8192a..0000000
--- a/Portuguese/02_Day_Data_types/string_methods/concat.js
+++ /dev/null
@@ -1,6 +0,0 @@
-// concat(): it takes many substrings and creates concatenation.
-// string.concat(substring, substring, substring)
-let string = '30'
-console.log(string.concat("Days", "Of", "JavaScript")) // 30DaysOfJavaScript
-let country = 'Fin'
-console.log(country.concat("land")) // Finland
diff --git a/Portuguese/02_Day_Data_types/string_methods/ends_with.js b/Portuguese/02_Day_Data_types/string_methods/ends_with.js
deleted file mode 100644
index 0ce5f1f..0000000
--- a/Portuguese/02_Day_Data_types/string_methods/ends_with.js
+++ /dev/null
@@ -1,11 +0,0 @@
-// endsWith: it takes a substring as an argument and it checks if the string starts with that specified substring. It returns a boolean(true or false).
-// string.endsWith(substring)
-let string = 'Love is the best to in this world'
-console.log(string.endsWith('world')) // true
-console.log(string.endsWith('love')) // false
-console.log(string.endsWith('in this world')) // true
-
-let country = 'Finland'
-console.log(country.endsWith('land')) // true
-console.log(country.endsWith('fin')) // false
-console.log(country.endsWith('Fin')) //  false
diff --git a/Portuguese/02_Day_Data_types/string_methods/includes.js b/Portuguese/02_Day_Data_types/string_methods/includes.js
deleted file mode 100644
index 3fbe8e0..0000000
--- a/Portuguese/02_Day_Data_types/string_methods/includes.js
+++ /dev/null
@@ -1,14 +0,0 @@
-// includes(): It takes a substring argument and it check if substring argument exists in the string. includes() returns a boolean. It checks if a substring exist in a string and it returns true if it exists and false if it doesn't exist.
-let string = '30 Days Of JavaScript'
-console.log(string.includes('Days'))     // true
-console.log(string.includes('days'))     // false
-console.log(string.includes('Script'))     // true
-console.log(string.includes('script'))     // false
-console.log(string.includes('java'))     // false
-console.log(string.includes('Java'))     // true
-
-let country = 'Finland'
-console.log(country.includes('fin')) // false
-console.log(country.includes('Fin')) // true
-console.log(country.includes('land')) // true
-console.log(country.includes('Land')) // false
\ No newline at end of file
diff --git a/Portuguese/02_Day_Data_types/string_methods/index_of.js b/Portuguese/02_Day_Data_types/string_methods/index_of.js
deleted file mode 100644
index 480db7c..0000000
--- a/Portuguese/02_Day_Data_types/string_methods/index_of.js
+++ /dev/null
@@ -1,11 +0,0 @@
-// indexOf(): Takes takes a substring and if the substring exists in a string it returns the first position of the substring if does not exist it returns -1
-
-string.indexOf(substring)
-let string = '30 Days Of JavaScript'
-console.log(string.indexOf('D'))          // 3
-console.log(string.indexOf('Days'))       // 3
-console.log(string.indexOf('days'))       // -1
-console.log(string.indexOf('a'))          // 4
-console.log(string.indexOf('JavaScript')) // 11
-console.log(string.indexOf('Script'))     //15
-console.log(string.indexOf('script'))     // -1
diff --git a/Portuguese/02_Day_Data_types/string_methods/last_index_of.js b/Portuguese/02_Day_Data_types/string_methods/last_index_of.js
deleted file mode 100644
index 2134d22..0000000
--- a/Portuguese/02_Day_Data_types/string_methods/last_index_of.js
+++ /dev/null
@@ -1,6 +0,0 @@
-// lastIndexOf(): Takes takes a substring and if the substring exists in a string it returns the last position of the substring if it does not exist it returns -1
-
-let string = 'I love JavaScript. If you do not love JavaScript what else can you love.'
-console.log(string.lastIndexOf('love'))       // 67
-console.log(string.lastIndexOf('you'))        // 63
-console.log(string.lastIndexOf('JavaScript')) // 38
diff --git a/Portuguese/02_Day_Data_types/string_methods/length.js b/Portuguese/02_Day_Data_types/string_methods/length.js
deleted file mode 100644
index 070476f..0000000
--- a/Portuguese/02_Day_Data_types/string_methods/length.js
+++ /dev/null
@@ -1,6 +0,0 @@
-// length: The string length method returns the number of characters in a string included empty space. Example:
-
-let js = 'JavaScript'
-console.log(js.length)        // 10
-let firstName = 'Asabeneh'
-console.log(firstName.length) // 8
\ No newline at end of file
diff --git a/Portuguese/02_Day_Data_types/string_methods/match.js b/Portuguese/02_Day_Data_types/string_methods/match.js
deleted file mode 100644
index 40d1ffd..0000000
--- a/Portuguese/02_Day_Data_types/string_methods/match.js
+++ /dev/null
@@ -1,22 +0,0 @@
-// match: it takes a substring or regular expression pattern as an argument and it returns an array if there is match if not it returns null. Let us see how a regular expression pattern looks like. It starts with / sign and ends with / sign.
-let string = 'love'
-let patternOne = /love/ // with out any flag
-let patternTwo = /love/gi // g-means to search in the whole text, i - case insensitive
-string.match(substring)
-let string = 'I love JavaScript. If you do not love JavaScript what else can you love.'
-console.log(string.match('love')) //
-/*
-output
-
-["love", index: 2, input: "I love JavaScript. If you do not love JavaScript what else can you love.", groups: undefined]
-*/
-let pattern = /love/gi
-console.log(string.match(pattern)) // ["love", "love", "love"]
-// Let us extract numbers from text using regular expression. This is not regular expression section, no panic.
-
-let txt = 'In 2019, I run 30 Days of Python. Now, in 2020 I super exited to start this challenge'
-let regEx = /\d/g // d with escape character means d not a normal d instead acts a digit
-// + means one or more digit numbers, 
-// if there is g after that it means global, search everywhere.
-console.log(txt.match(regEx)) // ["2", "0", "1", "9", "3", "0", "2", "0", "2", "0"]
-console.log(txt.match(/\d+/g)) // ["2019", "30", "2020"]
diff --git a/Portuguese/02_Day_Data_types/string_methods/repeat.js b/Portuguese/02_Day_Data_types/string_methods/repeat.js
deleted file mode 100644
index bf8e022..0000000
--- a/Portuguese/02_Day_Data_types/string_methods/repeat.js
+++ /dev/null
@@ -1,4 +0,0 @@
-// repeat(): it takes a number argument and it returned the repeated version of the string.
-// string.repeat(n)
-let string = 'love'
-console.log(string.repeat(10)) // lovelovelovelovelovelovelovelovelovelove
\ No newline at end of file
diff --git a/Portuguese/02_Day_Data_types/string_methods/replace.js b/Portuguese/02_Day_Data_types/string_methods/replace.js
deleted file mode 100644
index 33f324c..0000000
--- a/Portuguese/02_Day_Data_types/string_methods/replace.js
+++ /dev/null
@@ -1,7 +0,0 @@
-// replace(): takes to parameter the old substring and new substring.
-// string.replace(oldsubstring, newsubstring)
-
-let string = '30 Days Of JavaScript'
-console.log(string.replace('JavaScript', 'Python')) // 30 Days Of Python
-let country = 'Finland'
-console.log(country.replace('Fin', 'Noman')) // Nomanland
\ No newline at end of file
diff --git a/Portuguese/02_Day_Data_types/string_methods/search.js b/Portuguese/02_Day_Data_types/string_methods/search.js
deleted file mode 100644
index e1ea82e..0000000
--- a/Portuguese/02_Day_Data_types/string_methods/search.js
+++ /dev/null
@@ -1,4 +0,0 @@
-// search: it takes a substring as an argument and it returns the index of the first match.
-// string.search(substring)
-let string = 'I love JavaScript. If you do not love JavaScript what else can you love.'
-console.log(string.search('love')) // 2
diff --git a/Portuguese/02_Day_Data_types/string_methods/split.js b/Portuguese/02_Day_Data_types/string_methods/split.js
deleted file mode 100644
index f955bcc..0000000
--- a/Portuguese/02_Day_Data_types/string_methods/split.js
+++ /dev/null
@@ -1,10 +0,0 @@
-// split(): The split method splits a string at a specified place.
-let string = '30 Days Of JavaScript'
-console.log(string.split())     // ["30 Days Of JavaScript"]
-console.log(string.split(' '))  // ["30", "Days", "Of", "JavaScript"]
-let firstName = 'Asabeneh'
-console.log(firstName.split())  // ["Asabeneh"]
-console.log(firstName.split(''))  // ["A", "s", "a", "b", "e", "n", "e", "h"]
-let countries = 'Finland, Sweden, Norway, Denmark, and Iceland'
-console.log(countries.split(',')) // ["Finland", " Sweden", " Norway", " Denmark", " and Iceland"]
-console.log(countries.split(', '))   //  ["Finland", "Sweden", "Norway", "Denmark", "and Iceland"]
\ No newline at end of file
diff --git a/Portuguese/02_Day_Data_types/string_methods/starts_with.js b/Portuguese/02_Day_Data_types/string_methods/starts_with.js
deleted file mode 100644
index a89ee3b..0000000
--- a/Portuguese/02_Day_Data_types/string_methods/starts_with.js
+++ /dev/null
@@ -1,11 +0,0 @@
-// startsWith: it takes a substring as an argument and it checks if the string starts with that specified substring. It returns a boolean(true or false).
-// string.startsWith(substring)
-let string = 'Love is the best to in this world'
-console.log(string.startsWith('Love')) // true
-console.log(string.startsWith('love')) // false
-console.log(string.startsWith('world')) // false
-
-let country = 'Finland'
-console.log(country.startsWith('Fin')) // true
-console.log(country.startsWith('fin')) // false
-console.log(country.startsWith('land')) //  false
diff --git a/Portuguese/02_Day_Data_types/string_methods/substr.js b/Portuguese/02_Day_Data_types/string_methods/substr.js
deleted file mode 100644
index 0bea56d..0000000
--- a/Portuguese/02_Day_Data_types/string_methods/substr.js
+++ /dev/null
@@ -1,5 +0,0 @@
-//substr(): It takes two arguments,the starting index and number of characters to slice.
-let string = 'JavaScript'
-console.log(string.substr(4,6))    // Script
-let country = 'Finland'
-console.log(country.substr(3, 4))   // land
\ No newline at end of file
diff --git a/Portuguese/02_Day_Data_types/string_methods/substring.js b/Portuguese/02_Day_Data_types/string_methods/substring.js
deleted file mode 100644
index 3fac3a1..0000000
--- a/Portuguese/02_Day_Data_types/string_methods/substring.js
+++ /dev/null
@@ -1,9 +0,0 @@
-// substring(): It takes two arguments,the starting index and the stopping index but it doesn't include the stopping index.
-let string = 'JavaScript'
-console.log(string.substring(0,4))   // Java
-console.log(string.substring(4,10))     // Script
-console.log(string.substring(4))    // Script
-let country = 'Finland'
-console.log(country.substring(0, 3))   // Fin
-console.log(country.substring(3, 7))   // land
-console.log(country.substring(3))   // land
\ No newline at end of file
diff --git a/Portuguese/02_Day_Data_types/string_methods/to_lowercase.js b/Portuguese/02_Day_Data_types/string_methods/to_lowercase.js
deleted file mode 100644
index 1a4ab53..0000000
--- a/Portuguese/02_Day_Data_types/string_methods/to_lowercase.js
+++ /dev/null
@@ -1,7 +0,0 @@
-// toLowerCase(): this method changes the string to lowercase letters.
-let string = 'JavasCript'
-console.log(string.toLowerCase())     // javascript
-let firstName = 'Asabeneh'
-console.log(firstName.toLowerCase())  // asabeneh
-let country = 'Finland'
-console.log(country.toLowerCase())   // finland
\ No newline at end of file
diff --git a/Portuguese/02_Day_Data_types/string_methods/to_uppercase.js b/Portuguese/02_Day_Data_types/string_methods/to_uppercase.js
deleted file mode 100644
index 112a6d0..0000000
--- a/Portuguese/02_Day_Data_types/string_methods/to_uppercase.js
+++ /dev/null
@@ -1,8 +0,0 @@
-// toUpperCase(): this method changes the string to uppercase letters.
-
-let string = 'JavaScript'
-console.log(string.toUpperCase())      // JAVASCRIPT
-let firstName = 'Asabeneh'
-console.log(firstName.toUpperCase())  // ASABENEH
-let country = 'Finland'
-console.log(country.toUpperCase())    // FINLAND
\ No newline at end of file
diff --git a/Portuguese/02_Day_Data_types/string_methods/trim.js b/Portuguese/02_Day_Data_types/string_methods/trim.js
deleted file mode 100644
index 16785c4..0000000
--- a/Portuguese/02_Day_Data_types/string_methods/trim.js
+++ /dev/null
@@ -1,7 +0,0 @@
-//trim(): Removes trailing space in the beginning or the end of a string.
-let string = '   30 Days Of JavaScript   '
-console.log(string)     // 
-console.log(string.trim(' '))  // 
-let firstName = ' Asabeneh '
-console.log(firstName)
-console.log(firstName.trim())  // 
\ No newline at end of file
diff --git a/Portuguese/01_Day_introduction/01_day_starter/helloworld.js b/Portuguese/Dia_01_introdução/01_day_starter/helloworld.js
similarity index 100%
rename from Portuguese/01_Day_introduction/01_day_starter/helloworld.js
rename to Portuguese/Dia_01_introdução/01_day_starter/helloworld.js
diff --git a/Portuguese/01_Day_introduction/01_day_starter/index.html b/Portuguese/Dia_01_introdução/01_day_starter/index.html
similarity index 100%
rename from Portuguese/01_Day_introduction/01_day_starter/index.html
rename to Portuguese/Dia_01_introdução/01_day_starter/index.html
diff --git a/Portuguese/01_Day_introduction/01_day_starter/introduction.js b/Portuguese/Dia_01_introdução/01_day_starter/introduction.js
similarity index 100%
rename from Portuguese/01_Day_introduction/01_day_starter/introduction.js
rename to Portuguese/Dia_01_introdução/01_day_starter/introduction.js
diff --git a/Portuguese/01_Day_introduction/01_day_starter/main.js b/Portuguese/Dia_01_introdução/01_day_starter/main.js
similarity index 100%
rename from Portuguese/01_Day_introduction/01_day_starter/main.js
rename to Portuguese/Dia_01_introdução/01_day_starter/main.js
diff --git a/Portuguese/01_Day_introduction/01_day_starter/variable.js b/Portuguese/Dia_01_introdução/01_day_starter/variable.js
similarity index 100%
rename from Portuguese/01_Day_introduction/01_day_starter/variable.js
rename to Portuguese/Dia_01_introdução/01_day_starter/variable.js
diff --git a/Portuguese/01_Day_introduction/variable.js b/Portuguese/Dia_01_introdução/variable.js
similarity index 100%
rename from Portuguese/01_Day_introduction/variable.js
rename to Portuguese/Dia_01_introdução/variable.js
diff --git a/Portuguese/02_Day_Data_types/02_day_starter/index.html b/Portuguese/Dia_02_Tipos_Dados/dia_02_starter/index.html
similarity index 100%
rename from Portuguese/02_Day_Data_types/02_day_starter/index.html
rename to Portuguese/Dia_02_Tipos_Dados/dia_02_starter/index.html
diff --git a/Portuguese/02_Day_Data_types/02_day_starter/main.js b/Portuguese/Dia_02_Tipos_Dados/dia_02_starter/main.js
similarity index 100%
rename from Portuguese/02_Day_Data_types/02_day_starter/main.js
rename to Portuguese/Dia_02_Tipos_Dados/dia_02_starter/main.js
diff --git a/Portuguese/02_Day_Data_types/02_day_data_types.md b/Portuguese/Dia_02_Tipos_Dados/dia_02_tipos_dados.md
similarity index 99%
rename from Portuguese/02_Day_Data_types/02_day_data_types.md
rename to Portuguese/Dia_02_Tipos_Dados/dia_02_tipos_dados.md
index e9362a5..8392ead 100644
--- a/Portuguese/02_Day_Data_types/02_day_data_types.md
+++ b/Portuguese/Dia_02_Tipos_Dados/dia_02_tipos_dados.md
@@ -14,7 +14,7 @@
 </div>
 </div>
 
-[<< Dia 1](../readMe.md) | [Dia 3 >>](../03_Day_Booleans_operators_date/03_booleans_operators_date.md)
+[<< Dia 1](../readMe.md) | [Dia 3 >>](../Dia_03_Booleanos_Operadores_Data/dia_03_booleanos_operadores_data.md)
 
 ![Thirty Days Of JavaScript](/images/banners/day_1_2.png)
 
diff --git a/Portuguese/Dia_03_Booleanos_Operadores_Data/03_day_starter/index.html b/Portuguese/Dia_03_Booleanos_Operadores_Data/03_day_starter/index.html
new file mode 100644
index 0000000..2a8e6a8
--- /dev/null
+++ b/Portuguese/Dia_03_Booleanos_Operadores_Data/03_day_starter/index.html
@@ -0,0 +1,17 @@
+<!DOCTYPE html>
+<html lang="en">
+
+<head>
+    <title>30DaysOfJavaScript: 03 Day</title>
+</head>
+
+<body>
+    <h1>30DaysOfJavaScript:03 Day</h1>
+    <h2>Booleans, undefined, null, date object</h2>
+
+    <!-- import your scripts here -->
+    <script src="./scripts/main.js"></script>
+
+</body>
+
+</html>
\ No newline at end of file
diff --git a/Portuguese/Dia_03_Booleanos_Operadores_Data/03_day_starter/scripts/main.js b/Portuguese/Dia_03_Booleanos_Operadores_Data/03_day_starter/scripts/main.js
new file mode 100644
index 0000000..7762908
--- /dev/null
+++ b/Portuguese/Dia_03_Booleanos_Operadores_Data/03_day_starter/scripts/main.js
@@ -0,0 +1 @@
+// this is your main.js script
\ No newline at end of file
diff --git a/Portuguese/Dia_03_Booleanos_Operadores_Data/Dia_03_booleanos_operadores_data.md b/Portuguese/Dia_03_Booleanos_Operadores_Data/Dia_03_booleanos_operadores_data.md
new file mode 100644
index 0000000..800df33
--- /dev/null
+++ b/Portuguese/Dia_03_Booleanos_Operadores_Data/Dia_03_booleanos_operadores_data.md
@@ -0,0 +1,633 @@
+<div align="center">
+  <h1> 30 Dias De JavaScript: Boleanos, Operadores e Data</h1>
+  <a class="header-badge" target="_blank" href="https://www.linkedin.com/in/asabeneh/">
+  <img src="https://img.shields.io/badge/style--5eba00.svg?label=LinkedIn&logo=linkedin&style=social">
+  </a>
+  <a class="header-badge" target="_blank" href="https://twitter.com/Asabeneh">
+  <img alt="Twitter Follow" src="https://img.shields.io/twitter/follow/asabeneh?style=social">
+  </a>
+
+  <sub>Autor;
+  <a href="https://www.linkedin.com/in/asabeneh/" target="_blank">Asabeneh Yetayeh</a><br>
+  <small> Janeiro, 2020</small>
+  </sub>
+</div>
+
+[<< Day 2](../Dia_02_Tipos_Dados/dia_02_tipos_dados.md) | [Day 4 >>](../04_Day_Conditionals/04_day_conditionals.md)
+
+![Thirty Days Of JavaScript](../images/banners/day_1_3.png)
+
+- [📔 Day 3](#-day-3)
+	- [Booleans](#booleans)
+		- [Truthy values](#truthy-values)
+		- [Falsy values](#falsy-values)
+	- [Undefined](#undefined)
+	- [Null](#null)
+	- [Operators](#operators)
+		- [Assignment operators](#assignment-operators)
+		- [Arithmetic Operators](#arithmetic-operators)
+		- [Comparison Operators](#comparison-operators)
+		- [Logical Operators](#logical-operators)
+		- [Increment Operator](#increment-operator)
+		- [Decrement Operator](#decrement-operator)
+		- [Ternary Operators](#ternary-operators)
+		- [Operator Precedence](#operator-precedence)
+	- [Window Methods](#window-methods)
+		- [Window alert() method](#window-alert-method)
+		- [Window prompt() method](#window-prompt-method)
+		- [Window confirm() method](#window-confirm-method)
+	- [Date Object](#date-object)
+		- [Creating a time object](#creating-a-time-object)
+		- [Getting full year](#getting-full-year)
+		- [Getting month](#getting-month)
+		- [Getting date](#getting-date)
+		- [Getting day](#getting-day)
+		- [Getting hours](#getting-hours)
+		- [Getting minutes](#getting-minutes)
+		- [Getting seconds](#getting-seconds)
+		- [Getting time](#getting-time)
+	- [💻 Day 3: Exercises](#-day-3-exercises)
+		- [Exercises: Level 1](#exercises-level-1)
+		- [Exercises: Level 2](#exercises-level-2)
+		- [Exercises: Level 3](#exercises-level-3)
+
+# 📔 Day 3
+
+## Booleans
+
+A boolean data type represents one of the two values:_true_ or _false_. Boolean value is either true or false. The use of these data types will be clear when you start the comparison operator. Any comparisons return a boolean value which is either true or false.
+
+**Example: Boolean Values**
+
+```js
+let isLightOn = true
+let isRaining = false
+let isHungry = false
+let isMarried = true
+let truValue = 4 > 3    // true
+let falseValue = 4 < 3  // false
+```
+
+We agreed that boolean values are either true or false.
+
+### Truthy values
+
+- All numbers(positive and negative) are truthy except zero
+- All strings are truthy except an empty string ('')
+- The boolean true
+
+### Falsy values
+
+- 0
+- 0n
+- null
+- undefined
+- NaN
+- the boolean false
+- '', "", ``, empty string
+
+It is good to remember those truthy values and falsy values. In later section, we will use them with conditions to make decisions.
+
+## Undefined
+
+If we declare a variable and if we do not assign a value, the value will be undefined. In addition to this, if a function is not returning the value, it will be undefined.
+
+```js
+let firstName
+console.log(firstName) //not defined, because it is not assigned to a value yet
+```
+
+## Null
+
+```js
+let empty = null
+console.log(empty) // -> null , means no value
+```
+
+## Operators
+
+### Assignment operators
+
+An equal sign in JavaScript is an assignment operator. It uses to assign a variable.
+
+```js
+let firstName = 'Asabeneh'
+let country = 'Finland'
+```
+
+Assignment Operators
+
+![Assignment operators](../images/assignment_operators.png)
+
+### Arithmetic Operators
+
+Arithmetic operators are mathematical operators.
+
+- Addition(+): a + b
+- Subtraction(-): a - b
+- Multiplication(*): a * b
+- Division(/): a / b
+- Modulus(%): a % b
+- Exponential(**): a ** b
+
+```js
+let numOne = 4
+let numTwo = 3
+let sum = numOne + numTwo
+let diff = numOne - numTwo
+let mult = numOne * numTwo
+let div = numOne / numTwo
+let remainder = numOne % numTwo
+let powerOf = numOne ** numTwo
+
+console.log(sum, diff, mult, div, remainder, powerOf) // 7,1,12,1.33,1, 64
+
+```
+
+```js
+const PI = 3.14
+let radius = 100          // length in meter
+
+//Let us calculate area of a circle
+const areaOfCircle = PI * radius * radius
+console.log(areaOfCircle)  //  314 m
+
+
+const gravity = 9.81      // in m/s2
+let mass = 72             // in Kilogram
+
+// Let us calculate weight of an object
+const weight = mass * gravity
+console.log(weight)        // 706.32 N(Newton)
+
+const boilingPoint = 100  // temperature in oC, boiling point of water
+const bodyTemp = 37       // body temperature in oC
+
+
+// Concatenating string with numbers using string interpolation
+/*
+ The boiling point of water is 100 oC.
+ Human body temperature is 37 oC.
+ The gravity of earth is 9.81 m/s2.
+ */
+console.log(
+  `The boiling point of water is ${boilingPoint} oC.\nHuman body temperature is ${bodyTemp} oC.\nThe gravity of earth is ${gravity} m / s2.`
+)
+```
+
+### Comparison Operators
+
+In programming we compare values, we use comparison operators to compare two values. We check if a value is greater or less or equal to other value.
+
+![Comparison Operators](../images/comparison_operators.png)
+**Example: Comparison Operators**
+
+```js
+console.log(3 > 2)              // true, because 3 is greater than 2
+console.log(3 >= 2)             // true, because 3 is greater than 2
+console.log(3 < 2)              // false,  because 3 is greater than 2
+console.log(2 < 3)              // true, because 2 is less than 3
+console.log(2 <= 3)             // true, because 2 is less than 3
+console.log(3 == 2)             // false, because 3 is not equal to 2
+console.log(3 != 2)             // true, because 3 is not equal to 2
+console.log(3 == '3')           // true, compare only value
+console.log(3 === '3')          // false, compare both value and data type
+console.log(3 !== '3')          // true, compare both value and data type
+console.log(3 != 3)             // false, compare only value
+console.log(3 !== 3)            // false, compare both value and data type
+console.log(0 == false)         // true, equivalent
+console.log(0 === false)        // false, not exactly the same
+console.log(0 == '')            // true, equivalent
+console.log(0 == ' ')           // true, equivalent
+console.log(0 === '')           // false, not exactly the same
+console.log(1 == true)          // true, equivalent
+console.log(1 === true)         // false, not exactly the same
+console.log(undefined == null)  // true
+console.log(undefined === null) // false
+console.log(NaN == NaN)         // false, not equal
+console.log(NaN === NaN)        // false
+console.log(typeof NaN)         // number
+
+console.log('mango'.length == 'avocado'.length)  // false
+console.log('mango'.length != 'avocado'.length)  // true
+console.log('mango'.length < 'avocado'.length)   // true
+console.log('milk'.length == 'meat'.length)      // true
+console.log('milk'.length != 'meat'.length)      // false
+console.log('tomato'.length == 'potato'.length)  // true
+console.log('python'.length > 'dragon'.length)   // false
+```
+
+Try to understand the above comparisons with some logic. Remembering without any logic might be difficult.
+JavaScript is somehow a wired kind of programming language. JavaScript code run and give you a result but unless you are good at it may not be the desired result.
+
+As rule of thumb, if a value is not true with == it will not be equal with ===. Using === is safer than using ==. The following [link](https://dorey.github.io/JavaScript-Equality-Table/) has an exhaustive list of comparison of data types.
+
+### Logical Operators
+
+The following symbols are the common logical operators:
+&&(ampersand) , ||(pipe) and !(negation).
+The && operator gets true only if the two operands are true.
+The || operator gets true either of the operand is true.
+The ! operator negates true to false and false to true.
+
+```js
+// && ampersand operator example
+
+const check = 4 > 3 && 10 > 5         // true && true -> true
+const check = 4 > 3 && 10 < 5         // true && false -> false
+const check = 4 < 3 && 10 < 5         // false && false -> false
+
+// || pipe or operator, example
+
+const check = 4 > 3 || 10 > 5         // true  || true -> true
+const check = 4 > 3 || 10 < 5         // true  || false -> true
+const check = 4 < 3 || 10 < 5         // false || false -> false
+
+//! Negation examples
+
+let check = 4 > 3                     // true
+let check = !(4 > 3)                  //  false
+let isLightOn = true
+let isLightOff = !isLightOn           // false
+let isMarried = !false                // true
+```
+
+### Increment Operator
+
+In JavaScript we use the increment operator to increase a value stored in a variable. The increment could be pre or post increment. Let us see each of them:
+
+1. Pre-increment
+
+```js
+let count = 0
+console.log(++count)        // 1
+console.log(count)          // 1
+```
+
+1. Post-increment
+
+```js
+let count = 0
+console.log(count++)        // 0
+console.log(count)          // 1
+```
+
+We use most of the time post-increment. At least you should remember how to use post-increment operator.
+
+### Decrement Operator
+
+In JavaScript we use the decrement operator to decrease a value stored in a variable. The decrement could be pre or post decrement. Let us see each of them:
+
+1. Pre-decrement
+
+```js
+let count = 0
+console.log(--count) // -1
+console.log(count)  // -1
+```
+
+2. Post-decrement
+
+```js
+let count = 0
+console.log(count--) // 0
+console.log(count)   // -1
+```
+
+### Ternary Operators
+
+Ternary operator allows to write a condition.
+Another way to write conditionals is using ternary operators. Look at the following examples:
+
+```js
+let isRaining = true
+isRaining
+  ? console.log('You need a rain coat.')
+  : console.log('No need for a rain coat.')
+isRaining = false
+
+isRaining
+  ? console.log('You need a rain coat.')
+  : console.log('No need for a rain coat.')
+```
+
+```sh
+You need a rain coat.
+No need for a rain coat.
+```
+
+```js
+let number = 5
+number > 0
+  ? console.log(`${number} is a positive number`)
+  : console.log(`${number} is a negative number`)
+number = -5
+
+number > 0
+  ? console.log(`${number} is a positive number`)
+  : console.log(`${number} is a negative number`)
+```
+
+```sh
+5 is a positive number
+-5 is a negative number
+```
+
+### Operator Precedence
+
+I would like to recommend you to read about operator precedence from this [link](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/Operator_Precedence)
+
+## Window Methods
+
+### Window alert() method
+
+As you have seen at very beginning alert() method displays an alert box with a specified message and an OK button. It is a builtin method and it takes on argument.
+
+```js
+alert(message)
+```
+
+```js
+alert('Welcome to 30DaysOfJavaScript')
+```
+
+Do not use too much alert because it is destructing and annoying, use it just to test.
+
+### Window prompt() method
+
+The window prompt methods display a prompt box with an input on your browser to take input values and the input data can be stored in a variable. The prompt() method takes two arguments. The second argument is optional.
+
+```js
+prompt('required text', 'optional text')
+```
+
+```js
+let number = prompt('Enter number', 'number goes here')
+console.log(number)
+```
+
+### Window confirm() method
+
+The confirm() method displays a dialog box with a specified message, along with an OK and a Cancel button.
+A confirm box is often used to ask permission from a user to execute something. Window confirm() takes a string as an argument.
+Clicking the OK yields true value, whereas clicking the Cancel button yields false value.
+
+```js
+const agree = confirm('Are you sure you like to delete? ')
+console.log(agree) // result will be true or false based on what you click on the dialog box
+```
+
+These are not all the window methods we will have a separate section to go deep into window methods.
+
+## Date Object
+
+Time is an important thing. We like to know the time a certain activity or event. In JavaScript current time and date is created using JavaScript Date Object. The object we create using Date object provides many methods to work with date and time.The methods we use to get date and time information from a date object values are started with a word _get_ because it provide the information.
+_getFullYear(), getMonth(), getDate(), getDay(), getHours(), getMinutes, getSeconds(), getMilliseconds(), getTime(), getDay()_
+
+![Date time Object](../images/date_time_object.png)
+
+### Creating a time object
+
+Once we create time object. The time object will provide information about time. Let us create a time object
+
+```js
+const now = new Date()
+console.log(now) // Sat Jan 04 2020 00:56:41 GMT+0200 (Eastern European Standard Time)
+```
+
+We have created a time object and we can access any date time information from the object using the get methods we have mentioned on the table.
+
+### Getting full year
+
+Let's extract or get the full year from a time object.
+
+```js
+const now = new Date()
+console.log(now.getFullYear()) // 2020
+```
+
+### Getting month
+
+Let's extract or get the month from a time object.
+
+```js
+const now = new Date()
+console.log(now.getMonth()) // 0, because the month is January,  month(0-11)
+```
+
+### Getting date
+
+Let's extract or get the date of the month from a time object.
+
+```js
+const now = new Date()
+console.log(now.getDate()) // 4, because the day of the month is 4th,  day(1-31)
+```
+
+### Getting day
+
+Let's extract or get the day of the week from a time object.
+
+```js
+const now = new Date()
+console.log(now.getDay()) // 6, because the day is Saturday which is the 7th day
+//  Sunday is 0, Monday is 1 and Saturday is 6
+// Getting the weekday as a number (0-6)
+```
+
+### Getting hours
+
+Let's extract or get the hours from a time object.
+
+```js
+const now = new Date()
+console.log(now.getHours()) // 0, because the time is 00:56:41
+```
+
+### Getting minutes
+
+Let's extract or get the minutes from a time object.
+
+```js
+const now = new Date()
+console.log(now.getMinutes()) // 56, because the time is 00:56:41
+```
+
+### Getting seconds
+
+Let's extract or get the seconds from a time object.
+
+```js
+const now = new Date()
+console.log(now.getSeconds()) // 41, because the time is 00:56:41
+```
+
+### Getting time
+
+This method give time in milliseconds starting from January 1, 1970. It is also know as Unix time. We can get the unix time in two ways:
+
+1. Using _getTime()_
+
+```js
+const now = new Date() //
+console.log(now.getTime()) // 1578092201341, this is the number of seconds passed from January 1, 1970 to January 4, 2020 00:56:41
+```
+
+1. Using _Date.now()_
+
+```js
+const allSeconds = Date.now() //
+console.log(allSeconds) // 1578092201341, this is the number of seconds passed from January 1, 1970 to January 4, 2020 00:56:41
+
+const timeInSeconds = new Date().getTime()
+console.log(allSeconds == timeInSeconds) // true
+```
+
+Let us format these values to a human readable time format.
+**Example:**
+
+```js
+const now = new Date()
+const year = now.getFullYear() // return year
+const month = now.getMonth() + 1 // return month(0 - 11)
+const date = now.getDate() // return date (1 - 31)
+const hours = now.getHours() // return number (0 - 23)
+const minutes = now.getMinutes() // return number (0 -59)
+
+console.log(`${date}/${month}/${year} ${hours}:${minutes}`) // 4/1/2020 0:56
+```
+
+🌕  You have boundless energy. You have just completed day 3 challenges and you are three steps a head in to your way to greatness. Now do some exercises for your brain and for your muscle.
+
+## 💻 Day 3: Exercises
+
+### Exercises: Level 1
+
+1. Declare firstName, lastName, country, city, age, isMarried, year variable and assign value to it and use the typeof operator to check different data types.
+2. Check if type of '10' is equal to 10
+3. Check if parseInt('9.8') is equal to 10
+4. Boolean value is either true or false.
+   1. Write three JavaScript statement which provide truthy value.
+   2. Write three JavaScript statement which provide falsy value.
+
+5. Figure out the result of the following comparison expression first without using console.log(). After you decide the result confirm it using console.log()
+   1. 4 > 3
+   2. 4 >= 3
+   3. 4 < 3
+   4. 4 <= 3
+   5. 4 == 4
+   6. 4 === 4
+   7. 4 != 4
+   8. 4 !== 4
+   9. 4 != '4'
+   10. 4 == '4'
+   11. 4 === '4'
+   12. Find the length of python and jargon and make a falsy comparison statement.
+
+6. Figure out the result of the following expressions first without using console.log(). After you decide the result confirm it by using console.log()
+   1. 4 > 3 && 10 < 12
+   2. 4 > 3 && 10 > 12
+   3. 4 > 3 || 10 < 12
+   4. 4 > 3 || 10 > 12
+   5. !(4 > 3)
+   6. !(4 < 3)
+   7. !(false)
+   8. !(4 > 3 && 10 < 12)
+   9. !(4 > 3 && 10 > 12)
+   10. !(4 === '4')
+   11. There is no 'on' in both dragon and python
+
+7. Use the Date object to do the following activities
+   1. What is the year today?
+   2. What is the month today as a number?
+   3. What is the date today?
+   4. What is the day today as a number?
+   5. What is the hours now?
+   6. What is the minutes now?
+   7. Find out the numbers of seconds elapsed from January 1, 1970 to now.
+
+### Exercises: Level 2
+
+1. Write a script that prompt the user to enter base and height of the triangle and calculate an area of a triangle (area = 0.5 x b x h).
+
+   ```sh
+   Enter base: 20
+   Enter height: 10
+   The area of the triangle is 100
+   ```
+
+1. Write a script that prompt the user to enter side a, side b, and side c of the triangle and and calculate the perimeter of triangle (perimeter = a + b + c)
+
+   ```sh
+   Enter side a: 5
+   Enter side b: 4
+   Enter side c: 3
+   The perimeter of the triangle is 12
+   ```
+
+1. Get length and width using prompt and calculate an area of rectangle (area = length x width and the perimeter of rectangle (perimeter = 2 x (length + width))
+1. Get radius using prompt and calculate the area of a circle (area = pi x r x r) and circumference of a circle(c = 2 x pi x r) where pi = 3.14.
+1. Calculate the slope, x-intercept and y-intercept of y = 2x -2
+1. Slope is m = (y<sub>2</sub>-y<sub>1</sub>)/(x<sub>2</sub>-x<sub>1</sub>). Find the slope between point (2, 2) and point(6,10)
+1. Compare the slope of above two questions.
+1. Calculate the value of y (y = x<sup>2</sup> + 6x + 9). Try to use different x values and figure out at what x value y is 0.
+1. Writ a script that prompt a user to enter hours and rate per hour. Calculate pay of the person?
+
+    ```sh
+    Enter hours: 40
+    Enter rate per hour: 28
+    Your weekly earning is 1120
+    ```
+
+1. If the length of your name is greater than 7 say, your name is long else say your name is short.
+1. Compare your first name length and your family name length and you should get this output.
+
+    ```js
+    let firstName = 'Asabeneh'
+    let lastName = 'Yetayeh'
+    ```
+
+    ```sh
+    Your first name, Asabeneh is longer than your family name, Yetayeh
+    ```
+
+1. Declare two variables _myAge_ and _yourAge_ and assign them initial values and myAge and yourAge.
+
+   ```js
+   let myAge = 250
+   let yourAge = 25
+   ```
+
+   ```sh
+   I am 225 years older than you.
+   ```
+
+1. Using prompt get the year the user was born and if the user is 18 or above allow the user to drive if not tell the user to wait a certain amount of years.
+
+    ```sh
+
+    Enter birth year: 1995
+    You are 25. You are old enough to drive
+
+    Enter birth year: 2005
+    You are 15. You will be allowed to drive after 3 years.
+    ```
+
+1. Write a script that prompt the user to enter number of years. Calculate the number of seconds a person can live. Assume some one lives just hundred years
+
+   ```sh
+   Enter number of years you live: 100
+   You lived 3153600000 seconds.
+   ```
+
+1. Create a human readable time format using the Date time object
+   1. YYYY-MM-DD HH:mm
+   2. DD-MM-YYYY HH:mm
+   3. DD/MM/YYYY HH:mm
+
+### Exercises: Level 3
+
+1. Create a human readable time format using the Date time object. The hour and the minute should be all the time two digits(7 hours should be 07 and 5 minutes should be 05 )
+   1. YYY-MM-DD HH:mm eg. 20120-01-02 07:05
+
+[<< Day 2](../02_Day_Data_types/02_day_data_types.md) | [Day 4 >>](../04_Day_Conditionals/04_day_conditionals.md)

From 4f06258a4ba52712c46f74b91babc8c21e906f05 Mon Sep 17 00:00:00 2001
From: "diken.dev" <diken.dev@gmail.com>
Date: Sat, 4 Feb 2023 09:04:11 -0300
Subject: [PATCH 6/9] fixed link pages

---
 Portuguese/Dia_02_Tipos_Dados/dia_02_tipos_dados.md             | 2 +-
 .../Dia_03_booleanos_operadores_data.md                         | 2 +-
 Portuguese/readMe.md                                            | 2 +-
 3 files changed, 3 insertions(+), 3 deletions(-)

diff --git a/Portuguese/Dia_02_Tipos_Dados/dia_02_tipos_dados.md b/Portuguese/Dia_02_Tipos_Dados/dia_02_tipos_dados.md
index 8392ead..1f03a39 100644
--- a/Portuguese/Dia_02_Tipos_Dados/dia_02_tipos_dados.md
+++ b/Portuguese/Dia_02_Tipos_Dados/dia_02_tipos_dados.md
@@ -969,4 +969,4 @@ console.log(numInt) // 9
 
 🎉 PARABÉNS ! 🎉
 
-[<< Dia 1](../readMe.md) | [Dia 3 >>](../03_Day_Booleans_operators_date/03_booleans_operators_date.md)
+[<< Dia 1](../readMe.md) | [Dia 3 >>](../Dia_03_Booleanos_Operadores_Data/dia_03_booleanos_operadores_data.md)
diff --git a/Portuguese/Dia_03_Booleanos_Operadores_Data/Dia_03_booleanos_operadores_data.md b/Portuguese/Dia_03_Booleanos_Operadores_Data/Dia_03_booleanos_operadores_data.md
index 800df33..ad61f3d 100644
--- a/Portuguese/Dia_03_Booleanos_Operadores_Data/Dia_03_booleanos_operadores_data.md
+++ b/Portuguese/Dia_03_Booleanos_Operadores_Data/Dia_03_booleanos_operadores_data.md
@@ -630,4 +630,4 @@ console.log(`${date}/${month}/${year} ${hours}:${minutes}`) // 4/1/2020 0:56
 1. Create a human readable time format using the Date time object. The hour and the minute should be all the time two digits(7 hours should be 07 and 5 minutes should be 05 )
    1. YYY-MM-DD HH:mm eg. 20120-01-02 07:05
 
-[<< Day 2](../02_Day_Data_types/02_day_data_types.md) | [Day 4 >>](../04_Day_Conditionals/04_day_conditionals.md)
+[<< Dia 2](../Dia_02_Tipos_Dados/dia_02_tipos_dados.md) | [Dia 4 >>](../04_Day_Conditionals/04_day_conditionals.md)
diff --git a/Portuguese/readMe.md b/Portuguese/readMe.md
index 548c939..f65cc97 100644
--- a/Portuguese/readMe.md
+++ b/Portuguese/readMe.md
@@ -671,4 +671,4 @@ You are 30 years old.
 
 🎉 PARABÉNS ! 🎉
 
-[Dia 2 >>](./02_Day_Data_types/02_day_data_types.md)
+[Dia 2 >>](./Dia_02_Tipos_Dados/dia_02_tipos_dados.md)

From 8b9f895d40ce3cce7137a315a20615ac8cd4379f Mon Sep 17 00:00:00 2001
From: "diken.dev" <diken.dev@gmail.com>
Date: Sat, 4 Feb 2023 09:45:40 -0300
Subject: [PATCH 7/9] better variable names in portuguese variables

---
 .../Dia_02_Tipos_Dados/dia_02_tipos_dados.md  | 172 +++++++++---------
 1 file changed, 86 insertions(+), 86 deletions(-)

diff --git a/Portuguese/Dia_02_Tipos_Dados/dia_02_tipos_dados.md b/Portuguese/Dia_02_Tipos_Dados/dia_02_tipos_dados.md
index 1f03a39..10e7c54 100644
--- a/Portuguese/Dia_02_Tipos_Dados/dia_02_tipos_dados.md
+++ b/Portuguese/Dia_02_Tipos_Dados/dia_02_tipos_dados.md
@@ -1,5 +1,5 @@
 <div align="center">
-  <h1> 30 Days Of JavaScript: Tipos de Dados</h1>
+  <h1> 30 Dias De JavaScript: Tipos de Dados</h1>
   <a class="header-badge" target="_blank" href="https://www.linkedin.com/in/asabeneh/">
   <img src="https://img.shields.io/badge/style--5eba00.svg?label=LinkedIn&logo=linkedin&style=social">
   </a>
@@ -24,14 +24,14 @@
 		- [Tipos de Dados Não Primitivos](#tipos-de-dados-não-primitivos)
 	- [Números](#Números)
 		- [Declarando Tipos de Dados Numéricos](#declarando-tipos-de-dados-numéricos)
-		- [Math Objeto](#math-objeto)
+		- [Objeto Math](#objeto-math)
 			- [Gerador de Número Aleatório](#gerador-de-número-aleatório)
 	- [Strings](#strings)
 		- [String Concatenação](#string-concatenação)
 			- [Concatenando Usando o Operador de Adição](#concatenando-usando-o-operador-de-adição)
 			- [Escape Sequences em Strings](#escape-sequences-em-strings)
 			- [Strings Literais (Template Strings)](#Strings-Literais-template-strings)
-		- [String Methods](#string-methods)
+		- [String Métodos](#string-métodos)
 	- [Verificando Tipos de Dados e Casting](#verificando-tipos-de-dados-e-casting)
 		- [Verificando Tipos de Dados](#verificando-tipos-de-dados)
 		- [Mudando Tipo de Dado (Casting)](#mudando-tipo-de-dado-casting)
@@ -58,7 +58,7 @@ Tipos de dados primitivos em JavaScript inclui:
 
   1. Numbers - Inteiros, floats
   2. Strings - Qualquer dado entre aspas simples, aspas duplas e crase
-  3. Booleans - valores verdadeiros e falsos
+  3. Booleans - valores verdadeiros ou falsos
   4. Null - valor vazio ou sem valor
   5. Undefined - variável declarada sem um valor
   6. Symbol - Um valor único que pode ser gerado por um construtor de símbolo
@@ -69,43 +69,43 @@ Tipos de dados não primitivos em JavaScriot inclui:
   2. Arrays
 
 Agora, vamos ver exatamente oque significa tipos de dados primitivos e não primitivos.
-*Primitivo* são tipos de dados imutáveis(não-modificável). Uma vez criado um tipo de dado primitivo nós não podemos mais modificá-lo.
+*Primitivo* são tipos de dados imutáveis (não-modificável). Uma vez criado um tipo de dado primitivo nós não podemos mais modificá-lo.
 
 **Exemplo:**
 
 ```js
-let word = 'JavaScript'
+let exemplo = 'JavaScript'
 ```
 
-Se nós tentarmos modificar uma string armazenada na variável *word*, o JavaScript irá mostar um error. Qualquer dado entre aspas simples, aspas duplas, ou crase é um string.
+Se nós tentarmos modificar uma string armazenada na variável *exemplo*, o JavaScript irá mostar um error. Qualquer dado entre aspas simples, aspas duplas, ou crase é um string.
 
 ```js
-word[0] = 'Y'
+exemplo[0] = 'Y'
 ```
 
-Esta expressão não muda a string armazenada na variável *word*. Então, podemos dizer que strings não são modificavéis ou in outras palavras imutáveis.
+Esta expressão não muda a string armazenada na variável *exemplo*. Então, podemos dizer que strings não são modificavéis ou in outras palavras imutáveis.
 Tipos de dados primitivos são comparados pelo seu valor. Vamos comparar valores de dados diferentes. Veja o exemplo abaixo:
 
 ```js
 let numeroUm = 3
 let numeroDois = 3
 
-console.log(numeroUm == numeroDois)      // verdadeiro
+console.log(numeroUm == numeroDois)  // verdadeiro
 
 let js = 'JavaScript'
 let py = 'Python'
 
-console.log(js == py)             // falso 
+console.log(js == py)                // falso 
 
-let LuzLigar = true
-let lightApagar = false
+let luzLigar = true
+let luzApagar = false
 
-console.log(LuzLigar == lightApagar) // falso
+console.log(luzLigar == luzApagar)   // falso
 ```
 
 ### Tipos de Dados Não Primitivos
 
-*não primitivos* são tipos de dados modificáveis ou mutáveis. Nós podemos modificar o valor de um dado tipo não primitivo depois de criado.
+*Não primitivos* são tipos de dados modificáveis ou mutáveis. Nós podemos modificar o valor de um dado tipo não primitivo depois de criado.
 Vamos ver isso criando um array, um array é uma lista de valores de dados entre colchetes. Arrays que contém o mesmo ou diferentes tipos de dados. Valores de Arrays são referenciados pelo seu index. Em JavaScript o index do array começa em zero, em outras palavras o primeiro elemento de um array é encontrado no index zero, o segundo elemento no index um, e o terceiro elemento no index dois, etc.
 
 ```js
@@ -119,19 +119,19 @@ Como você pode ver, um array é um tipo de dado não primitivo e mutável. Tipo
 
 ```js
 let nums = [1, 2, 3]
-let numbers = [1, 2, 3]
+let numeros = [1, 2, 3]
 
-console.log(nums == numbers)  // falso
+console.log(nums == numeros)  // falso
 
 let userOne = {
-name:'Asabeneh',
-role:'teaching',
-country:'Finland'
+nome:'Asabeneh',
+profissao:'professor',
+país:'Finland'
 }
 
 let userTwo = {
-name:'Asabeneh',
-role:'teaching',
+nome:'Asabeneh',
+profissao:'professor',
 country:'Finland'
 }
 
@@ -142,14 +142,14 @@ Regra de ouro, nós não comparamos tipos de dados não primitivos. Não se comp
 
 ```js
 let nums = [1, 2, 3]
-let numbers = nums
+let numeros = nums
 
-console.log(nums == numbers)  // verdadeiro
+console.log(nums == numeros)  // verdadeiro
 
 let userOne = {
-name:'Asabeneh',
-role:'teaching',
-country:'Finland'
+nome:'Asabeneh',
+profissao:'Professor',
+país:'Finland'
 }
 
 let userTwo = userOne
@@ -157,7 +157,7 @@ let userTwo = userOne
 console.log(userOne == userTwo)  // verdadeiro
 ```
 
-Com dificuldade de entender a diferença entre tipos de dados primitivos e tipos de dados não primitivos, você não é o único. Calma e apenas vá para a próxima sessão e tente voltar aqui depois de algum tempo. Agora vamos começar com tipos de dados do tipo número.
+Com dificuldade de entender a diferença entre tipos de dados primitivos e tipos de dados não primitivos? Você não é o único. Calma e apenas vá para a próxima sessão e tente voltar aqui depois de algum tempo. Agora vamos começar com tipos de dados do tipo número.
 
 ## Números
 
@@ -168,70 +168,70 @@ Vamos ver alguns exemplos de Números.
 
 ```js
 let idade = 35
-const gravidade = 9.81  // nós usamos const para valores que não mudam, constante gravitacional em m/s2
-let massa = 72         // massa em Kilogramas
-const PI = 3.14       // pi constante geométrica
+const gravidade = 9.81        // nós usamos const para valores que não mudam, constante gravitacional em 9,8 m/s².
+let massa = 72                // massa em Kilogramas
+const PI = 3.14               // pi constante geométrica
 
 // Mais exemplos
-const pontoEbulição = 100 // temperatura em oC, ponto de ebulução da água que é uma constante
-const temperaturaCorpo = 37      // oC média da temperatura corporal humana, que é uma constante
+const pontoEbulicao = 100     // temperatura em oC, ponto de ebulução da água que é uma constante
+const temperaturaCorpo = 37   // oC média da temperatura corporal humana, que é uma constante
 
-console.log(idade, gravidade, massa, PI, pontoEbulição, temperaturaCorpo)
+console.log(idade, gravidade, massa, PI, pontoEbulicao, temperaturaCorpo)
 ```
 
-### Math Object
+### Objeto Math 
 
-Em JavaScript o Math Object promove muitos métodos para trabalhar com números.
+Em JavaScript o objeto Math promove muitos métodos para trabalhar com números.
 
 ```js
 const PI = Math.PI
 
-console.log(PI)                            // 3.141592653589793
+console.log(PI)                                 // 3.141592653589793
 
 // arredondando para o número mais próximo
 // se maior que 0.5 para cima, se menor que 0.5 para baixo.
 
-console.log(Math.round(PI))                // 3 é o valor mais próximo
+console.log(Math.round(PI))                     // 3 é o valor mais próximo
 
-console.log(Math.round(9.81))              // 10
+console.log(Math.round(9.81))                   // 10
 
-console.log(Math.floor(PI))                // 3 arredondando para baixo
+console.log(Math.floor(PI))                     // 3 arredondando para baixo
 
-console.log(Math.ceil(PI))                 // 4 arredondando para cima
+console.log(Math.ceil(PI))                      // 4 arredondando para cima
 
-console.log(Math.min(-5, 3, 20, 4, 5, 10)) // -5, retorna o valor mínimo
+console.log(Math.min(-5, 3, 20, 4, 5, 10))      // -5, retorna o valor mínimo
 
-console.log(Math.max(-5, 3, 20, 4, 5, 10)) // 20, retorna o valor máximo
+console.log(Math.max(-5, 3, 20, 4, 5, 10))      // 20, retorna o valor máximo
 
-const randNum = Math.random() // cria um número aleatório entre 0 ate 0.999999 
-console.log(randNum)
+const numAleatorio = Math.random()              // cria um número aleatório entre 0 até 0.999999 
+console.log(numAleatorio)
 
-// Vamos criar um numero aleatório entre 0 ate 10
+// Vamos criar um número aleatório entre 0 até 10
 
-const num = Math.floor(Math.random () * 11) // cria um número aleatório entre 0 ate 10
+const num = Math.floor(Math.random () * 11)     // cria um número aleatório entre 0 até 10
 console.log(num)
 
 // Valor absoluto
-console.log(Math.abs(-10))      // 10
+console.log(Math.abs(-10))                      // 10
 
 // Raiz quadrada
-console.log(Math.sqrt(100))     // 10
+console.log(Math.sqrt(100))                     // 10
 
-console.log(Math.sqrt(2))       // 1.4142135623730951
+console.log(Math.sqrt(2))                       // 1.4142135623730951
 
 // Potência
-console.log(Math.pow(3, 2))     // 9
+console.log(Math.pow(3, 2))                     // 9
 
-console.log(Math.E)             // 2.718
+console.log(Math.E)                             // 2.718
 
 // Logaritmo
 // Retorna o logaritmo natural com base E de x, Math.log(x)
-console.log(Math.log(2))        // 0.6931471805599453
-console.log(Math.log(10))       // 2.302585092994046
+console.log(Math.log(2))                        // 0.6931471805599453
+console.log(Math.log(10))                       // 2.302585092994046
 
 // Retorna o logaritmo natural de 2 e 10 repectivamente
-console.log(Math.LN2)           // 0.6931471805599453
-console.log(Math.LN10)          // 2.302585092994046
+console.log(Math.LN2)                           // 0.6931471805599453
+console.log(Math.LN10)                          // 2.302585092994046
 
 // Trigonometria
 Math.sin(0)
@@ -246,19 +246,19 @@ Math.cos(60)
 O objeto Math do JavaScript tem o método random() que gera números de 0 ate 0.999999999...
 
 ```js
-let randomNum = Math.random() // gera de 0 ate 0.999...
+let numeroAleatorio = Math.random()         // gera de 0 até 0.999...
 ```
 
 Agora, vamos ver como nós podemos usar o método random() para gerar um número aleatório entre 0 e 10:
 
 ```js
-let randomNum = Math.random()         // gera de 0 ate 0.999
-let numBtnZeroAndTen = randomNum * 11
+let numeroAleatorio = Math.random()         // gera de 0 até 0.999
+let numeroEntreZeroAteDez = numeroAleatorio * 11
 
-console.log(numBtnZeroAndTen)         // este retorna: min 0 and max 10.99
+console.log(numeroEntreZeroAteDez)          // retorna: min 0 and max 10.99
 
-let randomNumRoundToFloor = Math.floor(numBtnZeroAndTen)
-console.log(randomNumRoundToFloor)    // este retorna entre 0 e 10
+let numeroAleatorioParaInteiro = Math.floor(numeroEntreZeroAteDez)
+console.log(numeroAleatorioParaInteiro)     // retorna: entre 0 e 10
 ```
 
 ## Strings
@@ -267,15 +267,15 @@ Strings são textos, que estão entre **_simples_**, **_duplas_**, **_crase_**.
 Vamos ver alguns exemplos de string:
 
 ```js
-let espaço = ' '           // um valor de string vazia
+let espaço = ' '                 // um valor de string vazia
 let primeiroNone = 'Asabeneh'
 let ultimoNome = 'Yetayeh'
 let país = 'Finland'
 let cidade = 'Helsinki'
 let linguagem = 'JavaScript'
-let profissão = 'teacher'
-let citação = "The saying,'Seeing is Believing' is not correct in 2020."
-let citaçãoUsandoCrase = `The saying,'Seeing is Believing' is not correct in 2020.`
+let profissao = 'Professor'
+let citacao = "The saying,'Seeing is Believing' is not correct in 2020."
+let citacaoUsandoCrase = `The saying,'Seeing is Believing' is not correct in 2020.`
 ```
 
 ### String Concatenação
@@ -284,7 +284,7 @@ Conectando duas ou mais strings juntas é chamado de concatenação.
 Usando as strings declaradas na sessão anterior de strings: 
 
 ```js
-let nomeCompleto = primeiroNone + espaço + ultimoNome; // concatenação, combinar duas ou mais strings juntas.
+let nomeCompleto = primeiroNone + espaco + ultimoNome; // concatenação, combinar duas ou mais strings juntas.
 console.log(nomeCompleto);
 ```
 
@@ -300,16 +300,16 @@ Concatenando usando o operador de adição é o modo antigo de fazer. Este tipo
 
 ```js
 // Declarando diferentes variáveis de diferentes tipos de dados
-let espaço = ' '
+let espaco = ' '
 let primeiroNome = 'Asabeneh'
 let ultimoNome = 'Yetayeh'
-let país = 'Finland'
+let pais = 'Finland'
 let cidade = 'Helsinki'
 let linguagem = 'JavaScript'
-let profissão = 'teacher'
+let profissao = 'teacher'
 let idade = 250
 
-let nomeCompleto = primeiroNome + espaço + ultimoNome
+let nomeCompleto = primeiroNome + espaco + ultimoNome
 let pessoaUmInfo = nomeCompleto + '. I am ' + idade + '. I live in ' + país; // ES5 adição de string
 
 console.log(pessoaUmInfo)
@@ -399,15 +399,15 @@ console.log(`The sum of ${a} and ${b} is ${a + b}`) // injetando dados dinamicam
 ```js
 let primeiroNome = 'Asabeneh'
 let ultimoNome = 'Yetayeh'
-let país = 'Finland'
+let pais = 'Finland'
 let cidade = 'Helsinki'
 let linguagem = 'JavaScript'
-let profissão = 'teacher'
+let profissao = 'teacher'
 let idade = 250
 let nomeCompleto = primeiroNome + ' ' + ultimoNome
 
-let pessoaInfoUm = `I am ${nomeCompleto}. I am ${idade}. I live in ${país}.` //ES6 - Método de interpolação de String
-let pesoaInfoDois = `I am ${nomeCompleto}. I live in ${cidade}, ${país}. I am a ${profissão}. I teach ${linguagem}.`
+let pessoaInfoUm = `I am ${nomeCompleto}. I am ${idade}. I live in ${pais}.` //ES6 - Método de interpolação de String
+let pesoaInfoDois = `I am ${nomeCompleto}. I live in ${cidade}, ${pais}. I am a ${profissao}. I teach ${linguagem}.`
 console.log(pessoaInfoUm)
 console.log(pesoaInfoDois)
 ```
@@ -479,7 +479,7 @@ let primeiroNome = 'Asabeneh'
 
 console.log(primeiroNome.toUpperCase())  // ASABENEH
 
-let país = 'Finland'
+let pais = 'Finland'
 
 console.log(país.toUpperCase())    // FINLAND
 ```
@@ -506,7 +506,7 @@ console.log(pais.toLowerCase())   // finland
 let string = 'JavaScript'
 console.log(string.substr(4,6))    // Script
 
-let país = 'Finland'
+let pais = 'Finland'
 console.log(país.substr(3, 4))   // land
 ```
 
@@ -519,7 +519,7 @@ console.log(string.substring(0,4))     // Java
 console.log(string.substring(4,10))    // Script
 console.log(string.substring(4))       // Script
 
-let país = 'Finland'
+let pais = 'Finland'
 
 console.log(país.substring(0, 3))   // Fin
 console.log(país.substring(3, 7))   // land
@@ -539,7 +539,7 @@ let primeiroNome = 'Asabeneh'
 console.log(primeiroNome.split())    // muda para um array - > ["Asabeneh"]
 console.log(primeiroNome.split(''))  // separa em um array cada letra ->  ["A", "s", "a", "b", "e", "n", "e", "h"]
 
-let país = 'Finland, Sweden, Norway, Denmark, and Iceland'
+let pais = 'Finland, Sweden, Norway, Denmark, and Iceland'
 
 console.log(país.split(','))  // separa para um array com vírgula -> ["Finland", " Sweden", " Norway", " Denmark", " and Iceland"]
 console.log(país.split(', ')) //  ["Finland", "Sweden", "Norway", "Denmark", "and Iceland"]
@@ -578,7 +578,7 @@ console.log(string.includes('script'))   // false
 console.log(string.includes('java'))     // false
 console.log(string.includes('Java'))     // true
 
-let país = 'Finland'
+let pais = 'Finland'
 
 console.log(país.includes('fin'))     // false
 console.log(país.includes('Fin'))     // true
@@ -596,7 +596,7 @@ string.replace(antigaSubstring, novaSubstring)
 let string = '30 Days Of JavaScript'
 console.log(string.replace('JavaScript', 'Python')) // 30 Days Of Python
 
-let país = 'Finland'
+let pais = 'Finland'
 console.log(país.replace('Fin', 'Noman'))       // Nomanland
 ```
 11. *charAt()*: Usando um index e retorna o valor no index selecionado;
@@ -708,7 +708,7 @@ console.log(string.endsWith('world'))         // true
 console.log(string.endsWith('love'))          // false
 console.log(string.endsWith('in the world')) // true
 
-let país = 'Finland'
+let pais = 'Finland'
 
 console.log(país.endsWith('land'))         // true
 console.log(país.endsWith('fin'))          // false
@@ -795,10 +795,10 @@ Para verificar o tipo de uma variável nós usamos o método _typeOf_.
 
 let primeiroNome = 'Asabeneh'     // string
 let ultimoNome = 'Yetayeh'        // string
-let país = 'Finland'              // string
+let pais = 'Finland'              // string
 let cidade = 'Helsinki'           // string
 let idade = 250                   // número, não é minha idade real, não se preocupe com isso
-let profissão                     // undefined, porque o valor não foi definido.
+let profissao                     // undefined, porque o valor não foi definido.
 
 console.log(typeof 'Asabeneh')    // string
 console.log(typeof primeiroNome)  // string
@@ -807,7 +807,7 @@ console.log(typeof 3.14)          // number
 console.log(typeof true)          // boolean
 console.log(typeof false)         // boolean
 console.log(typeof NaN)           // number
-console.log(typeof profissão)     // undefined
+console.log(typeof profissao)     // undefined
 console.log(typeof undefined)     // undefined
 console.log(typeof null)          // object
 ```
@@ -962,7 +962,7 @@ console.log(numInt) // 9
 
 3. Limpar o seguinte texto e encontrar a palavra mais repetida (dica, use replace e expressões regulares)
   ```js
-    const sentence = " %I $am@% a %tea@cher%, &and& I lo%#ve %te@a@ching%;. The@re $is no@th@ing; &as& mo@re rewarding as educa@ting &and& @emp%o@weri@ng peo@ple. ;I found tea@ching m%o@re interesting tha@n any ot#her %jo@bs. %Do@es thi%s mo@tiv#ate yo@u to be a tea@cher!? %Th#is 30#Days&OfJavaScript &is al@so $the $resu@lt of &love& of tea&ching "
+    const frase = " %I $am@% a %tea@cher%, &and& I lo%#ve %te@a@ching%;. The@re $is no@th@ing; &as& mo@re rewarding as educa@ting &and& @emp%o@weri@ng peo@ple. ;I found tea@ching m%o@re interesting tha@n any ot#her %jo@bs. %Do@es thi%s mo@tiv#ate yo@u to be a tea@cher!? %Th#is 30#Days&OfJavaScript &is al@so $the $resu@lt of &love& of tea&ching "
   ```  
 
 4. Calcular o total anual de uma pessoa extraindo os números do seguinte texto. __"Ele recebe 5000 euros de salário por mês, 10000 euros de bônus anual, 15000 euros de cursos onlines por mês.'__. 

From 106f90f080467effe78799bd42b4de76cbdeb82d Mon Sep 17 00:00:00 2001
From: Zearf <87173635+Zearf@users.noreply.github.com>
Date: Tue, 7 Feb 2023 02:07:21 +0700
Subject: [PATCH 8/9] Update 03_booleans_operators_date.md

---
 .../03_booleans_operators_date.md             | 415 +++++++++---------
 1 file changed, 205 insertions(+), 210 deletions(-)

diff --git a/Vietnamese/03_Day_Booleans_operators_date/03_booleans_operators_date.md b/Vietnamese/03_Day_Booleans_operators_date/03_booleans_operators_date.md
index 5ce6453..4734f0b 100644
--- a/Vietnamese/03_Day_Booleans_operators_date/03_booleans_operators_date.md
+++ b/Vietnamese/03_Day_Booleans_operators_date/03_booleans_operators_date.md
@@ -19,8 +19,8 @@
 
 - [📔 Ngày 3](#-day-3)
 	- [Booleans](#booleans)
-		- [Giá trị đúng](#truthy-values)
-		- [Giá trị sai](#falsy-values)
+		- [Giá trị đúng](#gia-tri-dung)
+		- [Giá trị sai](#gia-tri-sai)
 	- [Không xác định](#undefined)
 	- [Giá trị không tồn tại](#null)
 	- [Toán tử](#operators)
@@ -36,7 +36,7 @@
 		- [Phương thức alert()](#window-alert-method)
 		- [Phương thức prompt()](#window-prompt-method)
 		- [Phương thức confirm()](#window-confirm-method)
-	- [Đối tượng thời gian](#date-object)
+	- [Đối tượng Date](#date-object)
 		- [Tạo một đối tượng thời gian](#creating-a-time-object)
 		- [Lấy giá trị năm](#getting-full-year)
 		- [Lấy giá trị tháng](#getting-month)
@@ -71,65 +71,65 @@ let falseValue = 4 < 3  // false
 
 Chúng ta có thể thấy được boolean chỉ có giá trị đúng hoặc sai.
 
-### Giá trị đúng
+### Gia tri dung
 
-- All numbers(positive and negative) are truthy except zero
-- All strings are truthy except an empty string ('')
-- The boolean true
+- Mọi số thực (dương và âm) đều mang giá trị đúng trừ 0
+- Mọi chuỗi đều có giá trị đúng trừ chuỗi rỗng ('')
+- Boolean đúng
 
-### Falsy values
+### Gia tri sai
 
 - 0
 - 0n
 - null
-- undefined
+- Không xác định
 - NaN
-- the boolean false
-- '', "", ``, empty string
+- Boolean sai
+- '', "", ``, những chuỗi rỗng
 
-It is good to remember those truthy values and falsy values. In later section, we will use them with conditions to make decisions.
+Ghi nhớ những điều kiện để giá trị đúng sai sẽ có ích, bởi vì ở phần tiếp theo, chúng ta sẽ sử dụng chúng với điều kiện để đưa ra lựa chọn.
 
-## Undefined
+## Không xác định
 
-If we declare a variable and if we do not assign a value, the value will be undefined. In addition to this, if a function is not returning the value, it will be undefined.
+Nếu chúng ta tạo một biến nhưng không gán một giá trị vào biến ấy, giá trị của biến ấy sẽ là *undefined*. Đồng thời, nếu một phương thức không trả một giá trị, phương thức ấy sẽ cho ra giá trị *underfined*
 
 ```js
 let firstName
-console.log(firstName) //not defined, because it is not assigned to a value yet
+console.log(firstName) // Không xác định, bởi vì biến firstName chưa được gán giá trị
 ```
 
 ## Null
 
 ```js
 let empty = null
-console.log(empty) // -> null , means no value
+console.log(empty) // -> null , nghĩa là không tồn tại
 ```
 
-## Operators
+## Toán tử
 
-### Assignment operators
+### Toán tử gán
 
-An equal sign in JavaScript is an assignment operator. It uses to assign a variable.
+Dấu bằng trong JavaScript là một toán tử gán. Nó được dụng để gán giá trị vào biến
 
 ```js
-let firstName = 'Asabeneh'
-let country = 'Finland'
+let firstName = 'Asabeneh' // Gán giá trị 'Asabeneh' vào biến firstName
+let country = 'Finland' // Gán giá trị 'Finland' vào biến country
 ```
 
-Assignment Operators
+Toán tử gán
 
-![Assignment operators](../images/assignment_operators.png)
+![Assignment operators](../../images/assignment_operators.png)
 
-### Arithmetic Operators
+### Toán tử số học
 
-Arithmetic operators are mathematical operators.
+Toán tử số học là những phép tính toán.
 
-- Addition(+): a + b
-- Subtraction(-): a - b
-- Multiplication(*): a * b
-- Division(/): a / b
-- Modulus(%): a % b
-- Exponential(**): a ** b
+- Phép cộng(+): a + b
+- Phép trừ(-): a - b
+- Phép nhân(*): a * b
+- Phép chia(/): a / b
+- Phép chia lấy dư(%): a % b
+- Lũy thừa(**): a ** b
 
 ```js
 let numOne = 4
@@ -147,25 +147,24 @@ console.log(sum, diff, mult, div, remainder, powerOf) // 7,1,12,1.33,1, 64
 
 ```js
 const PI = 3.14
-let radius = 100          // length in meter
+let radius = 100          // độ dài đơn vị mét
 
 //Let us calculate area of a circle
 const areaOfCircle = PI * radius * radius
 console.log(areaOfCircle)  //  314 m
 
 
-const gravity = 9.81      // in m/s2
-let mass = 72             // in Kilogram
+const gravity = 9.81      // đơn vị m/s2
+let mass = 72             // đơn vị Kilogram
 
-// Let us calculate weight of an object
+//Chúng ta sẽ tính khối lượng của đối tượng này
 const weight = mass * gravity
 console.log(weight)        // 706.32 N(Newton)
 
-const boilingPoint = 100  // temperature in oC, boiling point of water
-const bodyTemp = 37       // body temperature in oC
+const boilingPoint = 100  // Nhiệt độ sôi của nước (oC)
+const bodyTemp = 37       // Nhiệt độ cơ thể (oC)
 
-
-// Concatenating string with numbers using string interpolation
+// Nối chuỗi với số sử dụng phép nội suy chuỗi
 /*
  The boiling point of water is 100 oC.
  Human body temperature is 37 oC.
@@ -176,88 +175,85 @@ console.log(
 )
 ```
 
-### Comparison Operators
+### Toán tử so sánh
 
-In programming we compare values, we use comparison operators to compare two values. We check if a value is greater or less or equal to other value.
+Trong lập trình, khi chúng ta so sánh 2 giá trị với nhau, chúng ta sẽ sử dụng toán tử so sánh. Toán tử so sánh giúp cho chúng ta biết giá trị 1 sẽ lớn hoặc hay nhỏ hơn hoặc bằng giá trị 2.
 
-![Comparison Operators](../images/comparison_operators.png)
-**Example: Comparison Operators**
+![Comparison Operators](../../images/comparison_operators.png)
+**Example: Toán tử so sánh**
 
 ```js
-console.log(3 > 2)              // true, because 3 is greater than 2
-console.log(3 >= 2)             // true, because 3 is greater than 2
-console.log(3 < 2)              // false,  because 3 is greater than 2
-console.log(2 < 3)              // true, because 2 is less than 3
-console.log(2 <= 3)             // true, because 2 is less than 3
-console.log(3 == 2)             // false, because 3 is not equal to 2
-console.log(3 != 2)             // true, because 3 is not equal to 2
-console.log(3 == '3')           // true, compare only value
-console.log(3 === '3')          // false, compare both value and data type
-console.log(3 !== '3')          // true, compare both value and data type
-console.log(3 != 3)             // false, compare only value
-console.log(3 !== 3)            // false, compare both value and data type
-console.log(0 == false)         // true, equivalent
-console.log(0 === false)        // false, not exactly the same
-console.log(0 == '')            // true, equivalent
-console.log(0 == ' ')           // true, equivalent
-console.log(0 === '')           // false, not exactly the same
-console.log(1 == true)          // true, equivalent
-console.log(1 === true)         // false, not exactly the same
-console.log(undefined == null)  // true
-console.log(undefined === null) // false
-console.log(NaN == NaN)         // false, not equal
-console.log(NaN === NaN)        // false
-console.log(typeof NaN)         // number
-
-console.log('mango'.length == 'avocado'.length)  // false
-console.log('mango'.length != 'avocado'.length)  // true
-console.log('mango'.length < 'avocado'.length)   // true
-console.log('milk'.length == 'meat'.length)      // true
-console.log('milk'.length != 'meat'.length)      // false
-console.log('tomato'.length == 'potato'.length)  // true
-console.log('python'.length > 'dragon'.length)   // false
-```
-
-Try to understand the above comparisons with some logic. Remembering without any logic might be difficult.
-JavaScript is somehow a wired kind of programming language. JavaScript code run and give you a result but unless you are good at it may not be the desired result.
-
-As rule of thumb, if a value is not true with == it will not be equal with ===. Using === is safer than using ==. The following [link](https://dorey.github.io/JavaScript-Equality-Table/) has an exhaustive list of comparison of data types.
-
-### Logical Operators
-
-The following symbols are the common logical operators:
-&&(ampersand) , ||(pipe) and !(negation).
-The && operator gets true only if the two operands are true.
-The || operator gets true either of the operand is true.
-The ! operator negates true to false and false to true.
+console.log(3 > 2)              // Đúng, bởi vì 3 lớn hơn 2
+console.log(3 >= 2)             // Đúng, bởi vì 3 lớn hơn 2
+console.log(3 < 2)              // Sai, bởi vì 3 lớn hơn 2
+console.log(2 < 3)              // Đúng, bởi vì 2 bé hơn 3 
+console.log(2 <= 3)             // Đúng, bởi vì 2 bé hơn 3
+console.log(3 == 2)             // Sai, bởi vì 3 không bằng 2
+console.log(3 != 2)             // Đúng, bởi vì 3 không bằng 2
+console.log(3 == '3')           // Đúng, chỉ so sánh giá trị
+console.log(3 === '3')          // Sai, so sánh cả giá trị lẫn kiểu dữ liệu
+console.log(3 !== '3')          // Đúng, so sánh cả giá trị lẫn kiểu dữ liệu
+console.log(3 != 3)             // Sai, chỉ so sánh giá trị
+console.log(3 !== 3)            // Sai, so sánh cả giá trị lẫn kiểu dữ liệu
+console.log(0 == false)         // Đúng, 2 giá trị tương đương nhau
+console.log(0 === false)        // Sai, 2 giá trị không giống nhau hoàn toàn
+console.log(0 == '')            // Đúng, giá trị tương đương nhau 
+console.log(0 == ' ')           // Đúng, giá trị tương đương nhau
+console.log(0 === '')           // Sai, 2 giá trị không giống nhau hoàn toàn
+console.log(1 == true)          // Đúng, giá trị tương đương nhau
+console.log(1 === true)         // Sai, 2 giá trị không giống nhau hoàn toàn
+console.log(undefined == null)  // Đúng
+console.log(undefined === null) // Sai
+console.log(NaN == NaN)         // Sai, không bằng nhau
+console.log(NaN === NaN)        // Sai
+console.log(typeof NaN)         // Kiểu dữ liệu số
+
+console.log('mango'.length == 'avocado'.length)  // Sai
+console.log('mango'.length != 'avocado'.length)  // Đúng
+console.log('mango'.length < 'avocado'.length)   // Đúng
+console.log('milk'.length == 'meat'.length)      // Đúng
+console.log('milk'.length != 'meat'.length)      // Sai
+console.log('tomato'.length == 'potato'.length)  // Đúng
+console.log('python'.length > 'dragon'.length)   // Sai
+```
+
+Hãy cố hiểu những so sánh trên theo logic, không nên học thuộc lòng bởi vì sẽ khó hơn.
+Javascript là một ngôn ngữ lập trình lạ. Code Javascript sẽ chạy và đưa ra kết quả nhưng trừ khi bạn thật sự thành thạo ngôn ngữ này, kết quả sẽ không như mong đợi.
+
+Theo như quy tắc ngón tay, nếu giá trị là không đúng với '==' thì cũng sẽ không đúng với '==='. Sử dụng '===' để so sánh sẽ an toàn hơn sử dụng '=='. Đường [link](https://dorey.github.io/JavaScript-Equality-Table/) sau đây bao gồm một dãy kết quả so sánh giữa các kiểu dữ liệu khác nhau.
+
+### Toán tử Logic
+
+Các ký hiệu sau đây là các toán tử logic thông dụng:
+&& (và) , || (hoặc) và ! (phủ định). Toán tử && sẽ cho kết quả đúng khi cả hai đều kiện đều đúng. Toán tử || sẽ cho kết quả đúng khi một trong hai điều kiện đúng. Toán tử ! sẽ đảo ngược kết quả lại.
 
 ```js
-// && ampersand operator example
+// Ví dự toán tử &&
 
-const check = 4 > 3 && 10 > 5         // true && true -> true
-const check = 4 > 3 && 10 < 5         // true && false -> false
-const check = 4 < 3 && 10 < 5         // false && false -> false
+const check = 4 > 3 && 10 > 5         // đúng && đúng -> đúng
+const check = 4 > 3 && 10 < 5         // đúng && sai -> sai
+const check = 4 < 3 && 10 < 5         // sai && sai -> sai
 
-// || pipe or operator, example
+// Ví dụ toán tử ||
 
-const check = 4 > 3 || 10 > 5         // true  || true -> true
-const check = 4 > 3 || 10 < 5         // true  || false -> true
-const check = 4 < 3 || 10 < 5         // false || false -> false
+const check = 4 > 3 || 10 > 5         // đúng  || đúng -> đúng
+const check = 4 > 3 || 10 < 5         // đúng  || sai -> đúng
+const check = 4 < 3 || 10 < 5         // sai || sai -> sai
 
-//! Negation examples
+//Ví dụ toán tử !
 
-let check = 4 > 3                     // true
-let check = !(4 > 3)                  //  false
+let check = 4 > 3                     // đúng
+let check = !(4 > 3)                  // sai
 let isLightOn = true
-let isLightOff = !isLightOn           // false
-let isMarried = !false                // true
+let isLightOff = !isLightOn           // sai
+let isMarried = !false                // đúng
 ```
 
-### Increment Operator
+### Toán tử tăng
 
-In JavaScript we use the increment operator to increase a value stored in a variable. The increment could be pre or post increment. Let us see each of them:
+Trong JavaScipt chúng ta dùng toán tử tăng để tăng giá trị được chứa trong một biến. Toán tử tăng có thể nằm trước hoặc sau. Sau đây là ví dụ về cả 2 dạng:
 
-1. Pre-increment
+1. Tăng nằm trước
 
 ```js
 let count = 0
@@ -265,7 +261,7 @@ console.log(++count)        // 1
 console.log(count)          // 1
 ```
 
-1. Post-increment
+1. Tăng nằm sau
 
 ```js
 let count = 0
@@ -273,13 +269,13 @@ console.log(count++)        // 0
 console.log(count)          // 1
 ```
 
-We use most of the time post-increment. At least you should remember how to use post-increment operator.
+Đa phần chúng ta sẽ dùng toán tử tăng nằm sau. Vì thế chúng ta nên nhớ cách sử dụng toán tử tăng nằm sau.
 
-### Decrement Operator
+### Toán tử giảm
 
-In JavaScript we use the decrement operator to decrease a value stored in a variable. The decrement could be pre or post decrement. Let us see each of them:
+Trong Javascript chúng ta dùng toán tử giảm để giảm giá trị được chứa trong một biến. Toán tử giảm có thể nằm trước hoặc sau. Sau đây là ví dụ về cả 2 dạng:
 
-1. Pre-decrement
+1. Giảm nằm trước
 
 ```js
 let count = 0
@@ -287,7 +283,7 @@ console.log(--count) // -1
 console.log(count)  // -1
 ```
 
-2. Post-decrement
+2. Giảm nằm sau
 
 ```js
 let count = 0
@@ -295,10 +291,9 @@ console.log(count--) // 0
 console.log(count)   // -1
 ```
 
-### Ternary Operators
+### Toán tử điều kiện
 
-Ternary operator allows to write a condition.
-Another way to write conditionals is using ternary operators. Look at the following examples:
+Toán tử điều kiện cho chúng ta viết được điều kiện. Một cách khác để viết điều kiện là sử dụng toán tử điều kiện. Hãy xem các ví dụ sau:
 
 ```js
 let isRaining = true
@@ -334,15 +329,15 @@ number > 0
 -5 is a negative number
 ```
 
-### Operator Precedence
+### Độ ưu tiên toán tử
 
-I would like to recommend you to read about operator precedence from this [link](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/Operator_Precedence)
+Nếu bạn muốn biết thêm về độ ưu tiên các toán tử hãy truy cập vào [link](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/Operator_Precedence)  này.
 
-## Window Methods
+## Phương thức cửa sổ
 
-### Window alert() method
+### Hàm alert()
 
-As you have seen at very beginning alert() method displays an alert box with a specified message and an OK button. It is a builtin method and it takes on argument.
+Như ở đầu đã thấy, hàm alert() hiện một cửa sổ cảnh báo với một tin nhắn cụ thể và một nút bấm với chữ 'OK'. Đây là một hàm có sẵn và có thể nhận tham số.
 
 ```js
 alert(message)
@@ -352,11 +347,11 @@ alert(message)
 alert('Welcome to 30DaysOfJavaScript')
 ```
 
-Do not use too much alert because it is destructing and annoying, use it just to test.
+Đừng sử dụng hàm alert() quá nhiều bởi vì sẽ gây khó chịu cho người sử dụng. Chỉ nên dùng để kiểm tra.
 
-### Window prompt() method
+### Hàm prompt()
 
-The window prompt methods display a prompt box with an input on your browser to take input values and the input data can be stored in a variable. The prompt() method takes two arguments. The second argument is optional.
+Hàm prompt sẽ hiện một cửa sổ cho phép chúng ta nhập dữ liệu vào trong trình duyệt và dữ liệu sẽ được lưu vào một biến. Hàm prompt() nhận 2 tham số. Tham số thứ hai có thể có hoặc không.
 
 ```js
 prompt('required text', 'optional text')
@@ -367,151 +362,151 @@ let number = prompt('Enter number', 'number goes here')
 console.log(number)
 ```
 
-### Window confirm() method
+### Hàm confirm()
 
-The confirm() method displays a dialog box with a specified message, along with an OK and a Cancel button.
-A confirm box is often used to ask permission from a user to execute something. Window confirm() takes a string as an argument.
-Clicking the OK yields true value, whereas clicking the Cancel button yields false value.
+Hàm confirm() hiện một cửa sổ với một đoạn tin nhắn kèm theo một nút bấm 'OK' và nút bấm 'Cancel'.
+Hàm confirm() thường được dùng để hỏi sự chấp thuận của người dùng trước khi thực hiện một hành động nào đó. Hàm confirm() nhận chuỗi làm tham số. Chọn nút 'OK' sẽ trả về giá trị đúng, còn nút 'Cancel' sẽ trả về giá trị sai.
 
 ```js
 const agree = confirm('Are you sure you like to delete? ')
-console.log(agree) // result will be true or false based on what you click on the dialog box
+console.log(agree) // kết quả sẽ trả về đúng hoặc sai tùy vào nút người dùng chọn trong cửa sổ
 ```
 
-These are not all the window methods we will have a separate section to go deep into window methods.
+Đây không phải là toàn bộ phương thức cửa sổ. Sẽ có một phần riêng biệt để đi sâu vào các phương thức cửa sổ.
 
-## Date Object
+## Đối tượng Date
 
-Time is an important thing. We like to know the time a certain activity or event. In JavaScript current time and date is created using JavaScript Date Object. The object we create using Date object provides many methods to work with date and time.The methods we use to get date and time information from a date object values are started with a word _get_ because it provide the information.
-_getFullYear(), getMonth(), getDate(), getDay(), getHours(), getMinutes, getSeconds(), getMilliseconds(), getTime(), getDay()_
+Thời gian là một thứ quan trọng. Chúng ta muốn biết được thời gian của một hành động hoặc sự kiện gì đó. Trong Javascript, thời gian và ngày hiện tại được tạo ra sử dụng Đối tượng Date trong JavaScript. Đối tượng được tạo ra từ đối tượng Date sẽ có nhiều hàm giúp chúng ta trong việc xử lí thời gian và ngày. Những hàm được sử dụng để lấy được thông tin thời gian và ngày trong đối tượng Date đều bắt đầu với từ _get_.
+ _getFullYear(), getMonth(), getDate(), getDay(), getHours(), getMinutes, getSeconds(), getMilliseconds(), getTime(), getDay()_
 
-![Date time Object](../images/date_time_object.png)
+![Date time Object](../../images/date_time_object.png)
 
-### Creating a time object
+### Tạo một đối tượng thời gian
 
-Once we create time object. The time object will provide information about time. Let us create a time object
+Sau khi tạo một đối tượng thời gian. Đối tượng đó sẽ cho chúng ta thông tin về thời gian. Đây là bước để tạo đối tượng thời gian.
 
 ```js
 const now = new Date()
 console.log(now) // Sat Jan 04 2020 00:56:41 GMT+0200 (Eastern European Standard Time)
 ```
 
-We have created a time object and we can access any date time information from the object using the get methods we have mentioned on the table.
+Chúng ta đã tạo một đối tượng thời gian. Giờ chúng ta có thể lấy mọi thông tin liên quan đến thời gian từ đối tượng đã tạo bằng cách sử dụng các hàm _get_ trong bảng trên.
 
-### Getting full year
+### Lấy năm
 
-Let's extract or get the full year from a time object.
+Lấy năm từ đối tượng thời gian
 
 ```js
 const now = new Date()
 console.log(now.getFullYear()) // 2020
 ```
 
-### Getting month
+### Lấy tháng
 
-Let's extract or get the month from a time object.
+Lấy tháng từ đối tượng thời gian
 
 ```js
 const now = new Date()
-console.log(now.getMonth()) // 0, because the month is January,  month(0-11)
+console.log(now.getMonth()) // 0, bởi vì đây là tháng Giêng, tháng(0-11)
 ```
 
-### Getting date
+### Lấy ngày
 
-Let's extract or get the date of the month from a time object.
+Lấy ngày trong tháng từ đối tượng thời gian
 
 ```js
 const now = new Date()
-console.log(now.getDate()) // 4, because the day of the month is 4th,  day(1-31)
+console.log(now.getDate()) // 4, bởi vì ngày trong tháng là ngày bốn, ngày(1-31)
 ```
 
-### Getting day
+### Lấy thứ
 
-Let's extract or get the day of the week from a time object.
+Lấy thứ ngày trong tuần từ đối tượng thời gian
 
 ```js
 const now = new Date()
-console.log(now.getDay()) // 6, because the day is Saturday which is the 7th day
-//  Sunday is 0, Monday is 1 and Saturday is 6
-// Getting the weekday as a number (0-6)
+console.log(now.getDay()) // 6, bởi vì hôm nay là thứ bảy
+//  Chủ nhật là 0, thứ Hai là 1 và thứ bảy là 6
+// Ngày trong tuần (0-6)
 ```
 
-### Getting hours
+### Lấy giờ
 
-Let's extract or get the hours from a time object.
+Lấy giờ từ đối tượng thời gian
 
 ```js
 const now = new Date()
-console.log(now.getHours()) // 0, because the time is 00:56:41
+console.log(now.getHours()) // 0, bời vì thời gian là 00:56:41
 ```
 
-### Getting minutes
+### Lấy phút
 
-Let's extract or get the minutes from a time object.
+Lấy phút từ đối tượng thời gian
 
 ```js
 const now = new Date()
-console.log(now.getMinutes()) // 56, because the time is 00:56:41
+console.log(now.getMinutes()) // 56, bời vì thời gian là 00:56:41
 ```
 
-### Getting seconds
+### Lấy giây
 
-Let's extract or get the seconds from a time object.
+Lấy giây từ đối tượng thời gian
 
 ```js
 const now = new Date()
-console.log(now.getSeconds()) // 41, because the time is 00:56:41
+console.log(now.getSeconds()) // 41, bời vì thời gian là 00:56:41
 ```
 
-### Getting time
+### Lấy thời gian
 
-This method give time in milliseconds starting from January 1, 1970. It is also know as Unix time. We can get the unix time in two ways:
+Phương thức này sẽ cho chúng ta thời gian theo giây tính từ ngày 1, tháng 1, năm 1970. Đây còn được gọi là thời gian Unix. Chúng ta có thể lấy thời gian Unix theo 2 cách sau:
 
-1. Using _getTime()_
+1. Sử dụng hàm _getTime()_
 
 ```js
 const now = new Date() //
-console.log(now.getTime()) // 1578092201341, this is the number of seconds passed from January 1, 1970 to January 4, 2020 00:56:41
+console.log(now.getTime()) // 1578092201341, đây là số giây đã trôi qua kể từ ngày 1, tháng 1, năm 1970 đến 4 Tháng 1, 2020 00:56:41
 ```
 
-1. Using _Date.now()_
+1. Sử dụng hàm _Date.now()_
 
 ```js
 const allSeconds = Date.now() //
-console.log(allSeconds) // 1578092201341, this is the number of seconds passed from January 1, 1970 to January 4, 2020 00:56:41
+console.log(allSeconds) // 1578092201341,đây là số giây đã trôi qua kể từ ngày 1, tháng 1, năm 1970 đến 4 Tháng 1, 2020 00:56:41
 
 const timeInSeconds = new Date().getTime()
-console.log(allSeconds == timeInSeconds) // true
+console.log(allSeconds == timeInSeconds) // đúng
 ```
 
-Let us format these values to a human readable time format.
-**Example:**
+Chúng ta sẽ điều chỉnh lại giá trị để có thể dễ đọc thời gian hơn
+
+**Ví dụ:**
 
 ```js
 const now = new Date()
-const year = now.getFullYear() // return year
-const month = now.getMonth() + 1 // return month(0 - 11)
-const date = now.getDate() // return date (1 - 31)
-const hours = now.getHours() // return number (0 - 23)
-const minutes = now.getMinutes() // return number (0 -59)
+const year = now.getFullYear() // Lấy năm
+const month = now.getMonth() + 1 // Lấy tháng(0 - 11)
+const date = now.getDate() // Lấy ngày (1 - 31)
+const hours = now.getHours() // Lấy giờ (0 - 23)
+const minutes = now.getMinutes() // Lấy phút (0 -59)
 
 console.log(`${date}/${month}/${year} ${hours}:${minutes}`) // 4/1/2020 0:56
 ```
 
-🌕  You have boundless energy. You have just completed day 3 challenges and you are three steps a head in to your way to greatness. Now do some exercises for your brain and for your muscle.
+🌕  Bạn có năng lượng vô tận. Bạn vừa hoàn thành thử thách của ngày thứ 3 và bạn đã tiến được 3 bước trên con đường vươn tới sự vĩ đại. Bây giờ hãy làm một số bài tập để giúp cho trí não của bạn.
 
-## 💻 Day 3: Exercises
+## 💻 Day 3: Bài tập
 
-### Exercises: Level 1
+### Bài tập: Level 1
 
-1. Declare firstName, lastName, country, city, age, isMarried, year variable and assign value to it and use the typeof operator to check different data types.
-2. Check if type of '10' is equal to 10
-3. Check if parseInt('9.8') is equal to 10
-4. Boolean value is either true or false.
-   1. Write three JavaScript statement which provide truthy value.
-   2. Write three JavaScript statement which provide falsy value.
+1. Khai báo biến firstName, lastName, country, city, age, isMarried, year và gán giá trị cho nó và sử dụng toán tử typeof để kiểm tra các kiểu dữ liệu khác nhau.
+2. Kiểm tra xem kiểu dữ liệu của '10' có giống với 10
+3. Kiểm tra parseInt('9.8') có bằng 10 không
+4. Giá trị boolean có thể đúng hoặc sai
+   1. Viết ba câu lệnh JavaScript cung cấp giá trị đúng.
+   2. Viết ba câu lệnh JavaScript cung cấp giá trị sai.
 
-5. Figure out the result of the following comparison expression first without using console.log(). After you decide the result confirm it using console.log()
+5. Hãy tìm ra kết quả của các biểu thức so sánh sau không sử dụng console.log(). Sau khi làm xong, hãy xác nhận nó bằng console.log()
    1. 4 > 3
    2. 4 >= 3
    3. 4 < 3
@@ -523,9 +518,9 @@ console.log(`${date}/${month}/${year} ${hours}:${minutes}`) // 4/1/2020 0:56
    9. 4 != '4'
    10. 4 == '4'
    11. 4 === '4'
-   12. Find the length of python and jargon and make a falsy comparison statement.
+   12. Tìm độ dài của python và biệt ngữ và đưa ra một câu lệnh so sánh sai
 
-6. Figure out the result of the following expressions first without using console.log(). After you decide the result confirm it by using console.log()
+6. Hãy tìm ra kết quả của các biểu thức so sánh sau không sử dụng console.log(). Sau khi làm xong, hãy xác nhận nó bằng console.log()
    1. 4 > 3 && 10 < 12
    2. 4 > 3 && 10 > 12
    3. 4 > 3 || 10 < 12
@@ -536,20 +531,20 @@ console.log(`${date}/${month}/${year} ${hours}:${minutes}`) // 4/1/2020 0:56
    8. !(4 > 3 && 10 < 12)
    9. !(4 > 3 && 10 > 12)
    10. !(4 === '4')
-   11. There is no 'on' in both dragon and python
+   11. Không có 'on' trong cả 2 từ dragon và python
 
-7. Use the Date object to do the following activities
-   1. What is the year today?
-   2. What is the month today as a number?
-   3. What is the date today?
-   4. What is the day today as a number?
-   5. What is the hours now?
-   6. What is the minutes now?
-   7. Find out the numbers of seconds elapsed from January 1, 1970 to now.
+7. Sử dụng đối tượng Date để làm các câu hỏi sau
+   1. Năm nay là năm mấy?
+   2. Tháng này là tháng mấy dưới dạng số?
+   3. Hôm nay ngày mấy?
+   4. Hôm nay là thứ mấy dưới dạng số?
+   5. Bây giờ mấy giờ?
+   6. Bây giờ mấy phút?
+   7. Tìm số giây đã trôi qua kể từ ngày 1, tháng 1, năm 1970 đến bây giờ.
 
-### Exercises: Level 2
+### Bài tập: Level 2
 
-1. Write a script that prompt the user to enter base and height of the triangle and calculate an area of a triangle (area = 0.5 x b x h).
+1. Viết một đoạn lệnh yêu cầu người dùng nhập độ dài đáy và chiều cao của hình tam giác và tính diện tích của tam giác ấy (diện tích = 0.5 x đáy x cao).
 
    ```sh
    Enter base: 20
@@ -557,7 +552,7 @@ console.log(`${date}/${month}/${year} ${hours}:${minutes}`) // 4/1/2020 0:56
    The area of the triangle is 100
    ```
 
-1. Write a script that prompt the user to enter side a, side b, and side c of the triangle and and calculate the perimeter of triangle (perimeter = a + b + c)
+2. Viết một đoạn lệnh yêu cầu người dùng nhập độ dài cạnh a, cạnh b, cạnh c của hình tam giác và tính chu vi của tam giác ấy (chu vi = a + b + c).
 
    ```sh
    Enter side a: 5
@@ -566,13 +561,13 @@ console.log(`${date}/${month}/${year} ${hours}:${minutes}`) // 4/1/2020 0:56
    The perimeter of the triangle is 12
    ```
 
-1. Get length and width using prompt and calculate an area of rectangle (area = length x width and the perimeter of rectangle (perimeter = 2 x (length + width))
-1. Get radius using prompt and calculate the area of a circle (area = pi x r x r) and circumference of a circle(c = 2 x pi x r) where pi = 3.14.
-1. Calculate the slope, x-intercept and y-intercept of y = 2x -2
-1. Slope is m = (y<sub>2</sub>-y<sub>1</sub>)/(x<sub>2</sub>-x<sub>1</sub>). Find the slope between point (2, 2) and point(6,10)
-1. Compare the slope of above two questions.
-1. Calculate the value of y (y = x<sup>2</sup> + 6x + 9). Try to use different x values and figure out at what x value y is 0.
-1. Writ a script that prompt a user to enter hours and rate per hour. Calculate pay of the person?
+3. Yêu cầu nhập độ dài và độ rộng sau đó tính diện tích hình chữ nhật (diện tích = dài x rộng) và tính chu vi hình chữ nhật (chu vi = 2 x (dài + rộng).
+4. Yêu cầu nhập bán kính r sau đó tính diện tích hình tròn (diện tích = pi x r x r) và tính chu vi hình tròn (chu vi = 2 x pi x r), lấy pi = 3.14.
+5. Tính hệ số góc, tung độ gốc x và tung độ gốc y của phương trình y = 2x -2
+6. Tung độ góc m = (y<sub>2</sub>-y<sub>1</sub>)/(x<sub>2</sub>-x<sub>1</sub>). Tìm tung độ góc giữa 2 điểm (2, 2) và (6, 10).
+7. So sánh tung độ góc của câu 5 và câu 6.
+8. Tính giá trị của y (y = x<sup>2</sup> + 6x + 9). Hãy thử sử dụng các giá trị x khác nhau và tìm ra giá trị x để y bằng 0.
+9. Viết đoạn lệnh yêu cầu người dùng nhập thời gian và mức lương theo giờ. Tính lương của người đó?
 
     ```sh
     Enter hours: 40
@@ -580,8 +575,8 @@ console.log(`${date}/${month}/${year} ${hours}:${minutes}`) // 4/1/2020 0:56
     Your weekly earning is 1120
     ```
 
-1. If the length of your name is greater than 7 say, your name is long else say your name is short.
-1. Compare your first name length and your family name length and you should get this output.
+10. Nếu độ dài tên bạn lớn hơn 7, hiển thị 'your name is long' nếu không, hiển thị 'your name is short'.
+11. So sánh tên của bạn và họ của bạn, hiển thị kết quả theo cấu trúc sau.
 
     ```js
     let firstName = 'Asabeneh'
@@ -592,7 +587,7 @@ console.log(`${date}/${month}/${year} ${hours}:${minutes}`) // 4/1/2020 0:56
     Your first name, Asabeneh is longer than your family name, Yetayeh
     ```
 
-1. Declare two variables _myAge_ and _yourAge_ and assign them initial values and myAge and yourAge.
+12. Tạo 2 biến _myAge_ và _yourAge_ và gán giá trị vào 2 biến ấy. Hiển thị kết quả theo cấu trúc sau.
 
    ```js
    let myAge = 250
@@ -603,7 +598,7 @@ console.log(`${date}/${month}/${year} ${hours}:${minutes}`) // 4/1/2020 0:56
    I am 225 years older than you.
    ```
 
-1. Using prompt get the year the user was born and if the user is 18 or above allow the user to drive if not tell the user to wait a certain amount of years.
+13. Yêu cầu người dùng nhập năm sinh. Nếu người dùng lớn hơn hoặc bằng 18, cho phép người dùng lái xe. Nếu không hiển thị số năm người dùng cần phải chờ để đủ 18.
 
     ```sh
 
@@ -614,21 +609,21 @@ console.log(`${date}/${month}/${year} ${hours}:${minutes}`) // 4/1/2020 0:56
     You are 15. You will be allowed to drive after 3 years.
     ```
 
-1. Write a script that prompt the user to enter number of years. Calculate the number of seconds a person can live. Assume some one lives just hundred years
+14. Viết đoạn lệnh yêu cầu người dùng nhập số năm. Tính số giây của số năm đã nhập.
 
    ```sh
    Enter number of years you live: 100
    You lived 3153600000 seconds.
    ```
 
-1. Create a human readable time format using the Date time object
+15. Tạo các định dạng thời gian dễ đọc sử dụng đối tượng Date
    1. YYYY-MM-DD HH:mm
    2. DD-MM-YYYY HH:mm
    3. DD/MM/YYYY HH:mm
 
-### Exercises: Level 3
+### Bài tập: Level 3
 
-1. Create a human readable time format using the Date time object. The hour and the minute should be all the time two digits(7 hours should be 07 and 5 minutes should be 05 )
+1. Tạo định dạng thời gian có thể đọc được bằng cách sử dụng đối tượng Date. Giờ và phút phải luôn có hai chữ số (7 giờ phải là 07 và 5 phút phải là 05 )
    1. YYY-MM-DD HH:mm eg. 20120-01-02 07:05
 
 [<< Day 2](../02_Day_Data_types/02_day_data_types.md) | [Day 4 >>](../04_Day_Conditionals/04_day_conditionals.md)

From 7644463c283ea11d1f8406b5f23fc44f2615f0e5 Mon Sep 17 00:00:00 2001
From: Zearf <87173635+Zearf@users.noreply.github.com>
Date: Sun, 19 Feb 2023 23:24:01 +0700
Subject: [PATCH 9/9] Vietnamese day 3 translation

---
 .../03_booleans_operators_date.md                           | 6 +++---
 1 file changed, 3 insertions(+), 3 deletions(-)

diff --git a/Vietnamese/03_Day_Booleans_operators_date/03_booleans_operators_date.md b/Vietnamese/03_Day_Booleans_operators_date/03_booleans_operators_date.md
index 4734f0b..6c05539 100644
--- a/Vietnamese/03_Day_Booleans_operators_date/03_booleans_operators_date.md
+++ b/Vietnamese/03_Day_Booleans_operators_date/03_booleans_operators_date.md
@@ -71,13 +71,13 @@ let falseValue = 4 < 3  // false
 
 Chúng ta có thể thấy được boolean chỉ có giá trị đúng hoặc sai.
 
-### Gia tri dung
+### Giá trị đúng
 
 - Mọi số thực (dương và âm) đều mang giá trị đúng trừ 0
 - Mọi chuỗi đều có giá trị đúng trừ chuỗi rỗng ('')
 - Boolean đúng
 
-### Gia tri sai
+### Giá trị sai
 
 - 0
 - 0n
@@ -180,7 +180,7 @@ console.log(
 Trong lập trình, khi chúng ta so sánh 2 giá trị với nhau, chúng ta sẽ sử dụng toán tử so sánh. Toán tử so sánh giúp cho chúng ta biết giá trị 1 sẽ lớn hoặc hay nhỏ hơn hoặc bằng giá trị 2.
 
 ![Comparison Operators](../../images/comparison_operators.png)
-**Example: Toán tử so sánh**
+**Ví dụ: Toán tử so sánh**
 
 ```js
 console.log(3 > 2)              // Đúng, bởi vì 3 lớn hơn 2