Skip to content

Commit d0231f5

Browse files
committed
Merge branch 'master' of github.com:javascript-tutorial/en.javascript.info into sync-ec21af8a
2 parents c527cfd + ec21af8 commit d0231f5

File tree

32 files changed

+183
-123
lines changed

32 files changed

+183
-123
lines changed

1-js/02-first-steps/12-while-for/article.md

+1-1
Original file line numberDiff line numberDiff line change
@@ -212,7 +212,7 @@ But we can force the exit at any time using the special `break` directive.
212212

213213
For example, the loop below asks the user for a series of numbers, "breaking" when no number is entered:
214214

215-
```js
215+
```js run
216216
let sum = 0;
217217

218218
while (true) {

1-js/02-first-steps/15-function-expressions-arrows/article.md

+1-1
Original file line numberDiff line numberDiff line change
@@ -350,7 +350,7 @@ welcome(); // ok now
350350
```smart header="When to choose Function Declaration versus Function Expression?"
351351
As a rule of thumb, when we need to declare a function, the first to consider is Function Declaration syntax. It gives more freedom in how to organize our code, because we can call such functions before they are declared.
352352
353-
That's also better for readability, as it's easier to look up `function f(…) {…}` in the code than `let f = function(…) {…}`. Function Declarations are more "eye-catching".
353+
That's also better for readability, as it's easier to look up `function f(…) {…}` in the code than `let f = function(…) {…};`. Function Declarations are more "eye-catching".
354354
355355
...But if a Function Declaration does not suit us for some reason, or we need a conditional declaration (we've just seen an example), then Function Expression should be used.
356356
```

1-js/03-code-quality/01-debugging-chrome/article.md

+1-1
Original file line numberDiff line numberDiff line change
@@ -139,7 +139,7 @@ There are buttons for it at the top of the right panel. Let's engage them.
139139
<span class="devtools" style="background-position:-62px -192px"></span> -- "Step over": run the next command, but *don't go into a function*, hotkey `key:F10`.
140140
: Similar to the previous the "Step" command, but behaves differently if the next statement is a function call. That is: not a built-in, like `alert`, but a function of our own.
141141

142-
The "Step" command goes into it and and pauses the execution at its first line, while "Step over" executes the nested function call invisibly, skipping the function internals.
142+
The "Step" command goes into it and pauses the execution at its first line, while "Step over" executes the nested function call invisibly, skipping the function internals.
143143

144144
The execution is then paused immediately after that function.
145145
>>>>>>> a0bfa924a17cad8e7fee213904b27dbf57c2dbac

1-js/04-object-basics/05-object-toprimitive/article.md

+64-30
Original file line numberDiff line numberDiff line change
@@ -46,21 +46,27 @@ There are three variants of type conversion, so-called "hints", described in the
4646
`"default"`
4747
: Occurs in rare cases when the operator is "not sure" what type to expect.
4848

49-
For instance, binary plus `+` can work both with strings (concatenates them) and numbers (adds them), so both strings and numbers would do. Or when an object is compared using `==` with a string, number or a symbol, it's also unclear which conversion should be done.
49+
For instance, binary plus `+` can work both with strings (concatenates them) and numbers (adds them), so both strings and numbers would do. So if the a binary plus gets an object as an argument, it uses the `"default"` hint to convert it.
50+
51+
Also, if an object is compared using `==` with a string, number or a symbol, it's also unclear which conversion should be done, so the `"default"` hint is used.
5052

5153
```js
52-
// binary plus
53-
let total = car1 + car2;
54+
// binary plus uses the "default" hint
55+
let total = obj1 + obj2;
5456

55-
// obj == string/number/symbol
57+
// obj == number uses the "default" hint
5658
if (user == 1) { ... };
5759
```
5860

59-
The greater/less operator `<>` can work with both strings and numbers too. Still, it uses "number" hint, not "default". That's for historical reasons.
61+
The greater and less comparison operators, such as `<` `>`, can work with both strings and numbers too. Still, they use the `"number"` hint, not `"default"`. That's for historical reasons.
62+
63+
In practice though, we don't need to remember these peculiar details, because all built-in objects except for one case (`Date` object, we'll learn it later) implement `"default"` conversion the same way as `"number"`. And we can do the same.
6064

