Classes and Objects - Object Oriented JavaScript
... And then the skeptics went to the Ancient Coder and asked, "How can JavaScript be a great language? It doesn’t even support OOP" ... The Old One, sitting in his pose of meditation on top of Mt. Himalayas, smiled calmly and said to them, "Go, read Barick’s Blog ..."
So, to obey the Old Meditator, I am writing this blog, to give you a glimpse of JavaScript’s OOP capabilities.
Warning
We are talking about pre-ES6 world... So, no "Class" keyword...
Actually, anyone can create a class with that special keyword, cleverly named, "Class". But what's really interesting is how we can do it in JavaScript using function. Yeah, you heard (read) it right, JavaScript mimics the functionality of a "Class" by its all powerful "function". So, let's create a "Student" class in JavaScript using "Function" and see how it is done.
Tips
Type the code below in Browser Console and compare the results. Browser console is probably the only tool you will ever need throughout your JavaScript programming career to quickly run any JS code to debug/study or just to clear a concept. Open your favorite browser in your computer (I recommend Google Chrome) and hit F12. See Console there? Here you can write and test/practice JavaScript code. Write/Copy paste the JavaScript code there and hit enter to see the results.
Let the Code Speak
GithubBitbucket
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
/* Let's define an Student Class */ | |
function Student(name) { | |
/* "var" keyword inside a class makes a variable PRIVATE */ | |
var name = name; | |
var roll = 0; /* Let's initialize the roll no. to 0 */ | |
/* Let's define a public variable */ | |
this.section = 'A'; /* This can be accessed directly, no getter/setter needed */ | |
/* prefixing "this" makes a field public */ | |
this.getName = function() { | |
return name; | |
}; | |
this.setRoll = function(num) { | |
/* let's say if anyone tries to se a negative roll number, we prevent it... */ | |
if (num > 0) { | |
roll = num; | |
} | |
}; | |
this.getRoll = function() { | |
return roll; | |
}; | |
} | |
/* Now let's create a student */ | |
var pritam = new Student("Pritam Das"); | |
/* Create another student */ | |
var dan = new Student("Dan Paul"); |
But the roll number has both getter and setter, so that we can modify it anytime using those...
Now let's type the following in browser console and see what happens...
Chrome Console provides Intellisense
If you start typing something in Chrome console, it will suggest you probable options to help what you are looking for. Try it with the objects we just created (refer to the screenshot below for help...)


Hope you enjoyed it...
Any question/suggestion/correction? Let me know in the comments below...
Comments
Post a Comment