循环中的函数(返回另一个函数)如何工作?

我一直在尝试为JavaScript中动态创建的“ a”标签的onclick事件分配一个函数。所有标记均按如下所示循环创建:


for ( var i = 0; i < 4; i++ )

{

  var a = document.createElement( "a" );

  a.onclick = function( ) { alert( i ) };

  document.getElementById( "foo" ).appendChild( a );

}

所有四个链接的警报值始终为“ 4”。很明显。谷歌搜索时,我遇到了显示以下代码片段的帖子:


a.onclick = (function(p, d) {

return function(){ show_photo(p, d) }

})(path, description);

我设法根据需要对其进行了调整,并使alert(i)正常工作,但是如果有人可以确切解释以上代码的作用,我将不胜感激。


喵喵时光机
浏览 438回答 3
3回答

紫衣仙女

当您将函数分配给单击处理程序时,将创建一个闭包。基本上,当您嵌套函数时会形成一个闭包,内部函数即使在其父函数已经执行后,也可以引用其外部封装函数中存在的变量。在执行click事件时,处理程序将引用i变量具有的最后一个值,因为该变量存储在闭包中。如您所见,通过包装单击处理程序函数以接受i变量作为参数,然后返回另一个函数(基本上创建另一个闭包),它可以按预期工作:for ( var i = 0; i < 4; i++ ) {&nbsp; var a = document.createElement( "a" );&nbsp; a.onclick = (function(j) { // a closure is created&nbsp; &nbsp; return function () {&nbsp; &nbsp; &nbsp; alert(j);&nbsp;&nbsp; &nbsp; }&nbsp; }(i));&nbsp; document.getElementById( "foo" ).appendChild( a );}迭代时,实际上创建了4个函数,每个函数i在创建时(通过传递i)存储对它的引用,此值存储在外部闭包中,并在click事件触发时执行内部函数。我使用以下代码片段解释闭包(以及curry的一个非常基本的概念),我认为一个简单的示例可以使该概念更容易理解:// a function that generates functions to add two numbersfunction addGenerator (x) { // closure that stores the first number&nbsp; return function (y){ // make the addition&nbsp; &nbsp; return x + y;&nbsp; };}var plusOne = addGenerator(1), // create two number adding functions&nbsp; &nbsp; addFive = addGenerator(5);alert(addFive(10)); // 15alert(plusOne(10)); // 11

湖上湖

无需赘述,这实际上是通过将实例变量包装在立即执行的函数中并将它们传递回单击元素时将要执行的函数中来创建实例变量的副本。这样想:function() { alert(i); }&nbsp; // Will expose the latest value of i(function(I) { return function() { alert(I); }; })(i); // Will pass the current&nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp;// value of i and return&nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp;// a function that exposes&nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp;// i at that time所以每次循环过程中,你实际上是在执行一个返回的函数功能与当前变量的值。如果您想象自己的循环中有4个锚点,那么您正在创建4个独立的函数,这些函数可以可视化为..function() { alert(0); };function() { alert(1); };function() { alert(2); };function() { alert(3); };我会考虑使用javascript来研究范围和闭包,就好像您走这条路并且不完全了解正在发生的事情一样,您可能会因意外行为而遇到大量问题。

红颜莎娜

触发onclick事件时,将调用匿名函数,该匿名函数引用i循环中使用的相同变量,并保留的最后一个值(i即4)。您问题的解决方案是使用返回函数的函数:a.onclick = (function(k) {return function() { alert(k); }; })(i);
打开App,查看更多内容
随时随地看视频慕课网APP

相关分类

JavaScript