this value in JavaScript anonymous function

前端 未结 4 1696
灰色年华
灰色年华 2020-11-28 11:58

Can anybody explain to me why A is true and B is false? I would have expected B to be true as well.

function MyObject() {

};

MyOb         


        
相关标签:
4条回答
  • 2020-11-28 12:13

    Inside of your anonymous function this is the global object.

    Inside of test, this is the instance of MyObject on which the method was invoked.


    Whenever you call a function like this:

    somceFunction(); // called function invocation
    

    this is always the global object, or undefined in strict mode (unless someFunction was created with bind** — see below)

    Whenever you call a function like this

    foo.someMethod();  //called method invocation
    

    this is set to foo


    **EcmaScript5 defines a bind function that allows you to create a function that has a pre-set value for this

    So this

        var obj = { a: 12 };
        var someFunction = (function () { alert(this.a); }).bind(obj);
        someFunction();
    

    Causes someFucntion to be invoked with this equal to obj, and alerts 12. I bring this up only to note that this is a potential exception to the rule I mentioned about functions invoked as

    someFunction();
    

    always having this equal to the global object (or undefined in strict mode)

    0 讨论(0)
  • 2020-11-28 12:16

    this is set based on how you call the function.
    Your anonymous function is a normal function call, so this is the global object.

    You could write (function() { ... }).call(this) to explicitly call it with your this.

    0 讨论(0)
  • 2020-11-28 12:34

    this is special. It refers to the object that the function is being called on behalf of (most commonly via dot syntax).

    So, in the case of A, the function is being called on behalf of a new MyObject object. B is in a different function that isn't explicitly being called on behalf of any object, so this defaults to the global object (window).

    In other words, this changes depending on how the function is called, not where or how it is defined. The fact that you're using an anonymous function (defined inside another function) is coincidental and has no effect on the value of this.

    0 讨论(0)
  • 2020-11-28 12:40

    In the anonymous function, this is bound to the global object (window in a browser environment).

    There are various ways of accessing the instance:

    var self = this;
    (function () {
        console.log("B", self instanceof MyObject);
    }());
    

    or

    (function () {
        console.log("B", this instanceof MyObject);
    }).call(this);
    
    0 讨论(0)
提交回复
热议问题