Objects Flashcards
Empty Object
An empty object (“empty cabinet”) can be created using one of two syntaxes:
let user = new Object(); // “object constructor” syntax
let user = {}; // “object literal” syntax
Key Value pairs
Colonised Key Value pairs Comma Separated
let user = { // an object
name: “John”, // by key “name” store value “John”
age: 30 // by key “age” store value 30
};
alert( user.name ); // John
Values can be of any Javascript primitive type like boolean, string integer etc
To remove a property, we can use the delete operator:
delete user.age;
Property exists test
let user = { name: “John”, age: 30 };
alert( “age” in user ); // true, user.age exists
for…in loop
for (key in object) {
// executes the body for each key among object properties
}
Object method this
let user = {
name: “John”,
age: 30,
sayHi() {
// “this” is the “current object”
alert(this.name);
}
};
user.sayHi(); // John
this is not bound
In JavaScript, keyword this behaves unlike most other programming languages. It can be used in any function, even if it’s not a method of an object.
function sayHi() {
alert( this.name );
}
The value of this is evaluated during the run-time, depending on the context.
let user = { name: “John” };
let admin = { name: “Admin” };
function sayHi() {
alert( this.name );
}
// use the same function in two objects
user.f = sayHi;
admin.f = sayHi;
// these calls have different this
// “this” inside the function is the object “before the dot”
user.f(); // John (this == user)
admin.f(); // Admin (this == admin)
this undefined
function sayHi() {
alert(this);
}
sayHi(); // undefined
Arrows and this
Arrow functions are special: they don’t have their “own” this. If we reference this from such a function, it’s taken from the outer “normal” function.
let user = {
firstName: “Ilya”,
sayHi() {
let arrow = () => alert(this.firstName);
arrow();
}
};
user.sayHi(); // Ilya
Constructor Function
Constructor functions technically are regular functions. There are two conventions though:
They are named with capital letter first.
They should be executed only with “new” operator.
function User(name) {
this.name = name;
this.isAdmin = false;
}
let user = new User(“Jack”);
Constructor Return Type
Usually, constructors do not have a return statement. Their task is to write all necessary stuff into this, and it automatically becomes the result.
You can override it to return an object though, but that may not be a good practice.