2

我看了这个:从Javascript中的嵌套函数返回值

但这并没有真正帮助我(或者我太笨了,无法理解)。

我的变量范围以某种方式关闭,我不明白为什么。我的 alert() 没有按预期运行。试图在所有行上添加评论以解释我的想法。

非常感谢您的任何评论/指针/答案!

var g = {}; / is a large object with all kinds of other stuff and functions in it

g.ding = function(){ // my problem function
 var baby = 'young'; // i thought I set a local var here
    if(someVar==true) { // standard issue if statement
        someAPI.class( // using an API that uses a function as its attribute
            function(stuff){ // my anonymous function
                baby = 'old'; // setting the var to something
            }
        );
    }
    return baby; // returning the var
}

alert( g.ding() ); // i expect it to say "old" but it keeps saying "young". why?

新编辑: Juan 接受的答案很棒,但是否还有一种方法可以使用setTimeout()来处理异步函数调用并基本上使它们同步?如果任何读过这篇文章的人都知道我很想知道的答案。谢谢。

4

2 回答 2

7

调用someAPI.class(function(){})可能是异步的,这意味着您传递给它的函数在返回时可能没有被调用someAPI.class()并且变量没有被更改。

解决方案是在回调中将变量传回

g.ding = function(callback){ 
    var baby = 'young';
    if(someVar) {
        someAPI.class(
            // There's no guarantee of when this function is called
            function(stuff){
                baby = 'old';
                // Call the callback, it's like a return, for async functions
                callback(baby);
            }
        );
    }
    // the inner function probably wasn't called yet, 
    // doesn't make sense to return this here
    // return baby;
}

// Then you'd call it like this, as soon as you use an async function
// all the functions that call it have to use callbacks for return values
g.ding(function(value){
    alert(value);
});
于 2012-06-22T04:33:36.407 回答
0

在这里我可以认为你的

 someAPI.class();

必须是与事件相关的函数(如单击、鼠标悬停等)。所以它里面的函数只有在相关事件发生时才会执行,从而改变变量的值。但我认为事件不会发生,因此变量不会改变。

于 2012-06-22T05:10:17.327 回答