Demystifying this in JavaScript

In this post I want to shed some light on this in JavaScript hopefully bring some clarity to how this works. It’s not all dark magic, learning about this can be tremendously helpful to your development as a JavaScript programmer. The inspiration for this post comes from my recent work on the latest chapter for my upcoming book on JavaScript Application Design (note: you can purchase the early access edition now) in which I’m writing about how scoping works.

Until you “get it”, this is probably how you feel about this:

chaos

It’s madness, right? In this brief article, I aim to demystify it.

How this works

If a method is invoked on an object, that object will be assigned to this.

var parent = {
    method: function () {
        console.log(this);
    }
};

parent.method();
// <- parent

Note that this behavior is very “fragile”, if you get a reference to a method and invoke that, then this won’t be parent anymore but rather the window global object once again. This confuses most developers.

var parentless = parent.method;

parentless();
// <- Window

The bottom line is you should look at the call site to figure out whether the function is invoked as a property of an object or on its own. If its invoked as a property, then that property will become this, otherwise this will be assigned the value of the global object, or window. In this case, but under strict mode, this will be undefined instead.

In the case of constructor functions, this is assigned to the instance that’s being created, when using the new keyword.

function ThisClownCar () {
  console.log(this);
}

new ThisClownCar();
// <- ThisClownCar {}

Note that this behavior doesn’t have a way of telling whether a function is supposed to be used as a constructor function, and thus omitting the new keyword will result in this being the global object, like we saw in the parentless example.

ThisClownCar();
// <- Window

Tampering with this

The .call, .apply, and .bind methods are used to manipulate function invocations, helping us to define both the value for this, and the arguments provided to the function.

Function.prototype.call takes any number of arguments, the first one is assigned to this, and the rest are passed as arguments to the function that’s being invoked.

Array.prototype.slice.call([1, 2, 3], 1, 2)
// <- [2]

Function.prototype.apply behaves very similarly to .call, but it takes the arguments as a single array with every value, instead of any number of parameter values.

String.prototype.split.apply('13.12.02', ['.'])
// <- ['13', '12', '02']

Function.prototype.bind creates a special function which can be used to invoke the function it is called on. That function will always use the this argument passed to .bind, as well as being able to assign a few arguments, creating a curried version of the original function.

var arr = [1, 2];
var add = Array.prototype.push.bind(arr, 3);

// effectively the same as arr.push(3)
add();

// effectively the same as arr.push(3, 4)
add(4);

console.log(arr);
// <- [1, 2, 3, 3, 4]

Scoping this

In the next case, this will stay the same across the scope chain. This is the exception to the rule, and often leads to confusion among amateur developers.

function scoping () {
  console.log(this);

  return function () {
    console.log(this);
  };
}

scoping()();
// <- Window
// <- Window

A common work-around is to create a local variable which holds onto the reference to this, and isn’t shadowed in the child scope. The child scope shadows this, making it impossible to access a reference to the parent this directly.

function retaining () {
  var self = this;

  return function () {
    console.log(self);
  };
}

retaining()();
// <- Window

Unless you really want to use both the parent scope’s this, as well as the current value of this for some obscure reason, the method I prefer is to use the .bind function. This can be used to assign the parent this to the child scope.

function bound () {
  return function () {
    console.log(this);
  }.bind(this);
}

bound()();
// <- Window

Other Issues?

Have you ever had any problems with this? How about this? Let me know if you think I’ve missed any other edge cases or elegant solutions.

If you liked this post, be sure to check out my upcoming book JavaScript Application Design: A Build First Approach which you can already purchase as an early access edition.

This article was originally published at https://blog.ponyfoo.com/2013/12/04/where-does-this-keyword-come-from

Previous

Exploring the Abyss of Null and Undefined in JavaScript

Mobile-Friendly Mapping for PhoneGap Apps

Next

11 thoughts on “Demystifying this in JavaScript”

  1. Is there any functional reason for using self = this instead of .bind, or vice versa? Assuming you have a shim for .bind, I can only imagine using one or the other for preference (company, personal, team, etc.) reasons only. Would you agree?

    • var self = this was idiomatic javascript code (along with _this, that, and other variations). I think Crockford used var that = this in Javascript: The Good Parts.

      The reason .bind isn’t seen all the time is because IE8 and a few other browsers do not support it. If you are not targeting older browsers, I would bet .bind will become the faster choice over time.

  2. consoling out the global scope windows made everything inclear… why didnt you use an object scope to clarify what happens??? everything looks the same to an untrained eye :\

  3. I have a solid understand of ‘this’, however I’m still lost on the more confusing, advanced examples. This writeup started out really strong and then got too heady towards the end. Some stepping stones between examples & final points would be nice.

  4. Using a variable in the parent scope like “self” in your last example is my preferred approach too for its readbility, but you have to know that it requires an extra lookup, which is typically slower than injecting the context with a param like so:
    function retaining () {
    var self = this;
    return (function (a) {
    return a;
    }(self));
    }
    retaining();

  5. Make it clear that ‘this’ behaves exactly the same way even when the function is inherited from further up in the prototype chain.
    As in, when calling an object’s method, even if the method is inherited, ‘this’ will point to the inheriting object.
    Direct invocation still points to ‘window’

Comments are closed.