And even better way would be to learn how parameters work and understand that you are calling a callback function on each element on the array.
So that callback function is taking in a parameter (clr) and now inside that callback function you do something to every clr.
Imagine you are going through the array 1 by 1 and picking out each element and selecting that as something, calling it clr, then passing that to a function, how does that function know what "clr" is? You have to name it inside the function.
If you don't pass clr into the function, it will never know clr exists, and you would have something like
colors.forEach(function(clr){
console.log(abcdefg);
};
But what is "abcdefg"? It doesn't exist, and there's no way javascript will have any idea what the variable "abdefg" is supposed to be..Unless you pass it to the function as abcdefg like
colors.forEach(function(abdefg){
console.log(abdefg);
};
Now the console.log(abdefg) knows what abdefg is, you've passed it through as a parameter to this second function that is being called, it understands that whatever the forEach is currently returning (eg. "red") should be passed through as abcdefg.
Until you give the function a parameter it will not know what clr, color or anything is. The second function inside the forEach has to have the parameter named and passed to it, then you have access to it.
If you do something like
colors.forEach(function() {
console.log(color)
console.log(clr)
console.log(abcdefg)
}
none of these will work, the function has nothing being passed to it. it's just an empty set of brackets with no parameters, there is no way this function inside the forEach can figure out what you mean by any of these things.
try doing
for (color of colors) {
console.log(color)
}
You are doing the same thing here, except the parameter is being called color and being passed through to that function automatically.