在这种情况下,JavaScript闭包是如何工作的,更具体一点:最后(i)
有什么作用?
for(var i = 0; i < 10; i++) {
(function(e) {
setTimeout(function() {
console.log(e);
}, 1000);
})(i);
}
此外,我正在尝试在我的代码中实现它,似乎我没有做对
for (var i=0; i < len; i++) {
var formID = document.forms["form-" + i];
$(formID).bind("submit", validate);
$(formID).bind("change", function(i){
var divI = '#ind-' + i;
$(divI).css("background-color","green");
})(i);
}
答案 0 :(得分:12)
这是用于在变量周围创建局部范围的模式。如果没有使用,那么每次调用console.log(i)
都会在for循环结束后记录i
(10)的值。
for(var i = 0; i < 10; i++) {
// create new function
(function(e) {
// log each counter after 1 second.
setTimeout(function() {
console.log(e);
}, 1000);
// execute it with the counter
})(i);
}
以上内容与此相同。
function foobar(e) {
setTimeout(function() {
console.log(e);
}, 1000);
}
for (var i = 0; i < 10; i++) {
(
foobar
)(i);
}
这里真正的问题是在循环中创建函数。不要这样做:))
您的代码
for (var i=0; i < len; i++) {
var formID = document.forms["form-" + i];
$(formID).bind("submit", validate);
// create a full closure around the block of code
(function() {
$(formID).bind("change", function(i){
var divI = '#ind-' + i;
$(divI).css("background-color","green");
})//(i); Don't call (i) here because your just trying to execute the
// jQuery element as a function. You can't do this, you need to wrap
// an entire function around it.
})(i);
}
但这是错误的,你想把这份工作委托给其他人。
function makeGreen(form, i) {
$(form).change(function() {
$("#ind-"+i).css("background-color", "green");
});
}
for (var i=0; i < len; i++) {
var formID = document.forms["form-" + i];
$(formID).bind("submit", validate);
// call a helper function which binds the change handler to the correct i
makeGreen(formID, i);
}
如果你想变得有点聪明,你可以摆脱这些匿名函数
function makeGreen() {
var divId = $(this).data("div-id");
$(divId).css("background-color", "green");
}
for (var i=0; i < len; i++) {
$(document.forms["form-" + i])
.bind("submit", validate)
// store i on the form element
.data("div-id", "#ind-" + i)
// use a single event handler that gets the divId out of the form.
.change(makeGreen);
}
修改强>
( // contain the function we create.
function(parameterA) {
window.alert(parameterA);
}
) // this now points to a function
("alertMessage"); // call it as a function.
与
相同( // contain the window.alert function
window.alert
) // it now points to a function
("alertMessage"); // call it as a function
答案 1 :(得分:3)
虽然不是关闭问题的直接答案,但这是我对这个问题的看法。
我会重新编写逻辑以避免需要一个闭包(,因为它似乎过于复杂的需求)
表单命名中有一个模式这一事实让事情变得非常简单
$('form[id^="form-"]').submit(validate)
.change(function(){
var divI = '#ind-' + this.id.replace('form-','');
$(divI).css("background-color","green");
});