Portuguese Day 2 translation

pull/664/head
diken.dev 2 years ago
parent ffd79e248d
commit bffe399339

@ -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.
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.
![Accessing sting by index](../images/string_indexes.png)
Let us access different characters in 'JavaScript' string.
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)

@ -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

Loading…
Cancel
Save