Recently I ran into some interesting facts about named function expressions (NFE). I understand that the function name of an NFE can be accessed within the function body, which makes recursion more convenient and saves us arguments.callee
. And the function name is not available outside the function body. For example,
var foo = function bar() {
console.log(typeof bar);
};
typeof foo; // 'function'
typeof bar; // 'undefined', inaccessible outside the NFE
foo(); // 'function', accessible inside the NFE
This is a well-documented feature, and kangax has a wonderful post about NFE and mentioned this phenomenon there. What surprises me most is that the function name of an NFE cannot be re-associated with other values in the function body. For example,
(function foo() {
foo = 5;
alert(foo);
})(); // will alert function code instead of 5
In the above example, We tried to rebind the identifier foo
with another value 5
. But this fails! And I turned to ES5 Spec and found that an immutable binding record was created and added into the environment records of lexical environment when an NFE is created.
The problem is, when an NFE refers to its own function name inside the function body, the name was resolved as a free variable. In the above example, foo
is referred to inside the NFE, but it is neither a formal parameter nor a local variable of this function. So it's a free variable and its binding record can be resolved through the [[scope]] property of the NFE.
So consider this, if we have another identifier with the same name in the outer scope, there seems to be some conflict. For example,
var foo = 1;
(function foo() {
alert(foo);
})(); // will alert function code rather than 1
alert(foo); // 1
When we execute the NFE, the free variable foo
was resolved to the function it is associated to. But when the control exits the NFE context, foo
was resolved as a local variable in the outer scope.
So my question is as follows:
- Where is the immutable binding record of the function name stored?
- How come the function name
foo
outweigh var foo = 1
when resolved inside NFE? Are their binding records stored in the same lexical environment? If so, how?
- What's behind the phenomenon that function name
foo
is accessible inside but invisible outside?
Can someone shed some light on this with ES5 spec? I don't find much discussion online.
See Question&Answers more detail:
os