我读了一些关于闭包的帖子,到处都看到了这个,但是没有明确的解释它是如何工作的——每次我都被告知要使用它…:
// Create a new anonymous function, to use as a wrapper
(function(){
// The variable that would, normally, be global
var msg = "Thanks for visiting!";
// Binding a new function to a global object
window.onunload = function(){
// Which uses the 'hidden' variable
alert( msg );
};
// Close off the anonymous function and execute it
})();
好的,我看到我们将创建一个新的匿名函数,然后执行它。所以在这之后,这段简单的代码应该工作了(它确实工作了):
(function (msg){alert(msg)})('SO');
我的问题是这里发生了什么魔法?当我写到:
(function (msg){alert(msg)})
然后将创建一个新的未命名函数,如function ""(msg)…
但为什么这行不通呢?
(function (msg){alert(msg)});
('SO');
为什么要在同一条线上?
你能给我指出一些帖子或者给我一个解释吗?
这就是JavaScript的工作原理。你可以声明一个命名函数:
function foo(msg){
alert(msg);
}
叫它:
foo("Hi!");
或者,你可以声明一个匿名函数:
var foo = function (msg) {
alert(msg);
}
称之为:
foo("Hi!");
或者,你可以永远不将函数绑定到一个名称:
(function(msg){
alert(msg);
})("Hi!");
函数也可以返回函数:
function make_foo() {
return function(msg){ alert(msg) };
}
(make_foo())("Hi!");
make_foo函数体中任何用“var”定义的变量都将被make_foo返回的每个函数关闭,这是毫无意义的。这是一个闭包,这意味着一个函数对值所做的任何更改都将被另一个函数可见。
这让你可以封装信息,如果你想:
function make_greeter(msg){
return function() { alert(msg) };
}
var hello = make_greeter("Hello!");
hello();
除了Java,几乎所有编程语言都是这样工作的。
综上所述:
function() {
alert("hello");
}();
当未赋值给变量时,将产生语法错误。代码被解析为函数语句(或定义),这使得闭括号在语法上不正确。在函数部分周围添加圆括号告诉解释器(和程序员)这是一个函数表达式(或调用),如
(function() {
alert("hello");
})();
这是一个自调用函数,这意味着它是匿名创建的并立即运行,因为调用发生在声明它的同一行中。这个自调用函数使用熟悉的语法指示为调用无参数函数,在函数名周围加上括号:(myFunction)();。
有一个很好的SO JavaScript函数语法讨论。
它不起作用的简单原因不是因为;表示匿名函数结束。这是因为在函数调用的末尾没有(),它就不是函数调用。也就是说,
function help() {return true;}
如果调用result = help();这是对函数的调用,返回true。
如果你拨打result = help;这不是电话。在这种分配中,帮助被视为要分配给结果的数据。
你所做的是通过添加分号来声明/实例化一个匿名函数,
(function (msg) { /* Code here */ });
然后尝试在另一个语句中调用它,只使用括号…显然,因为函数没有名称,但这将不起作用:
('SO');
解释器将第二行上的括号视为一个新的指令/语句,因此它不起作用,即使你这样做:
(function (msg){/*code here*/});('SO');
它仍然不能工作,但当您删除分号时,它可以工作,因为解释器会忽略空白和空格,并将完整的代码视为一条语句。
(function (msg){/*code here*/}) // This space is ignored by the interpreter
('SO');
Conclusion: a function call is not a function call without the () on the end unless under specific conditions such as being invoked by another function, that is, onload='help' would execute the help function even though the parentheses were not included. I believe setTimeout and setInterval also allow this type of function call too, and I also believe that the interpreter adds the parentheses behind the scenes anyhow which brings us back to "a function call is not a function call without the parentheses".
匿名函数是动态声明的函数
运行时。它们被称为匿名函数,因为它们不是
以与普通函数相同的方式命名。
匿名函数使用函数操作符声明
函数声明的。可以使用函数操作符to
在任何可以放置表达式的地方创建一个新函数。为
例如,您可以将一个新函数声明为参数
函数调用或分配另一个对象的属性。
下面是一个命名函数的典型例子:
function flyToTheMoon() {
alert("Zoom! Zoom! Zoom!");
}
flyToTheMoon();
下面是创建匿名函数的相同示例:
var flyToTheMoon = function() {
alert("Zoom! Zoom! Zoom!");
}
flyToTheMoon();
详情请浏览http://helephant.com/2008/08/23/javascript-anonymous-functions/