-
Notifications
You must be signed in to change notification settings - Fork 6.3k
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
PT-BR : Add file what-is-the-arguments-object.md #2318
Merged
Merged
Changes from all commits
Commits
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
66 changes: 66 additions & 0 deletions
66
locale/pt-br/knowledge/javascript-conventions/what-is-the-arguments-object.md
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,66 @@ | ||
--- | ||
date: '2011-08-26T10:08:50.000Z' | ||
tags: | ||
- truthy | ||
- falsy | ||
- types | ||
- coercion | ||
title: What is the arguments object? | ||
difficulty: 4 | ||
layout: knowledge-post.hbs | ||
--- | ||
|
||
O objeto `arguments` é uma estrutura especial disponível dentro de todas as chamadas de função. É representada como uma lista de argumentos que são passados quando a função é chamada. Uma vez que o JavaScript permite chamar funções com indeterminado número indeterminado de argumentos, nós precisamos de um método para descobrir e acessar esses argumentos. | ||
|
||
O objeto `arguments` é um array-like, seu tamanho corresponde a quantidade de argumentos passados para a função. É possível acessar estes valores através da indexação do Array. Exemplo: `arguments[0]` captura o primeiro argumento. A única outra propriedade de `arguments` é chamada `callee`, a qual o ES5 impede o uso no `strict mode`, mais informações podem ser encontradas [aqui](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Functions/arguments/callee). | ||
Veja mais exemplos sobre as propriedades de `arguments`. | ||
|
||
```js | ||
const myfunc = function(one) { | ||
arguments[0] === one; | ||
arguments[1] === 2; | ||
arguments.length === 3; | ||
} | ||
|
||
myfunc(1, 2, 3); | ||
``` | ||
|
||
Essa construção é muito útil e fornece muitas funções ao JavaScript. Mas há uma pegadinha. O objeto `arguments` se comporta como um tipo array, porém ele não é realmente um array. Ele não têm as funcionalidades que o Array herda de Array.prototype e não responde a nenhum método de array, exemplo. `arguments.sort()` gera um TypeError. Em vez disso, você precisa copiar os valores para um array verdadeiro. | ||
Com o advento do ES6 o método `Array.from()` torna isso bastante simples. | ||
|
||
```js | ||
const myfunc = function(a, b, c) { | ||
const args = Array.from(arguments); | ||
console.log(args) // [1, 2, 3] | ||
} | ||
|
||
myfunc(1, 2, 3); | ||
``` | ||
NOTA: Para ES5 e anteriores, um loop `for` normal pode fazer o truque | ||
|
||
Em alguns casos você ainda pode tratar o `arguments` como um Array, você pode usar o `arguments` através de invocações de funções dinâmicas. E a maioria dos métodos nativos Array (Ex. Array.prototype.concat) aceitarão `arguments` quando invocados dinamicamente utilizando `call` ou `apply`. Essa técnica também oferece outros modos de conversão dos `arguments` para um tipo Array utilizando método `Array.slice`. | ||
|
||
```js | ||
myfunc.apply(obj, arguments). | ||
|
||
// concat arguments onto the | ||
Array.prototype.concat.apply([1,2,3], arguments); | ||
|
||
// turn arguments into a true array | ||
const args = Array.prototype.slice.call(arguments); | ||
|
||
// cut out first argument | ||
args = Array.prototype.slice.call(arguments, 1); | ||
``` | ||
|
||
### Objeto Argments em arrow function | ||
|
||
As `arrow functions` foram adicionadas na especificação do ECMAScript 2015 (ES6), propondo uma alternativa mais compacta do que a declaração de uma função comum. A desvantagem dessa alternativa é que não existe mais o objecto `arguments` (e também as keywords `this`, `super` ou `new.target`). A solução para esses casos é o uso dos parâmetros `rest`. Os parâmetros `rest` permitem representar um número indeterminado de argumentos como um Array. Leia mais detalhes [aqui](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Functions/rest_parameters). | ||
|
||
```js | ||
const myfunc = (...args) => { | ||
console.log('first parameter is ', args[0]); | ||
} | ||
|
||
myfunc(1, 2, 3); | ||
``` |
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
This whole example is different from the one in the docs:
Original: