KEMBAR78
Learn JavaScript - Objects Cheatsheet - Codecademy | PDF | Java Script | Parameter (Computer Programming)
0% found this document useful (0 votes)
14K views7 pages

Learn JavaScript - Objects Cheatsheet - Codecademy

1. JavaScript object key names must be strings or valid identifiers, and cannot contain special characters like spaces or hyphens unless enclosed in quotation marks. 2. The properties of an object can be accessed using dot notation. 3. Objects allow the storing of key-value pairs where values can be of any type.

Uploaded by

hevin nichola
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
14K views7 pages

Learn JavaScript - Objects Cheatsheet - Codecademy

1. JavaScript object key names must be strings or valid identifiers, and cannot contain special characters like spaces or hyphens unless enclosed in quotation marks. 2. The properties of an object can be accessed using dot notation. 3. Objects allow the storing of key-value pairs where values can be of any type.

Uploaded by

hevin nichola
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 7

Cheatsheets / Learn JavaScript

Objects
Restrictions in Naming Properties
JavaScript object key names must adhere to some
restrictions to be valid. Key names must either be // Example of invalid key names
strings or valid identifier or variable names (i.e. special const trainSchedule = {
characters such as - are not allowed in key names   platform num: 10, // Invalid because of
that are not strings).
the space between words.
  40 - 10 + 2: 30, // Expressions cannot
be keys.
  +compartment: 'C' // The use of a +
sign is invalid unless it is enclosed in
quotations.
}

Dot Notation for Accessing Object Properties


Properties of a JavaScript object can be accessed
using the dot notation in this manner: const apple = {
object.propertyName . Nested properties of an object   color: 'Green',
can be accessed by chaining key names in the correct   price: {
order.     bulk: '$3/kg',
    smallQty: '$4/kg'
  }
};
console.log(apple.color); // 'Green'
console.log(apple.price.bulk); // '$3/kg'

Objects
An object is a built-in data type for storing key-value
pairs. Data inside objects are unordered, and the values
can be of any type.

Accessing non-existent JavaScript properties


When trying to access a JavaScript object property
that has not been defined yet, the value of undefined const classElection = {
will be returned by default.   date: 'January 12'
};

console.log(classElection.place); //
undefined
JavaScript Objects are Mutable
JavaScript objects are mutable, meaning their contents
can be changed, even when they are declared as const student = {
const . New properties can be added, and existing   name: 'Sheldon',
property values can be changed or deleted.   score: 100,
It is the reference to the object, bound to the variable,   grade: 'A',
that cannot be changed.
}

console.log(student)
// { name: 'Sheldon', score: 100, grade:
'A' }

delete student.score
student.grade = 'F'
console.log(student)
// { name: 'Sheldon', grade: 'F' }

student = {}
// TypeError: Assignment to constant
variable.

JavaScript for...in loop


The JavaScript for...in loop can be used to iterate
over the keys of an object. In each iteration, one of the let mobile = {
properties from the object is assigned to the variable of   brand: 'Samsung',
that loop.   model: 'Galaxy Note 9'
};

for (let key in mobile) {


  console.log(`${key}: ${mobile[key]}`);
}

Properties and values of a JavaScript object


A JavaScript object literal is enclosed with curly braces
{} . Values are mapped to keys in the object with a const classOf2018 = {
colon ( : ), and the key-value pairs are separated by   students: 38,
commas. All the keys are unique, but values are not.   year: 2018
Key-value pairs of an object are also referred to as }
properties.
Delete operator
Once an object is created in JavaScript, it is possible to
remove properties from the object using the delete const person = {
operator. The delete keyword deletes both the value   firstName: "Matilda",
of the property and the property itself from the object.   age: 27,
The delete operator only works on properties, not on   hobby: "knitting",
variables or functions.
  goal: "learning JavaScript"
};

delete person.hobby; // or delete


person[hobby];

console.log(person);
/*
{
  firstName: "Matilda"
  age: 27
  goal: "learning JavaScript"
}
*/
    

javascript passing objects as arguments


When JavaScript objects are passed as arguments to
functions or methods, they are passed by reference, const origNum = 8;
not by value. This means that the object itself (not a const origObj = {color: 'blue'};
copy) is accessible and mutable (can be changed) inside
that function.
const changeItUp = (num, obj) => {
  num = 7;
  obj.color = 'red';
};

changeItUp(origNum, origObj);

// Will output 8 since integers are


passed by value.
console.log(origNum);

// Will output 'red' since objects are


