-
Notifications
You must be signed in to change notification settings - Fork 64
/
Copy path32.chaining-in-javascript.js
41 lines (32 loc) · 1.02 KB
/
32.chaining-in-javascript.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
/*
Chaining: repeatedly calling one method on another method in a continuous line of code.
Reference:
1. http://javascriptissexy.com/beautiful-javascript-easily-create-chainable-cascading-methods-for-expressiveness/
2. https://schier.co/blog/2013/11/14/method-chaining-in-javascript.html
*/
// Example in jQuery
$(".container").css("background", "#000").height().fadeIn(fast);
// Example in JS
// Creating a class
var Car = function(name) {
this.name = name;
this.model = "";
this.price = "";
};
// Adding methods to its prototype
Car.prototype.setModel = function(modelName) {
this.model = modelName;
return this; // By returning `this`, we can chain our methods
}
Car.prototype.setPrice = function(price) {
this.price = price;
return this;
}
Car.prototype.save = function() {
console.log("Saving the car details...");
return this;
}
var myCar = new Car("Gokul");
// accessing the methods via chaining
myCar.setModel("Benz").setPrice("1CR").save();
console.log(myCar); // {name: "Gokul", model: "Benz", price: "1CR"}