61-
In practice, all built-in objects except for one case (`Date` object, we'll learn it later) implement `"default"` conversion the same way as `"number"`. And probably we should do the same.
65+
```smart header="No `\"boolean\"` hint"
66+
Please note -- there are only three hints. It's that simple.
6267

63-
Please note -- there are only three hints. It's that simple. There is no "boolean" hint (all objects are `true` in boolean context) or anything else. And if we treat `"default"` and `"number"` the same, like most built-ins do, then there are only two conversions.
68+
There is no "boolean" hint (all objects are `true` in boolean context) or anything else. And if we treat `"default"` and `"number"` the same, like most built-ins do, then there are only two conversions.
69+
```
6470
6571
**To do the conversion, JavaScript tries to find and call three object methods:**
6672
@@ -112,7 +118,29 @@ If there's no `Symbol.toPrimitive` then JavaScript tries to find them and try in
112118
- `toString -> valueOf` for "string" hint.
113119
- `valueOf -> toString` otherwise.
114120

115-
For instance, here `user` does the same as above using a combination of `toString` and `valueOf`:
121+
These methods must return a primitive value. If `toString` or `valueOf` returns an object, then it's ignored (same as if there were no method).
122+
123+
By default, a plain object has following `toString` and `valueOf` methods:
124+
125+
- The `toString` method returns a string `"[object Object]"`.
126+
- The `valueOf` method returns an object itself.
127+
128+
Here's the demo:
129+
130+
```js run
131+
let user = {name: "John"};
132+
133+
alert(user); // [object Object]
134+
alert(user.valueOf() === user); // true
135+
```
136+
137+
So if we try to use an object as a string, like in an `alert` or so, then by default we see `[object Object]`.
138+
139+
And the default `valueOf` is mentioned here only for the sake of completeness, to avoid any confusion. As you can see, it returns the object itself, and so is ignored. Don't ask me why, that's for historical reasons. So we can assume it doesn't exist.
140+
141+
Let's implement these methods.
142+
143+
For instance, here `user` does the same as above using a combination of `toString` and `valueOf` instead of `Symbol.toPrimitive`:
116144

117145
```js run
118146
let user = {
@@ -159,7 +187,7 @@ In the absence of `Symbol.toPrimitive` and `valueOf`, `toString` will handle all
159187

160188
The important thing to know about all primitive-conversion methods is that they do not necessarily return the "hinted" primitive.
161189

162-
There is no control whether `toString()` returns exactly a string, or whether `Symbol.toPrimitive` method returns a number for a hint "number".
190+
There is no control whether `toString` returns exactly a string, or whether `Symbol.toPrimitive` method returns a number for a hint `"number"`.
163191

164192
The only mandatory thing: these methods must return a primitive, not an object.
165193

@@ -169,35 +197,41 @@ For historical reasons, if `toString` or `valueOf` returns an object, there's no
169197
In contrast, `Symbol.toPrimitive` *must* return a primitive, otherwise there will be an error.
170198
```
171199

172-
## Further operations
200+
## Further conversions
173201

174-
An operation that initiated the conversion gets the primitive, and then continues to work with it, applying further conversions if necessary.
202+
As we know already, many operators and functions perform type conversions, e.g. multiplication `*` converts operatnds to numbers.
203+
204+
If we pass an object as an argument, then there are two stages:
205+
1. The object is converted to a primitive (using the rules described above).
206+
2. If the resulting primitive isn't of the right type, it's converted.
175207

176208
For instance:
177209

178-
- Mathematical operations, except binary plus, convert the primitive to a number:
210+
```js run
211+
let obj = {
212+
// toString handles all conversions in the absence of other methods
213+
toString() {
214+
return "2";
215+
}
216+
};
179217

180-
```js run
181-
let obj = {
182-
// toString handles all conversions in the absence of other methods
183-
toString() {
184-
return "2";
185-
}
186-
};
218+
alert(obj * 2); // 4, object converted to primitive "2", then multiplication made it a number
219+
```
187220

188-
alert(obj * 2); // 4, object converted to primitive "2", then multiplication made it a number
189-
```
221+
1. The multiplication `obj * 2` first converts the object to primitive (that's a string `"2"`).
222+
2. Then `"2" * 2` becomes `2 * 2` (the string is converted to number).
190223

191-
- Binary plus will concatenate strings in the same situation:
192-
```js run
193-
let obj = {
194-
toString() {
195-
return "2";
196-
}
197-
};
224+
Binary plus will concatenate strings in the same situation, as it gladly accepts a string:
198225

199-
alert(obj + 2); // 22 (conversion to primitive returned a string => concatenation)
200-
```
226+
```js run
227+
let obj = {
228+
toString() {
229+
return "2";
230+
}
231+
};
232+
233+
alert(obj + 2); // 22 ("2" + 2), conversion to primitive returned a string => concatenation
234+
```
201235

202236
## Summary
203237

1-js/05-data-types/03-string/article.md

+4-4
Original file line numberDiff line numberDiff line change
@@ -394,7 +394,7 @@ There are 3 methods in JavaScript to get a substring: `substring`, `substr` and
394394

395395
```js run
396396
let str = "st*!*ringify*/!*";
397-
alert( str.slice(2) ); // ringify, from the 2nd position till the end
397+
alert( str.slice(2) ); // 'ringify', from the 2nd position till the end
398398
```
399399

400400
Negative values for `start/end` are also possible. They mean the position is counted from the string end:
@@ -403,7 +403,7 @@ There are 3 methods in JavaScript to get a substring: `substring`, `substr` and
403403
let str = "strin*!*gif*/!*y";
404404

405405
// start at the 4th position from the right, end at the 1st from the right
406-
alert( str.slice(-4, -1) ); // gif
406+
alert( str.slice(-4, -1) ); // 'gif'
407407
```
408408

409409
`str.substring(start [, end])`
@@ -435,14 +435,14 @@ There are 3 methods in JavaScript to get a substring: `substring`, `substr` and
435435

436436
```js run
437437
let str = "st*!*ring*/!*ify";
438-
alert( str.substr(2, 4) ); // ring, from the 2nd position get 4 characters
438+
alert( str.substr(2, 4) ); // 'ring', from the 2nd position get 4 characters
439439
```
440440

441441
The first argument may be negative, to count from the end:
442442

443443
```js run
444444
let str = "strin*!*gi*/!*fy";
445-
alert( str.substr(-4, 2) ); // gi, from the 4th position get 2 characters
445+
alert( str.substr(-4, 2) ); // 'gi', from the 4th position get 2 characters
446446
```
447447

448448
Let's recap these methods to avoid any confusion:
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,3 @@
11

22
- Please note how methods are stored. They are simply added to `this.methods` property.
33
- All tests and numeric conversions are done in the `calculate` method. In future it may be extended to support more complex expressions.
4-
5-
[js src="_js/solution.js"]

1-js/05-data-types/05-array-methods/article.md

+3-3
Original file line numberDiff line numberDiff line change
@@ -36,7 +36,7 @@ That's natural, because `delete obj.key` removes a value by the `key`. It's all
3636

3737
So, special methods should be used.
3838

39-
The [arr.splice(str)](mdn:js/Array/splice) method is a swiss army knife for arrays. It can do everything: insert, remove and replace elements.
39+
The [arr.splice(start)](mdn:js/Array/splice) method is a swiss army knife for arrays. It can do everything: insert, remove and replace elements.
4040

4141
The syntax is:
4242

@@ -268,7 +268,7 @@ alert( arr.includes(NaN) );// true (correct)
268268

269269
Imagine we have an array of objects. How do we find an object with the specific condition?
270270

271-
Here the [arr.find](mdn:js/Array/find) method comes in handy.
271+
Here the [arr.find(fn)](mdn:js/Array/find) method comes in handy.
272272

273273
The syntax is:
274274
```js
@@ -574,7 +574,7 @@ The calculation flow:
574574

575575
Or in the form of a table, where each row represents a function call on the next array element:
576576

577-
| |`sum`|`current`|`result`|
577+
| |`sum`|`current`|result|
578578
|---|-----|---------|---------|
579579
|the first call|`0`|`1`|`1`|
580580
|the second call|`1`|`2`|`3`|

1-js/05-data-types/06-iterable/article.md

+4-2
Original file line numberDiff line numberDiff line change
@@ -142,15 +142,17 @@ for (let char of str) {
142142

143143
For deeper understanding let's see how to use an iterator explicitly.
144144

145-
We'll iterate over a string in exactlly the same way as `for..of`, but with direct calls. This code creates a string iterator and gets values from it "manually":
145+
We'll iterate over a string in exactly the same way as `for..of`, but with direct calls. This code creates a string iterator and gets values from it "manually":
146146

147147
```js run
148148
let str = "Hello";
149149

150150
// does the same as
151151
// for (let char of str) alert(char);
152152

153+
*!*
153154
let iterator = str[Symbol.iterator]();
155+
*/!*
154156

155157
while (true) {
156158
let result = iterator.next();
@@ -268,7 +270,7 @@ for (let char of str) {
268270
alert(chars);
269271
```
270272

271-
...But is shorter.
273+
...But it is shorter.
272274

273275
We can even build surrogate-aware `slice` on it:
274276

1-js/05-data-types/09-keys-values-entries/article.md

+1-1
Original file line numberDiff line numberDiff line change
@@ -11,7 +11,7 @@ They are supported for:
1111

1212
- `Map`
1313
- `Set`
14-
- `Array` (except `arr.values()`)
14+
- `Array`
1515

1616
Plain objects also support similar methods, but the syntax is a bit different.
1717

1-js/05-data-types/10-destructuring-assignment/article.md

+1-1
Original file line numberDiff line numberDiff line change
@@ -187,7 +187,7 @@ The destructuring assignment also works with objects.
187187
The basic syntax is:
188188

189189
```js
190-
let {var1, var2} = {var1:…, var2…}
190+
let {var1, var2} = {var1:…, var2:…}
191191
```
192192

193193
We have an existing object at the right side, that we want to split into variables. The left side contains a "pattern" for corresponding properties. In the simple case, that's a list of variable names in `{...}`.

1-js/05-data-types/12-json/article.md

+2-2
Original file line numberDiff line numberDiff line change
@@ -425,9 +425,9 @@ alert( numbers[1] ); // 1
425425
Or for nested objects:
426426

427427
```js run
428-
let user = '{ "name": "John", "age": 35, "isAdmin": false, "friends": [0,1,2,3] }';
428+
let userData = '{ "name": "John", "age": 35, "isAdmin": false, "friends": [0,1,2,3] }';
429429

430-
user = JSON.parse(user);
430+
let user = JSON.parse(userData);
431431

432432
alert( user.friends[1] ); // 1
433433
```

1-js/06-advanced-functions/01-recursion/article.md

+1
Original file line numberDiff line numberDiff line change
@@ -459,6 +459,7 @@ let list = { value: 1 };
459459
list.next = { value: 2 };
460460
list.next.next = { value: 3 };
461461
list.next.next.next = { value: 4 };
462+
list.next.next.next.next = null;
462463
```
463464
464465
Here we can even more clearer see that there are multiple objects, each one has the `value` and `next` pointing to the neighbour. The `list` variable is the first object in the chain, so following `next` pointers from it we can reach any element.

1-js/06-advanced-functions/03-closure/article.md

+5-5
Original file line numberDiff line numberDiff line change
@@ -351,7 +351,7 @@ Please note the additional `[[Environment]]` property is covered here. We didn't
351351

352352
![](lexenv-nested-makecounter-3.svg)
353353

354-
Please note that on this step the inner function was created, but not yet called. The code inside `function() { return count++; }` is not running.
354+
Please note that on this step the inner function was created, but not yet called. The code inside `return count++;` is not running.
355355

356356
4. As the execution goes on, the call to `makeCounter()` finishes, and the result (the tiny nested function) is assigned to the global variable `counter`:
357357

@@ -576,7 +576,8 @@ function f() {
576576
*/!*
577577
}
578578

579-
let g = f(); // g is reachable, and keeps the outer lexical environment in memory
579+
let func = f(); // func gets a reference to g
580+
// so it stays and memory and its outer lexical environment stays as well
580581
```
581582

582583
Please note that if `f()` is called many times, and resulting functions are saved, then all corresponding Lexical Environment objects will also be retained in memory. All 3 of them in the code below:
@@ -606,10 +607,9 @@ function f() {
606607
return g;
607608
}
608609

609-
let g = f(); // while g is alive
610-
// their corresponding Lexical Environment lives
610+
let func = f(); // while func has a reference to g, it stays in memory
611611

612-
g = null; // ...and now the memory is cleaned up
612+
func = null; // ...and now the memory is cleaned up
613613
```
614614

615615
### Real-life optimizations

1-js/06-advanced-functions/08-settimeout-setinterval/article.md

+4-4
Original file line numberDiff line numberDiff line change
@@ -61,7 +61,7 @@ So, this will also work:
6161
setTimeout("alert('Hello')", 1000);
6262
```
6363

64-
But using strings is not recommended, use functions instead of them, like this:
64+
But using strings is not recommended, use arrow functions instead of them, like this:
6565

6666
```js run no-beautify
6767
setTimeout(() => alert('Hello'), 1000);
@@ -184,7 +184,7 @@ Let's compare two code fragments. The first one uses `setInterval`:
184184
```js
185185
let i = 1;
186186
setInterval(function() {
187-
func(i);
187+
func(i++);
188188
}, 100);
189189
```
190190

@@ -193,12 +193,12 @@ The second one uses nested `setTimeout`:
193193
```js
194194
let i = 1;
195195
setTimeout(function run() {
196-
func(i);
196+
func(i++);
197197
setTimeout(run, 100);
198198
}, 100);
199199
```
200200

201-
For `setInterval` the internal scheduler will run `func(i)` every 100ms:
201+
For `setInterval` the internal scheduler will run `func(i++)` every 100ms:
202202

203203
![](setinterval-interval.svg)
204204

1-js/06-advanced-functions/09-call-apply-decorators/04-throttle/_js.view/test.js

+17-1
Original file line numberDiff line numberDiff line change
@@ -44,4 +44,20 @@ describe("throttle(f, 1000)", function() {
4444
this.clock.restore();
4545
});
4646

47-
});
47+
});
48+
49+
describe('throttle', () => {
50+
51+
it('runs a forwarded call once', done => {
52+
let log = '';
53+
const f = str => log += str;
54+
const f10 = throttle(f, 10);
55+
f10('once');
56+
57+
setTimeout(() => {
58+
assert.equal(log, 'once');
59+
done();
60+
}, 20);
61+
});
62+
63+
});

0 commit comments

Comments
 (0)