I have seen people using const on for of loops, i admit why it doesnt work in the case of for loops but, does for of loop has the same case as that of for loops.
can you share your knowledge why const works on for of loops in javascript
I have seen people using const on for of loops, i admit why it doesnt work in the case of for loops but, does for of loop has the same case as that of for loops.
can you share your knowledge why const works on for of loops in javascript
For further actions, you may consider blocking this person and/or reporting abuse
Muhammad Bilal -
ramadhan.dev -
Leandro Veiga -
James -
Top comments (7)
You didn't specify where in the loop, but I'm going to assume the obvious :)
in a
for
loop, you are creating a variable to count the iterations, and this variable is going to change, thus it can't be a constant value.if
i
were aconst
, it would throw an error at the end of the first iteration, wheni++
was executed.on
for ... of
loops, you create a variable to keep the value of the iterable (list) to use during that iteration of the loop... when it loops over, a new variable will be created, with the same name and different value. it does not try to reassign, it just releases the variable that was used in the last iteration and creates a whole new one.the
value
variable will only exist until the end of each iteration.The
let
in the modernfor
loop is actually a bit disingenuous.The early version of the
for
loop worked like this:Unintuitive but correct as by the time
console.log()
executedi
was2
.Typically the intention is this:
The
let
version automatically works that wayA new lexical scope is created for each iteration and each lexical closure has its own copy of
i
.initialization
initializes the loop environment‡.final-expression
runs at the beginning of each iteration except the first one.condition
is checked a new lexical environment is created for the iteration and the current loop environment (i
) is copied into that thencondition
is checked. Continue if satisfied, break if not.statement
is executed.‡
initialization
has its own lexical scope."final-expression runs at the beginning of each iteration except the first one. "
mdn says: final-expression (called afterthought in their docs) evaluates at the end of each loop iteration not at the beginning of each iteration.
Thanks Guilherme
For exemple with a for loop
for (const i = 0; i < 100; i++) {
// ....
}
You can't use
const
becauseI++
will incrementi
.But
i
is a constant. A constant can't change. So you have to uselet
I don't know all details for
for of
loop, just it uses Iterator. I found a good article about loops details : exploringjs.com/es6/ch_for-of.htmlThanks 4 investing the time for helping me out amiceli
Genuinely good question!