Javascript equivalent of Python's locals()?

In Python one can get a dictionary of all local and global variables in the current scope with the built-in functions locals() and globals() . Is there some equivalent way of doing this in Javascript? For instance, I would like to do something like the following:

var foo = function(){ alert('foo'); };
var bar = function(){ alert('bar'); };

var s = 'foo';
locals()[s](); // alerts 'foo'

Is this at all possible, or should I just be using a local object for the lookup?


  • locals() - No.

  • globals() - Yes.

  • window is a reference to the global scope, like globals() in python.

    globals()["foo"]
    

    is the same as:

    window["foo"]
    

    Well, I don't think that there is something like that in js. You can always use eval instead of locals(). Like this:

    eval(s+"()");
    

    You just have to know that actually function foo exists.

    Edit:

    Don't use eval:) Use:

    var functionName="myFunctionName";
    window[functionName]();
    

    I seem to remember Brendan Eich commented on this in a recent podcast; if i recall correctly, it's not being considered, as it adds unreasonable restrictions to optimization. He compared it to the arguments local in that, while useful for varargs, its very existence removes the ability to guess at what a function will touch just by looking at its definition.

    BTW: i believe JS did have support for accessing locals through the arguments local at one time - a quick search shows this has been deprecated though.

    链接地址: http://www.djcxy.com/p/16986.html

    上一篇: eval()和new Function()是一样的吗?

    下一篇: Javascript的Python等价于当地人()?