From bffe3993391bedab224c081d3b485a79a083db82 Mon Sep 17 00:00:00 2001 From: "diken.dev" Date: Tue, 31 Jan 2023 23:24:53 -0300 Subject: [PATCH 1/5] 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 5aaa4ee0..bb6828e0 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 01df6561..548c939a 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" Date: Wed, 1 Feb 2023 01:31:47 -0300 Subject: [PATCH 2/5] 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 bb6828e0..e9362a52 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" Date: Sat, 4 Feb 2023 08:31:23 -0300 Subject: [PATCH 3/5] 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_ohVRF>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-_!jTPkczUe$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;PghttLfILyo7hUV+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<8eB0C1qO;Fad&*Eg5babl(`(AJRA4W$ees}2pN zT(!75!t0+v%^|0crP~UZ0H$I79^|ndQuSgUT}{LcMgEXU`OnB`Drh}$|J~K$)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+__{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;^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?TKr&_H|sgB5NNwC4Q% z<<)R$b|{mryGKYFyT}R%_cz`dw5@r~(J~;i>Aoc_34ZgU=EAJbaX>WZP_c~h>Jn7 zuIbcAA{<|ec?YF4n-F{m005|`YmDjR>Fg)AI_T60DQEQ4Lf4s&d=nYKugB8J>u?^R zog>=Z^)9J;tG|YOt!>0l6xC|=y7>7Mw!Sr&y&MuPCsb4s?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$-t%z%)SI+Nc`%dww3*W2 z*Z_U-%TIbg;jwp@KAKli&wrV;GD0siGxNBv_d=fM$dwLrb^fN@mN0;Gzh%%%Jg%JX zk)GDmH?oktgOBB^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~k0UXkMF@$M0g zGzpqCvwtn;BTbgQ@@Os{bo|rwn2YfySqE0U9HyqZmlyHMIstj{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+`IxlA9ji?2TPtRFGi@srLxG4<@ zHnNh{DQCQS5-b+C3|IG$<6B@;C46u4)P>B%1GjhU-(#=ciBZ(ksWz97ThHWBkN8k7l76t;*%^to&yN%e}!hrQbURML0M=a4EKX3G~N z%Q$MmBE9$H8Zpmy zRFZf82%57$X82?$qi*I923Y=coN*#!Ef@Yi`vn;OrA~1FF1Wboy$0%g^}EKNk>9^; zhRnkbjP=G)L5$EHMoSoiHLFU?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< zTd7jkfwaLh<^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%_>`jK4$s$c{qywmJQ|l z=V9mkXWkWAz#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+6SruL)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%;Y4lh54Gcmos0 zKKYAC8J^Xns8BN^ixQDMO}@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(<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=zyt~Pf+k)^cky`z5Wgp}RA+6^*byf^>s0BxJAucXzV7OGjbS<;3SiB$yYW|L+ zJIb}r^65c>FtW>=nn*Nokwq66n^ik=+yFHEiXg6 zgqz@5+kj9dG60T@zhR_c%pkEF`l9hPN~V6aw$f9|Na>H?nZj0g1s6^I(9&MU@Lk@w zz)#-V3(vb$+_Mu9a~U2Xvd) z=3WjjK{f!7h67_gG#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+TF{>-g@eMUxxqY=hEe{`H!Gdr(gXtQ;L`$4LKP0 zIe{f{H52bZpliXO1sk)HhQHJWTLtaW7282uPF4AkY_QEtnp-+Rm)OwBV3cw-%phd+ z#a@zMA&o1!X)VE0Dek8T^98w+gNNn^ocB3U>5^fv1WPw{h&tqQ@N8=j84`{t+u zbK4Ikiq=ePyM7UIzj^4( zAxvm8e8G_(L;nc6O7#l5Nd+x6Q1|w3JTPmo(hE>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>6Ke=ZF1Eww%Y4AQ0PP z(bif+y|QYekB}kzJ()judLo4Atu>4-vI>pYZeQfBRXm~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^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@IAEC3zy zV!@P}c1dak(#Lekh8@iYGx8V#+J&fqV_-9IpSk(|ZlPq{E0)cthTr-r0j5MY~wz?;g zEW%?+Q3H&ikMj=pd~qIwXB=<# zYcQcv76kDt4zJji9=%VrpxWTRKl^6#n(BR8F&Lrh#29F$TYk zSq_*fIt?Ckx|a$<~DP-=)YuckCsLWA|2o>x32Z=Q$;k{40f0_XgcFNqT008|uy0 z-Hp_33Wl^8qZ@eT%j6Zi>;Fzv|7p*pDLchuvf5xye2kO){L3ezHPMTO2r|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*ZqLJZALv#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)dQt$|gEE 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(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!os93egUF=rtea&oy{oefH=E5q=LUU`QJ9h~ z93B+cho6P7d8NpVJ4A}Pg-v-{&2o=PFmE2#6Q~+$xjRnkwl@F(2nu0y3uN;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(4yKb@i3b)OdG)|Jg2{Si{X_>D_Fb=O^C}`19hpJWAj>WyR^KdpdStQ6o*pX#BjallxzDZ?@s=D1F~2Os9zPhxPPjpfYnVl zAbDdp)3*WUaC;H|^5&Mo=}lB0W>dX!cHk$VP0F5&@$jnD)MXms9)x->)vY z^2(-eYL01KebDp7*{3N`32V)Wj93G@L_4j(*+*vDY3O81LT!scE1B zd7PJuY5HjjrcCngVOAxCh;U1YYHjCh`IfoOK9TqUSBtGquUYY%n5Ja_&aw`enrHCjufABeof!ZxucQ(i>#qq^9_*W1T$tc8SgT~7 znJ1h@C9IA6tX~!2(mi}7!dj4sghv4eN4>YFBSIZ-yVokEK&1yLnM~( zOZ?>2MP9GH;QCC}h1+KeyD}+7%>_WqTJV;okBlT$%u^c`e;^{I#=R~r?W7h}{JvL_ zH`+bs)JFp~n^nAEiZ|zq=UY)`onpj*mr1tc!RU5)``4<7WVrGGHyS)+kwnIf<1c3Tu$B6=cWO} zYoC`A31>s+l7Y`?MC~G{-6^FOSti#0*^Cq^E9r@7fda*yx6CZP;<*r^@a|o zoqK~8GuUuNKWS|9^2T!+u9yo2w_ja#gm@}UwQ3m-{p8?_TO?hWcE`{nGV`n@NZzOe$vSh*Jt7)2QJr7tw7KX-?bxw^%?PcR|K(C5-Y4C7K zap3YV3*(Y4F$XUi`@U}BEy&GH>-+2gKM_(qB%{;qw_KLv1QHN9X;l8T zp*($@-Z{2W*H4`Nd$@msG zB0;jmv8@l^8>BzZ&helj1%f$iI|IZQoRLzwF>awVzP#Y>9EpZ}~$t7YAd$OW6j?0hrcLaZ(*nz#@PN&Qb+yyp{RS(b&{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!HDX}1W6>Qlb@GY;C`%f^$U=sj9Yqwl3p-zry=j6(yy7UQ|EPtyA*3L9kd zKIfENajM2EQ4fb_AB3&Mb+P7E9KW>u937R$1QZUGy9mrO^d7TK{#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>x>WH)!u~w-(F`^3qte&a z#AI89^e||#gsvw55-lUKVhdw)U8@Sj9z8=8GLD#L&RPb|F(Fa_XuFlTJl@y%{xiR-ZBwADwLi5|LScy0Zi+ZfoPn&-Aiw^ru0$CnvQ}tNjXR zW`n;(B6NHGr;P723FLx z?IcFt2A|y5ZU^#)$F2aU3NJ|Fc=7AsefBrgYJ3WoFJ)``Lv z;MC%|e4Xb7i&%DUso)Z*DjKBccTfPSjyR%uHQW>}m^^_L%P~m}e`ELP<)(Eap-Wk% zj`vIPT_*&^uZ_&61mnoSZziQ&lvn6x5Y8P6eK{B8Fn< z%cj!V@5>nfip~#RTNU8n;-*jglOxtCjj<0VYk5hWRu+4I#+pO(3>g1`E)+Csg$1~ z`z7|n-WXRqo=bdV;i%sIGaG$ zytAhddm__aulfAW+2V(Z`?6G4T$R5ET!)w5u*XUT^aZ#ZPX&6Qf3?#g%r)%FJ#4^rUl0p=$MgX18b}vq9n+6TOc4w(+`L!ic$&Ze5QMkN5=;gCH<^aVhuGOBo zf;zc|({Zll8#lbm&9K&|V-!1o{oaWc^Zv6Vuv5fL9rCd+vJH2}9!B7anllur7URg> zOE%$NK4eJ@fk>dv9rL%N zEvvc}xAfvbBPcLcQEAg8nf0#aZEYq-z{do+t=Tiv+2mP;qeWa=V^a^S2Z?q3x4SBA z-#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`?!5cH}1{TcZu;)qESMo^pKdWkaJ-?8ayN`roWTTk#k{s zu;gT_mo0xm?Hc2g+DwSY%fbxDl>~V<@dLjHBPw=|)PMdx%j>6jbB&g(*vGn`IBFa0uRWe>@Z@1_Y;eZ( z7YUwapY%j%y~)0ifFit#g+7Tse)SP#99IJ{v?#UTSMJVgUI;))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=EtgIpLj) zqa;>NfizcE(N#+Aj~Erac1LgsESkHot>r&~jj>}we2jI(mW62}VU-sJvoF}Zy*_1* z3REJ{H@LoM9>hmX^pjtov78SU)t3K9LW+y^!uy;z5xnF#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$xl=iJ$mFpI_X zcd;$s|Dw*q1iq#^n20v6O6($=fKUc7o13X>_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+$ziY6u$iBj{qBE8A`#O?TwC=R;Jy1J?StfXCAy$Wm>E(HXQvD>ipF=dH?LQ>TK?tLI$+KQgvE;2|FY=zI=wMJm>7ISrR z4J!Mnq*p$Ud10}D<4$^kpvg1h%}n2vT}9#dALBH!x2*%XB6k@lpH4ZpHPh2<)Gm~8 zzN`atb9)Yul?j_pa5UE5WGr?!tfK?#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**%>^p0YKTD3>_!c@f zSPQbo*?hno{J>gJ*Q{E%w0m!?P>N0U$JJa-71zdbwU)R|;l=_=yc0o(3yP(XSNaiG ztmTEqlKnpX%*2{nuJ0P*~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>2MC6O@?!Y1Xrk%QnRd)SgioLzpu^Y?loi!}GpTPcPJzO6(%kwC$_G3(IJCJ&>YWMmTvIq-~M?;}l zh|xM{)0jOk)kg}AP|>{G*N249K(EEl=rZrUlxU6dH{-ae8r6hq z$C6AWOpk(wEpNK6O?$bHMkW~66znHX_|$|)@pyey4DdKUT(&>=r#0c=j_W7}3bAla zx;rTtSVmfmUzdtRBzy*e_lZ*R#F_^AvjqWwe8^fB&QR8`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!)B#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!sLjoV6csYDjQkca4;*dzs(aZ=E$d$1wHK*_JMv z<#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-qnRj~OjlDdM$_I2uU0z!e!>hu;9MHz? z~?7qW`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%2UPN8b^O$ zfytP^l3D7dsdk%eIzO&=e29JqR-J8FQcK`%Ao~5Q)v4y=$!3&OUk<+BNh_Z#%GNfj zQK(e!e!+N0jt-9t`gP%=GtFr!B4C-SZqzf8=ggXVPLdSzo+s>z9nIpgRBzBq z^nS@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&!O1^#Y-uHQ)??1*J-r;fWwbz<+t~uwL@!L16!epl!r@B>@)l-}vBc#Gw2==%SWkYoD>eKjtwlXW1Tz zP|h4EE!@@>ICytF=u+Y z&0;=H@Cly1dKiqQwGH@cs5yk&f~vWZK24OQdX>)f+`sR$K^E=p!xTZH_k{>rYtmhN z3CdW2+mULuvL^jE*4$>s)!_%QMYlh2(Fmqm zn8~)|*@S!yQ>VUW23^$W`vWJO938}s^Kp{rO`~dURcpnvW3f)BKagB3Pm4o+JpVdM zy#CN;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*@@ljDKd(p*Zv9TKO58d;iT6`Jlv zotMKpBBKX}*htoNH_uA^8HEjRHKm)Z9Ll<9m|scrbJA&4RXb0xHU*q1b(MepC7HdvOU5Avj=?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+m=Z z-~85FfWPpm=DUQ_!9@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>0RA@tfuJNj+*+?&S5+f{fqZ=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_9@8t2@>Ra_J$f~qLT(G@{d#~^_ zWMwWuINXo^i5#U-WH?X;hQ7aH5ei?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 zxf{o6~I_2eU8PB76kgUk&)xBlCTI72+Fi39Duggnk4wH%v;#EU9i0NSC); zQBycf6?s41vt-sys#KG<#JSLQ+iagPaQv`X<)qp5hI{kq9w;VF<-$a5vpnKE?VrF* zXye2dG_=95ta*%8Wxa*VWRUHw4$( z%3E)DWH(57DyFBpY1BJs$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! z6CDKyjSrwUrBtR07CY3t%F*n8ca3eXU=0<2wz&Q z_~J&1`Za#k<_zQ9IE5vTa^LG7zb^$}vAmL8wkBid0^Bq89{TW4B}iG^?-K;5t;XsY z@C3e}2B@nTo299#(DgrF+a?V%<;%Vu@)0!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}UItkWF z4$S+k&FjtKAZBzEEf%|SMl4dG~=pnvF}nv$T0o_-iI|adz~AO%_4F!>3IB_80hak1Zrq%4oV=i|Cze-vW_hxWpmT2mG27bS!?sEAG< zS(QzqOCrFq?QGWgtDl6wybMVT3*h&v%hcq9djJkH3SzFi`?j} zxB=qZyfh5|(pG1+wO2k*ThZaIYsZKt%`%eR@cyF~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$KLl9&&vmT z__ZvZNZ+JOQMY?>mPkE-wAm9sDzy|l6=z<2`Dxg?mVVg`IdZNgV9c$M4j;+GMJPvnC< 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 zgnreeH28UM&(PdxPqcVa^ 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$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~>LHauhTFPhUi3{U42pT-yLgRXKnAho|KVo3ikGJAz)vvmh}_ihr=0 z|FcZX7`T&=twxur7eUCyMc`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^-pdRGhlx-AE7S zE1+`2GPn*Y0D<{V>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#Jt7kHwD)w1{)%f*K60bITtWZJSfY)K zGE6{%`hWMSdgp>$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 zzh;s{UYA6d^%cC0b}3fv9E0!xlpzH02k!EPV4X|vYn*&7TWzz0N}40Y!kZ}McMAalh!amDc}To zf?aQVwLpukO$zU~~JCgb%;tv6s#junFr0KwOW+Cf`uj(iwPb#Yh3ly|ij8gP? z?g4m%C0M>@4z^0gTv=OK%%E6JfZjskm?Bsg}FK8=VTJ|7!#*L{@m@!xHO;$*80 zPk`2aVrEDLgxivxFNKL>RM}Vn_O%T_yrjviRP^-I7I(Df725JE08M5TLU`BF(qw(1(d01^YfB_Ouoc&c zPBYF?(;{kq;X0saH}gL9iSu22s`K%pzZ3B^KkG*G3;E@da}j`>oVuNeD2A_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&6I{4*Cm_fXBKWclioRcKUC%Ot+2RRzzsZ$<{!|am;GR`qWVGK z%TCJjcyC-?cZ0%i1t=C9?r14KlsifI)MLl*cf7VHFb90s0t5e8*aTa^l3w8HFz&l! z#BaDiX<+8G4|I4OnzjHpcvV*k4qt~dSakpm9mZ>;<1NG6BTzxrHJ|3ru zHONZ3qgKN4QEG55AV3Ppj^wJApE?lN@?UB;418U%79c(FxU!4&(DQysTVpsfYl& zvLlMO$Z(0AMJ7ZAMHBq)I)%{x(D<`lPkm5v*U>_waZp);BY69L z=;CyRr;N2K^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`xaz4i89!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_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#EvK(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?8qJwZ&cP@%lohU5FbJ_$IOX0)O!zX<>$MdWshM zdX$0JJ+zgEFu2jjM$nIkM9c8ne(=T5S{$Q-%A7GPQtS{KT5_JdfW5_!?SeJJ-y0nr zwL}sddzXF0t6W`<;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<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^rH6#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=~2Eb9GP?c&4UX zho#(&ApcDy%HrFACrZobsc)x8o51J0P!p41 zoEDz%#rx#v2w*5VDVVoKYfM0_X(r!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`*9Q}r#jP@iRpjtb^0)0{W+gh=hPni z&c0)m#8_zhyma!*kfw6jxshz?wQj->b>fcGTYeRFBk3@)DaxR>g$)`_|H8{(_1@`x z44o3aft&HzuJ(-{$( zJ!`o4yFe^N0gs#`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=uyhhMjSzazIm)s`~DEoZrCILDFNkllL9I0-Fty9&`BVZF}nX_SAFt8!i$ zy?}b8X)LEM@rIhFeRatsnYaJZS<#4Yiiwo_$S;J7Uq%I%)vsv3_7J1^`WLmjmXUvhb*(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!-*}trFo7$l0M6<;9nmrOrd2XB^G0CzR{`<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)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+OWt#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&*F?eWfsOr z1lP-doZ*+2p0-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@&*uFW z=&!Ph&s)s1yfcSFe7>xWk&-a{*w}iWG8%<(Exo5`zPYwU%Z&O#{Tn(%dCAp7bB4m5 zqsFWsXAyaT25+v9YMR$ieEi}23pShyrhOTARYjR40+|~2>D0@hmfpoTIg{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{)@)4VarBiK#qSgW^XE?kaiYQVFu{XJNx-3&n!c@E;f9Gj z1`9u8&^K&kC&rr`kBHrjOg@i_H5^BQ^z3%|qsg_r`&YmB9@P8B{o zwENu&O}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`_Qj7~LAL<@17qL3zB>vOb zqRGzEhhK)mV2nsGZJbm%JyMejHR4@w0{zdl$#MlC#&(dQ(B0mUV~*=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#%f0Ke$m8L@Mj&?Ki)+Pi!p9q*OH-E4k(VI_@WlSdca<#t=Io?PPGTY^+y)QYl_ z0BN+661dT&^V@5qUOJld<80}EFU$P?44IH3W};yaE$?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*t>jr=vp)XmZgaMPNDMA?YQo^gT7uafmq zetA1t$D}1_5eqt5K238QgYZ|@aaE;To2%z~@cB>M-8Lv%m0#GHPiU5U@`z!OcUiKw`4WpCzxk5HB|-qz)A(XKc4Zeym~QbXb!H6?0XKLsR%F6>W6GR8R*fDrvpUX3yrm+qr7XB!nJ z%zuqy1psl84*Hl*{6KMHs+kL|Yui+wZ7{~@?d|lVWNCh-1i#rs&1 zgHz{1{kCT~X1W*=)JK6F{!{M!8%sno@vdfhtHHxpbQV(O)EtaKPze-5e5S!!f70Pt zBJnp8bRW8alVVFjj>z3*G@9H#R&)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(57bv4K8Rf0fAP?O}Rd_SXgK<3z6S?tI;2Sk1%U^zC*}e^m2&ez7D;8K6s~%^=JM;&$ zhElu@a1c5+`zasUwBIu9UkPg&GUURDPVX6KQeQ*DiwfJ@ ztQ4FCguC0#Yevba$rt_;vyj3o1q0FnL=Yy0QdMH%u~|6slNYV8S2tH?#z$1@#Nh3m zZN{bb(>=|0KO!N|N_5g+M?}R}*zG+h{ky6_CM3_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>VkMVerS2Kr0p%~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-}T0{(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+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@?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>irXHa09*-LG>Yo?*-hZsn5RwC?iC@Bggg*jw{w&TOw}x@qMFV?*g$I z(KDGC8kcj(#xP(6(E?txa{ts`X*7U zVcTWD(P2Z|X@RViuYGHJ0tV{^7m^$x1D$g~M9BH_hF6*&P;`pUcdHLEl> zJS{6w^c#RTm$Z=i*VzX=RRTYY+ZxtMVEg_34#>_s)_0{3(x>m_YMT@T>$0Z~yp`Z7 z*V!@+12MVm3kq{6NPIRlmVFBg+s(z)*g2K4n{3?jl2BG%S&W0KrWzHwVi2MXb zLw5*!a5~`ZQ1!#>*-2h)14MxXGtRiq|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&3qUXhi{t&W(|g|7C$QJm04Fi0e ztDrDoP2{omzyZ!nZ*1rb0S)W!?F`HTwr;>INQrz^7l=#JqaJu?Wd1?$8-|0$gdKsa z%m$K%!F_s?Ce7hz24+Q%@;C4tQ)sX*%*c1rj!f0tS{{Oo1^jvX6{Fv|kQB{X7_ z{Q=y%{|2jGA4b!#!4G+f6*djBSgG_43;v^I)!n6;^0K>w-v&q7QwXn&q=$HV8DZO;Pur&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>oxG5WOH9`j3c#UCwMwu5NGK{YSYwEXE1&#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>;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-RWNOFLs3O>X{6n z29fN;XVcB87XtFMqu6&6>{#^tN##=X%g!|hdq=AVv z$(I3gVe$zk zqZ3|v77utgj~jAPfxq^s(yo?Yvm;t(MK)j)LSte3EBH?~JeurHIC#DXh*ocbEFeGeP$PE(100Y( zo0Z5^&P7lrTjC3~#mkj(&*7k8jgF^v$&xKx z*s!Do<#-649jev9*8s4HE@P%5nWPT6Eg#TJA;8#K{bs@wDEX+0G@51FBIDJuuKVW+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*{>fcug%c94GT%>&n^nXT7n;1b}9zu>iV(Sps3`tG-lAP9uR$Yx*k~UX#G<0_|c5@|sTSl;I`D_((4?|KcAP zU@pnLSFd@60EyPCe~~0%1mGshVRu$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{u05oG$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$?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- z65s>8#&5`=SZW5zl+z-D0c<)&q!d3jX;azYSRE0*6u|yI7s*)2} z3?Ew_qB8_=G^6!NkSxB4)L2i+{Ov^oW_5*u)YDtsK&l$`$fFOoAc0TRy83n{TK-GX zG+vQp6Xkcu2Nu(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|LMCfYx#smsHh&CF4EKO?(dTMqK%i;UjbjN6d>1P>PjLoRD;OHT{ z1T9c$fYAI27%Ey55eYL0_y=p2VH`iQsl^}a-gNpGML-<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<(ZxxUN}7E?WY0Qvt#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*e5C&p_4{gFFc^JHGLlu>g4~d)PH`aDZ+$RrL_q8 z#i5}vw3YH~0r|o|%KfjODA4pBMIGQzZK0g!VJK_B61-uc8Mn~|`oAAv)d1D6obC7X zJ1hh7)LUzN!ateo1&a#&LApF1N z6=`pPHw=biiwG#TFv}CLvDXsk%a`=3|mBDJFos1B^j8v(oiX4QXcGyi(AVKl(5 z44#VF*#N|X8Kd$=qB*FdU5?%HCBQoTmja=jmh&?LRiZ0ue*;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@vQM@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%%DP3VdwCVrRoYEmv!(NI%5La(aQQ_ULe0R=9v_-cHMi+;S$n z`3^RSMfS2!%;Y;DPzF_n(RP5nh#EWPNoq1KzGV+|HR^Y1Q;ecYdt zUqf~JBQ8Jysr9lI;o>4f<#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{gpKijZepCsn6xAKg2(H+ z@m6tX^^s83oy)aB7Q=)aY6nfZRrK0MzWu5GPmLt#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}MbKMZcsOMQKSW+e_>dzbaMJW+`k~({Obc0NZGSympX7o&- zy-l-_KjX5_!Dx0i6jJH(cy&4C5-#{pZoal)TjU!d4Mm zZ#2KhM`1XIT((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>JR@# zzOT!-j_G#iF{ot&BM$QDi_1}rsn)Y)y|JrZ&wjR;Ix%+nPYCiW)oP}hKBTf5y{xeDY@}mY0N$%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;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~g521UIPjkqTcrtNDuM!D6Pucu1xKMD?2!7JX8?gQ#Q;v`+vk8q!*tgpS2XL4C)BhA+acFI z1a_Wb1s2Em2*jjibpa7n3RcyZ!z{ z$lS71ZFeEaIy=oJ=2dKik?=(`dR5J#(fl@5cHH?z@|LYHoFqLHmzYCH&gn@>?^0X_ zzeeJb84ALxPG&kkaWvj8-zGNVq$XT+RPI}yV77gOx2_mkWzyJTZ?dVxkKdTpWnTFN4AlC8*9{Mt?=u1zpBdfU^S7Fut_tP@i; z&-M&~F*fu9K8VX3=g{Mj?cg^Xd)g31P@Q4lQig4DR!msij#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&|C6gS|vHA=2LTL@X*+hNM z9DG49fAq$KX0FNXQonC~Vzpw&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&<PO!nnX_RcQ=}(>Zwv7t=3nu-sBA zeLVy!+N)6*0=;{JP_25i5M4*VNm-dNfDLSBl2m|rI$v8XS)-K_zWx$~Wn#Tu<~-lG zjeGmJJw3FgX*Jcc`@2LP^@na$=bwbD|?H0yg}+xuwe=s5NuKLY-E%BjY=9Gk$Y zREJ1aEbMkK8dg%81KhkzIW)D5u5ALDI~|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-7gfiq!*ht<~r&Q`~Lxj|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%fl7*v&}Cp zO!^4~((18=ln$Wv2wI;y)ZF!3U)?Zu#$@rUkZ~J~WVqxtwo$ zr0)DGNcy%|4}9Xw%f^83snFc1sn70NJ%R97eZu=iRv=e0qVf-4qUD@<^es#A_3YB$gVxH|GbOeB71*+=`olG&=&TMEwt4$4^B7w+wZ58 zD3>?=4fKAY%&4cybT0Zkqqi23c*(xFyWcG}rjx!Sdcf{eY)oNuT|wkni-23_((0BA zXA1Il^Z@;CwXkjWEGrq0fS<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%#$|dkB zzwm5dOmplP1nv4iz-!>R7R4{j{g%SPrM<#-obZyi?0wGB{Js~@+`1scW;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+~~d?R$uR7bB>+|Xj{w)Z8u`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{YXdS}~@*fkOK7IJ>{#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@o#Yo$Ip0A|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^yFuSLn*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@@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`_-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^(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`WQEkk#hx$AtM;sNFH z4;{$s_Yb_b7%T2B`{n1h_3uXC@ty5Onnctu$Ldv^@lz+Cc#oh)yk}C{LgGN3cMI+Mvp zaqA#gVv@;uHt!{!cs%(>MW-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#ZrPVXJx^FDUsxgMKDC`2%DOXlT?V&y3{ljr}z3h9#H z3`dKsoUYw)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>iqZm__fn>h>rfuv(4c`z?@-T2rDx*u-lsb0 zeFT!PGXb^J%+4}Qg$UqZgM)HuxT{s2? zQk2-1xf~wN_XGLzC`EdyX_6|8le`j#(mj0fWPpeHT+)s&b4&h!WvO1jytO)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=?PfJRf5` 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-@>0(x za!S7C^_rMN z-1e`r$`EeFYXd*TqJ_1z3?)mjq zZc@g9I9Lx|Vng|2xzd-|d;j)HdwL=4E^3(urTc5!tO!jechvkPp)|T+OLFb8%%f3^ zX?QA+I~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_&1vn?AJ6BEW{1p*b?%f01 z3YChA)_}brjp!A9xTjpY<|DtEj<_NMSRnZKjX~Y`7NfWF=S}k6q328X!@Uo6N?a{x z9}K>CGvO62k`ao@@q(NOKc~fU{Kfk7s z8*|*ZOl3brjLwwhzcOAL?jr-KefIi+FWhkW+D2p1E^NJ0)|?|fCs$$o4NYTIz5G69 z)@+_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-O>6p8*=7ozPhu`?2dcU$3&M6T<+ogKO-5&{p#{KvW;)z zk4?=!FeLplJ+D7uaCzfJ@fbFh61`48uD|(+Ba~4P#ZP;1M!Nd@30;cmWSP+*JR!#YJm^vYKfCQnVX^Fz#&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#-nZre8MvI-?1mS7y3%1~Q6`s4=94LApQ8(SYp z!}uRwc??rHjmcxIGdF7WXHu!$Wpz-GG8+)J!yd);gy`mG|HOGqrFm~fLs?55&HYAp zl+7htpR1p7;ew(0Pajsx;}v1!=hDdBIUVUF(l){7n;H8qf9wQ34yd zsJ?ykVIUA4^s@2kUtz{SiZ6orDv|4t%Q&wDDsbT$XioSoSa?tB4Xgk%^*f3mm(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-*B4Nn#a|lfpA)~;VGL-<&V~_$d7&T4SesKXv;Xn1y+kT-WQ8*2?JUqC&@>~3t zwuW2Bw zBP8wKyXqTF zxnY0KYG!;%bvB%m34pEUPfEQ01e}LYjIVh2@Eb2%Zz(IoAdWymRx~{}?7%OFgI#B% z&y(1%Dk?|1U3r^0-SEiRil0gJAgXOE2V3NNl9HXqFxMKHK&nJl#nc@$a3p7@!~(SL4z$)$swULm>-*ZM5BfTM)yH=6 z$%#56Y&rXV6;|B2NHZ6A(7Q~FQc^^u@(l3DUrfwvj?RhoF3aaQjjYcaOz*y{n0F?}F30I( z+4=mZ!#-n)ha^p1@;dtuVlA2kEG#i-T?vUQ5v}3Ij-j#Zt1!$J^m>WG3`dO8beGqq znLe*^Ap+rvBd?XP+mxI}pp7Dbnl-X2Kd|2|F2mMiG=zM~EoMy|51m8m$qvWxB6Q#qXJkN9b765R|DucBkU z_J3NEn%CUTw?Df${ApRlJ43dsTSet&SzJH|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?p%wY<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*`@ypt#fR6MlV>Pd1Ub@QEpu~n5J+LUeCs_ z@}ED)##BK}*X*S2_yRtVwu$FoukXuBlCUZ2?r#(Iw1dZl^D?}zR@yk+ zma+k}wv5XZG3HzQi95Z=-)*fqj8jGk1`-bKCM8CN$ha)C+#X%Zk&_+E9LS4s{qZnP zz7d$ADgMS=!gFf{&@vH5^qFK?GAEE~;KA*;bPDc4?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*wx zhBzg+1-iUy`A;*P1{FI?OG=J^)@!$yqmHzSS_=(3miQ}@4>g`Cy3GT>dNydts7IFE0Ia_XQ!+-A6&Pm#zjWQF9@%l$1E*ggvgO$}v z;2fIPfmIV=RFAm1&G_kT^QIq=ipeo8g`5y%b_gr5b&wOFP*t7q{2LLC z90G{T@X7prRIp$J#XOM0>V2~fZ>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-Ne9JMLu-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*Ek3Ni3|Ec1E2xA^PhiGN0|2CxP7{>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*vkepsKGtw8rspdW;M*chCVX5l)0 z`GUx1YpfLz^d<6X==r?kF2T0G`e1qx6()KX_#?SO;`yeN#>1!o!zRC>bl+< zNGBenPVW;>l7rx3BxEzC99IA(Au}{k&g{?yr5&Xi9p>OyuB;}Psv^;LaWSuc4Xbew z{GA`UM!e5daiTEus~|&xas6C=Ci6yEBQ5qpC+FT_dGS$n)=kCgUSAve3@!%#az zh>3|V9gP>SMat70o(VoIKX}G(@cddEI9w%PYmalYpKYzI19G|CML{c1^r z?w5XoZSL8py_ncAt=(xHWdRjaO= zzCK_rT^2sisx{df!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 z2-rt=&Ko6ERmY71p%LP8k0k8Prec$p;wzXo|M3By=txUnXMR_*Rf_KZJ27trzYkn? z_3aJ`Ux%n))>b(OPXC}tHhEj3xS10s9a>y4C7~C6ez7 z?a!W&^o9o4r-aZe68wAo=UUzHD$4*(-OCHm3`RYaIm#%!*hv-q^cJP{3z;Xw8Su&i58|UuARrBC9hgh!NK88oa`0_{{3k zk3=?b4w}}V3bmWYKMUk|jf585{yGyumt;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`1n8BW0>cm2M zjqMqW%pJBVNT@{~H0^?bPhLiQAAscEP{HzzuYXkH_91F|sDOvVJ;TO73+*<{YR7CY{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!|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%s4e38=#?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#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-xU+TY7&S0 zOb4bAiRkKO9wv|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&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!TwrIV$5V2o zQb7k*c*eUN_w9kmI@asbA6#TNd^(M!Uaa!M<7xs){2Lk5m-B#@*~hsIVFc~5vz%^5 z{o_%bcER?y2idvJ_-%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+6&Q!258A8oKr z1-aUXK%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&SRNDrbJUr4IF|`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<0b?WJLK_f&!yFW_=8OU1O-7rD2dd?idc z>8sRtSaliRBCM@3y>b~!Ix^E@kfh$5#4ktGv3?gemR(uc;0+2URz zv-l)|Z&mf@^92Grr9H|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 z49=`KXG~qc| zX3<;x^=97f9q!Y{vMtBu*vGAIBXl2cf>O6qqeW1l=zN7r%6Z>g3GEDLm~_`0?~B3= z%c==xdSnpzfwHx^wi2}KCPM@X0nW@Qqh6ivemR0iQj8W2nwSq3e#LAYuuqbpkjztU>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+{{3or_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_x!$Gkt`5G(#w zAC(TZU0d_`L}duP`fu+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<@2ic7OCYKXcr7@4!0Jxb4O~FL$eWA-UG}iTfk7cB4|{Rtdoo7c`vud9!J}Mp3*(wZNu5Z>XMlw#j5j#&~4m zSXwOj+?t0$O?CQPljihd8);RE%arHbsRWj~Pz1BqTDc3ErZcA$&xs%!#o z&qiP*uy%_$A$SEGKIKPVeK9EB@?8@=tQ2Jzf#}%;BMO5iGX|tbT>hm_Tjb1`VNXU%4X`o?qS8N|Fs?yFFm%aW&o7=uWU zfJgn$D}VsizKskk3LR!o`3R>x3=iXEeeEfG9oF$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%H7Im9x(!OmX0t=|o+kcs2cn9ERb>5-u z2twd<)xC?>eno=tZ13YLI+y!Agwf>L3CZO4~$s#9g#{~)8e|_aw^URBN zB))^|ew3`C`L$SC0nU=uDO61elJrOV*9(T*q0PIv+vWVW#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!SUQTa@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$DW8x3L6AVMu+Rm0I%?3KdCf0(li`=u4f1U+tjeoBe zE;C#Xb)WyU;V69Yd=#t|X#&BJxFIBt!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-*)2_qfXsTQqkvgcwHG;1Lve#mA77V=<2!{&R^gqx0_ePKr5gU zH5;f4S)I%XsY$MH`h`-vE#E-7hQw8H7)yC1%HrGq5oAfKfZD@4sm7|jT>J9`F5@^^CJO-tjbdRx^bhERV9Q?s_AhA6Sdi4tYB=t#5 zCAG6B*LlA+*VcfK?;=`rqFz2g1tu!wpsoK%6V@?gH z!l=gvrIILHSl;Gl1q~saam_s?+ri}{@U#BOquj+pG%|wak%wL6-%#?n6C!h z7rRq6wlW>a!*rbl-_f+FvMEivy1rh|CzbK6%F>iAt?|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{bzzZGmG> zfTt_RT|>6Dn(lhVExUVklsuv9NITNmM~Mz+M!#_?pEi{*Cp?U9Y?XTuJ{~_d(qHCM%34_ttM13l{^h~|w|I}^dbZcAQvz@jc zYS4Ds4}xUeWP>UI1;fr_Ce_4WM0%Nw?9A$A5P*D-+6aqOdSI0jXZa76B5h5zLI}h@ z4^pTbKEmie3bnGY zEp7y0z?9gUEF-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^kw^PCc-b9Q*Gw%r-x7#cN zQT&wa;*a7FPg6i+A~R}%kUpCOV^RV*T|{ht)7Rvz5xf@BvpVZTA@3{`s9b^Y`boJIi9$;}%0sV8_M~ z*rr2x?5FkHtAtf0fEQ_Ad<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&J&K8u78`>IUbukI6af=CpG*YERr9VFlgC84K93`YoD1fe9PNxJJ+BCH!d-i zgx3!gZ5{QzaDL!G%Rqc#gIUPeI>#%uuV`SRV)Y?lMSr=5 z8X59Ia3GkGu`lF2Uk4Y1Uqb(IMyJp7ZV*qSh$Ak6Sy{SRZ2&5PIVjV04evJ!&8iRqUx}_|f#yH2iGD%OJDgJ<;0KY5ZMPwlBRzOj zQ@*_$es$X*R9fc7)?<*SRDr*y$k28)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~)7QdBe&;x(yBixUC~}f*6qP<;@S<$V6&ubD%ONm2_hEtTb+n2rFIKY zg%Z-Ky+gxeIo|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(+CcaIEbPaFSLxDIzq5%;E&Y15y|C!-;8hU!)8ltW&|bk6zaoOFtz2 z!|CqQE^&wzF?9gWHtAhpwO=GGJapL$9BQv8+|+eFHJaSMv`av-m7Ski&-Bxxj}qb0 zA}n650CwgK73i^Y>cUkkqqMlDAHFN!^uWzCFKDe#4h>zbv2D0o|37)1Nb(? z5LBj*VB*;Q^`-Pi{%vwVc0%QU>BlB>tEIIG*L&>N zKVRr`IjkR&yOE6v&P-#bCn@$0s(Sw3%&6=E^j!0~_Z|Mm2WL0UGfJN&7nh)%f#af?4p?mOPL&deA66x1WR5Z9tYX3 z66CMz?+=_?6$r#vWM|4284`7Q6n93WbX)Bv3Io?|l?pdrsTM~6G&Hb*dRRjJy5UqI zZ>UZgUlQGt`^{gpx=FTva_}}1WXo{?H0faqdpPGzOTx8v5qYHw^5=i?Q9vQW8B3Jd=*U`$mh$&pU4I1gwb+D z5x6#Xp^7@eP~*RS1TNvyy>_0J{J{?FsehTY;;z20=|BNRGE`w;Q%=G56GDg4^La|1OKZlZ;#EkmK7JYcOa^q$KpJG_9 z?Fm~q{{mDMXV>1&EA0^^wW7oGS6l{4w=Yf$+=(b*|1!IxVXhK$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|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*FlWVPMZYsI(g76maODb!D|Y%)O4Jm3D%Ifx zfOEJ%5rWa(?!M!3$6SDF;&cR56Az)W)G8Gfmq#T|A9;}Pg_hFaRy5tOVx$+gT9`3`MSc|ZBbX+%)Pql@4iSri&9e7#IH zYr;r*1K-{9j2!sF{P z+j{$M|0%6V=0rgxwHjd%(uCNnN)o-h)yInb67?adZ^10~V!~0E0m^jjwN3H2^s#m}^0e09MjPrt1eoC%H#5=v2bKsWFZu%L862*OOA>MfnHbucm2JCg6y|2xvoIb6T@Dr_oh zu|Vi{m`S2+yHP+(qN@<+2N!X&*pyd5@grp&) zHV0omyjR?tpC9nm>ax!z=Y>?lOQ64z{eY|i_F}dIQS6s$qovnKS2|g{+^3G1 zkWOK!OK2G2dRX(=qGyU~711s~P@8+@E>35sgfT5!eQqMDcv{0xqFUzr-3hNlwW>CF^giyPeOquT!4 z{w6kX!LzLVOVjY{C_1mSFMvy;Z+&eahO=4@?%5o#rdz?z=Tr_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;NyVum1r6EI;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~bsH2KR+xsrB2JXA`O1mxFJ6@fQP!q!GnPz zx6wttQ&p37sSh*8*J3>9{AxE6CdWKy*HRMNCF9aE%*yLD@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*2~YNv|b56i6_a^TRfcY&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{h8m*pc-VOM_>@NyPpZ@wF&V>Jwk_j;2G*~;(G3p@o^nJ($A zSCXdr?(qQCzi81U+UJG59|~USH_@o*h%!LRmF6$x0gne zUc*V)@G^&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{x>88+Y@vWmEFPss=fC>h@G zIc=+lu$7Qmb+>v+gFC8X3UJX@zh=_UXs?N-;ws;eI3d?wWzh3Oc1P!O< z3nk1{VI0Cy$9qNJC)e74snF_Fe%~n-WN#R3oJCE^#>y*l<`T7x7Vf8{!LUc2cxu%?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>nCdtxEgo=BO&zl2ksFr z1xwDFU)8Rrd0xbFVT{_uKop}}?zJ?Uv_rAhBY{(WeO`l^DY);|o=s+7kBFYMkr}sD zx6henAmpx$(aP~$q79DxL`D}CwS;`~&+^6kZ}gNt zm4vVrFgYcq47Ma7>c|yem8o~it)1q(W09U=Oz-%EN5z_us zWcW~cYFk62a?ZL6UzVt)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{I#bO09T=s3Z&2Gfs@of?Ec?*1&C{C3#-=|@{d4@Ac zg)XHrjA(;DQ&lEnioL)ZX;D&>8#ADB=5p^hwSmHr<>04Ic~%Z~!gmLBFc!qF9y33iH;psmF+Wt& zcRK&Vje60?950_;-$P9KIb*S>Dm`1DWDbAy!JEsr`WOf4g!%Z{k3X7QF6wr1z2s{0 zrsaBF8ZGPhLX`V4*1pZ8$K|ves>s^*!7r+b^{z0w15O8v zDl3`z*lSW-yP@y@hV|Ct(7Tuia|WVxxqTTXu>)w zYY0c~kJN%s2*HZJKHzsl_YBD?8AvGT8ZFM13(+p)#_Cy~a1wh=^+<+rLYL6DM?HsA zC8ayUFvB?+deZ7-VU=;>N$(sg~Z+M z>Yc_`6n>mjazD$)(t_4~H4({q%-FupOHT5jmmd`E(AQa+k-%^X)wiTrt+juz)0DmX=Q2cle7A0GzDfAhB!p;C_S1+ z>)$4L|LH!dO|WY<9d?rqLm&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> 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{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_BVx!?12n^yhu!as#v%Wv?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|IwFAJiT3jetT1cP8Kr+=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&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*{JqYuvJ26aoWgkuZqc(7=mcOhGAV&JazSBrmx)r4~& z4J)}iec(8%bildwHUx5!_9DKje~oLr!I>#8(I;q_mexWg*mM$FU0I4}fs0nK8SE`ZIpVffMxvJwp6GIkgoouj*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=+e&JJAx|i=fbB3?{GJ&=oh3jCwp{;%>HdT|QhWB=Egz2N z77W>3`s!kuJx83xV7{x#IU-aK0ic`H)m}!gPLT-KB5{fqIio<04+&c7cCmSnVs>I&Lm)r&!&5m{rcN-8Gy1m<6yY_wB(eo=-j8+#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&hTB{%{kxl9CdfQSyJe)i63vOI60rm4`>12^g!`(J=j6n7_Y4A0RNKftcEq zaY_(2#t8vw+jv65pcZB`U>G0P zpRrqRz?=G!fj=Qpo9Dm~_?yF@gMuwsI8m^Zii$f4W8S_v^#mklu7qd6VW 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 784b2ae8..00000000 --- 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 23d7fa28..00000000 --- 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 b850af92..00000000 --- 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 d3c298c3..00000000 --- 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 516ca1a9..00000000 --- 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 fd611502..00000000 --- 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 32229fb6..00000000 --- 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 7daaf746..00000000 --- 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 e58baaa7..00000000 --- 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 8b8192ac..00000000 --- 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 0ce5f1f0..00000000 --- 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 3fbe8e06..00000000 --- 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 480db7c0..00000000 --- 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 2134d227..00000000 --- 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 070476f5..00000000 --- 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 40d1ffd6..00000000 --- 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 bf8e022d..00000000 --- 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 33f324cc..00000000 --- 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 e1ea82e9..00000000 --- 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 f955bcc4..00000000 --- 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 a89ee3b7..00000000 --- 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 0bea56d5..00000000 --- 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 3fac3a16..00000000 --- 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 1a4ab531..00000000 --- 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 112a6d07..00000000 --- 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 16785c43..00000000 --- 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 e9362a52..8392ead4 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 @@ -[<< 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 00000000..2a8e6a80 --- /dev/null +++ b/Portuguese/Dia_03_Booleanos_Operadores_Data/03_day_starter/index.html @@ -0,0 +1,17 @@ + + + + + 30DaysOfJavaScript: 03 Day + + + +

30DaysOfJavaScript:03 Day

+

Booleans, undefined, null, date object

+ + + + + + + \ 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 00000000..77629084 --- /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 00000000..800df337 --- /dev/null +++ b/Portuguese/Dia_03_Booleanos_Operadores_Data/Dia_03_booleanos_operadores_data.md @@ -0,0 +1,633 @@ +
+ +[<< 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 = (y2-y1)/(x2-x1). 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 = x2 + 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" Date: Sat, 4 Feb 2023 09:04:11 -0300 Subject: [PATCH 4/5] 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 8392ead4..1f03a399 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 800df337..ad61f3de 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 548c939a..f65cc97c 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" Date: Sat, 4 Feb 2023 09:45:40 -0300 Subject: [PATCH 5/5] 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 1f03a399..10e7c546 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 @@
-

30 Days Of JavaScript: Tipos de Dados

+

30 Dias De JavaScript: Tipos de Dados

@@ -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.'__.