passed
// by reference and are therefore
mutable.
console.log(origObj.color);
JavaScript Object Methods
JavaScript objects may have property values that are
functions. These are referred to as object methods. const engine = {
Methods may be defined using anonymous arrow   // method shorthand, with one argument
function expressions, or with shorthand method syntax.   start(adverb) {
Object methods are invoked with the syntax:
    console.log(`The engine starts up
objectName.methodName(arguments) .
${adverb}...`);
  },  
  // anonymous arrow function expression
with no arguments
  sputter: () => {
    console.log('The engine
sputters...');
  },
};

engine.start('noisily');
engine.sputter();

/* Console output:
The engine starts up noisily...
The engine sputters...
*/

this Keyword
The reserved keyword this refers to a method’s
calling object, and it can be used to access properties const cat = {
belonging to that object.   name: 'Pipey',
Here, using the this keyword inside the object   age: 8,
function to refer to the cat object and access its   whatName() {
name property.
    return this.name  
  }
};

console.log(cat.whatName());
// Output: Pipey
javascript function this
Every JavaScript function or method has a this
context. For a function defined inside of an object, const restaurant = {
this will refer to that object itself. For a function   numCustomers: 45,
defined outside of an object, this will refer to the   seatCapacity: 100,
global object ( window in a browser, global in Node.js).   availableSeats() {
    // this refers to the restaurant
object
    // and it's used to access its
properties
    return this.seatCapacity
- this.numCustomers;
  }
}

JavaScript Arrow Function this Scope


JavaScript arrow functions do not have their own this
context, but use the this of the surrounding lexical const myObj = {
context. Thus, they are generally a poor choice for     data: 'abc',
writing object methods.     loggerA: () =>
Consider the example code:
{ console.log(this.data); },
loggerA is a property that uses arrow notation to
    loggerB() { console.log(this.data);
define the function. Since data does not exist in the
},
global context, accessing this.data returns
};
undefined .
loggerB uses method syntax. Since this refers to the
enclosing object, the value of the data property is myObj.loggerA();    // undefined
accessed as expected, returning "abc" . myObj.loggerB();    // 'abc'
javascript getters and setters restricted
JavaScript object properties are not private or
protected. Since JavaScript objects are passed by const myCat = {
reference, there is no way to fully prevent incorrect   _name: 'Dottie',
interactions with object properties.   get name() {
One way to implement more restricted interactions     return this._name;  
with object properties is to use getter and setter
  },
methods.
  set name(newName) {
Typically, the internal value is stored as a property with
    this._name = newName;  
an identifier that matches the getter and setter method
names, but begins with an underscore ( _ ).   }
};

// Reference invokes the getter


console.log(myCat.name);

// Assignment invokes the setter


myCat.name = 'Yankee';

getters and setters intercept property access


JavaScript getter and setter methods are helpful in part
because they offer a way to intercept property access const myCat = {
and assignment, and allow for additional actions to be   _name: 'Snickers',
performed before these changes go into effect.   get name(){
    return this._name
  },
  set name(newName){
    //Verify that newName is a non-empty
string before setting as name property
    if (typeof newName === 'string' &&
newName.length > 0){
      this._name = newName;
    } else {
      console.log("ERROR: name must be
a non-empty string");
    }
  }
}
javascript factory functions
A JavaScript function that returns an object is known as
a factory function. Factory functions often accept // A factory function that accepts
parameters in order to customize the returned object. 'name',
// 'age', and 'breed' parameters to
return
// a customized dog object.
const dogFactory = (name, age, breed) =>
{
  return {
    name: name,
    age: age,
    breed: breed,
    bark() {
      console.log('Woof!');  
    }
  };
};

JavaScript destructuring assignment shorthand syntax


The JavaScript destructuring assignment is a shorthand
syntax that allows object properties to be extracted const rubiksCubeFacts = {
into specific variable values.   possiblePermutations:
It uses a pair of curly braces ( {} ) with property names '43,252,003,274,489,856,000',
on the left-hand side of an assignment to extract values   invented: '1974',
from objects. The number of variables can be less than
  largestCube: '17x17x17'
the total properties of an object.
};
const {possiblePermutations, invented,
largestCube} = rubiksCubeFacts;
console.log(possiblePermutations); //
'43,252,003,274,489,856,000'
console.log(invented); // '1974'
console.log(largestCube); // '17x17x17'

shorthand property name syntax for object creation


The shorthand property name syntax in JavaScript
allows creating objects without explicitly specifying the const activity = 'Surfing';
property names (ie. explicitly declaring the value after const beach = { activity };
the key). In this process, an object is created where the console.log(beach); // { activity:
property names of that object match variables which 'Surfing' }
already exist in that context. Shorthand property names
populate an object with a key matching the identifier
and a value matching the identifier’s value.

You might also like