KEMBAR78
JAVASCRIPT | PDF | Parameter (Computer Programming) | Boolean Data Type
0% found this document useful (0 votes)
4K views65 pages

JAVASCRIPT

The document provides an introduction to the two JavaScript runtime environments: 1. A browser's runtime environment, where JavaScript code is executed in a browser. This provides access to browser APIs like window.alert(). 2. The Node runtime environment, which enables executing JavaScript code without a browser for backend applications. This provides access to server filesystems, databases, and networks. The two environments provide different global objects and functionality depending on whether the code is meant for frontend or backend applications.

Uploaded by

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

JAVASCRIPT

The document provides an introduction to the two JavaScript runtime environments: 1. A browser's runtime environment, where JavaScript code is executed in a browser. This provides access to browser APIs like window.alert(). 2. The Node runtime environment, which enables executing JavaScript code without a browser for backend applications. This provides access to server filesystems, databases, and networks. The two environments provide different global objects and functionality depending on whether the code is meant for frontend or backend applications.

Uploaded by

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

Introduction to JavaScript Runtime Environments

An introduction to the Node runtime environment and a browser’s runtime


environment.

What is a Runtime Environment?


A runtime environment is where your program will be executed. It determines what
global objects your program can access and it can also impact how it runs. This article
covers the two JavaScript runtime environments:

1. the runtime environment of a browser (like Chrome, or Firefox)


2. the Node runtime environment

A Browser’s Runtime Environment


The most common place where JavaScript code is executed is in a browser. For
example, using any text editor, you could create a file on your own computer
called my_website.html and put the following HTML code inside:

<!-- my_website.html -->


<html>
<body>
<h1> My Website </h1>
<script> window.alert('Hello World'); </script>
</body>
</html>

Save your file, then open your favorite browser. Most browsers will allow you to load
websites that you have created locally by going to the menu File > Open File
> my_website.html.

Upon loading, the embedded <script></script> will execute and


the window.alert() method will create a pop-up box in your browser with the
text "Hello World". How is this possible? Where did the window.alert() method come
from and how can it control your browser?
The answer is that you are executing this code in the browser’s runtime environment.
The window.alert() method is built into this environment and any program executed in
a browser has access to this method. In fact, the window object provides access to a
huge amount of data and functionality relating to the open browser window beyond
just .alert().
Try replacing window.alert() with window.prompt() or window.confirm()
Applications created for and executed in the browser are known as front-
end applications. For a long time, JavaScript code could only be executed in a browser
and was used exclusively for creating front-end applications. In order to create back-
end applications that could run on a computer WITHOUT a browser, you would need to
use other programming languages such as Java or PHP.
The Node Runtime Environment
In 2009, the Node runtime environment was created for the purpose of executing
JavaScript code without a browser, thus enabling programmers to create full-
stack (front-end and back-end) applications using only the JavaScript language.

Node is an entirely different runtime environment, meaning that browser-environment


data values and functions, like window.alert(), can’t be used. Instead, the Node runtime
environment gives back-end applications access to a variety of features unavailable in a
browser, such as access to the server’s file system, database, and network.
For example, suppose you created a file called my-app.js. We can check to see the
directory that this file is located in using the Node runtime environment
variable process:
// my-app.js
console.log(process.env.PWD);

Notice that we are using console.log now instead of window.alert() since the window
object isn’t available
process is an object containing data relating to the JavaScript file being
executed. process.env is an object containing environment variables such
as process.env.PWD which contains the current working directory (and stands for
“Print Working Directory”).
To execute the JavaScript code in this file, first make sure that you have set up Node on
your computer. Then, open up a terminal and run the following command:

$ node my-app.js
/path/to/working/directory

The node command tells your computer to execute the my-app.js file in the Node
environment. You can also use the node command without a file argument to open up
the Node Read-Eval-Print-Loop (REPL):
$ node
> process.env.HOME
'/home/ccuser'

Summary
A runtime environment is where your program will be executed. JavaScript code may be
executed in one of two runtime environments:

1. a browser’s runtime environment


2. the Node runtime environment

In each of these environments, different data values and functions are available, and
these differences help distinguish front-end applications from back-end applications.

 Front-end JavaScript applications are executed in a browser’s runtime


environment and have access to the window object.
 Back-end JavaScript applications are executed in the Node runtime environment
and have access to the file system, databases, and networks attached to the
server.

Console

The console is a panel that displays important messages, like errors, for developers.
Much of the work the computer does with our code is invisible to us by default. If we
want to see things appear on our screen, we can print, or log, to our console directly.

In JavaScript, the console keyword refers to an object, a collection of data and actions,
that we can use in our code. Keywords are words that are built into the JavaScript
language, so the computer recognizes them and treats them specially.

One action, or method, that is built into the console object is the .log() method. When
we write console.log() what we put inside the parentheses will get printed, or logged, to
the console.

It’s going to be very useful for us to print values to the console, so we can see the work
that we’re doing.

console.log(5);

This example logs 5 to the console. The semicolon denotes the end of the line, or
statement. Although in JavaScript your code will usually run as intended without a
semicolon, we recommend learning the habit of ending each statement with a
semicolon so you never leave one out in the few instances when they are required.

Comments

Programming is often highly collaborative. In addition, our own code can quickly
become difficult to understand when we return to it— sometimes only an hour later!
For these reasons, it’s often useful to leave notes in our code for other developers or
ourselves.

As we write JavaScript, we can write comments in our code that the computer will
ignore as our program runs. These comments exist just for human readers.

Comments can explain what the code is doing, leave instructions for developers using
the code, or add any other useful annotations.

There are two types of code comments in JavaScript:

1. A single line comment will comment out a single line and is denoted with two
forward slashes // preceding it.
// Prints 5 to the console
console.log(5);

You can also use a single line comment to comment after a line of code:

console.log(5); // Prints 5

2. A multi-line comment will comment out multiple lines and is denoted with /* to
begin the comment, and */ to end the comment.

/*
This is all commented
console.log(10);
None of this is going to run!
console.log(99);
*/

You can also use this syntax to comment something out in the middle of a line of code:

console.log(/*IGNORED!*/ 5); // Still just prints 5

Data Types

Data types are the classifications we give to the different kinds of data that we use in
programming. In JavaScript, there are eight fundamental data types:

 Number: Any number, including numbers with decimals: 4, 8, 1516, 23.42.

 BigInt: Any number, greater than 253-1 or less than -(253-1), with n appended to
the number: 1234567890123456n.

 String: Any grouping of characters on your keyboard (letters, numbers, spaces,


symbols, etc.) surrounded by single quotes: ' ... ' or double quotes " ... ", though
we prefer single quotes. Some people like to think of string as a fancy word for
text.

 Boolean: This data type only has two possible values—


either true or false (without quotes). It’s helpful to think of booleans as on and
off switches or as the answers to a “yes” or “no” question.

 Null: This data type represents the intentional absence of a value, and is
represented by the keyword null (without quotes).

 Undefined: This data type is denoted by the keyword undefined (without quotes).
It also represents the absence of a value though it has a different use
than null. undefined means that a given value does not exist.
 Symbol: A newer feature to the language, symbols are unique identifiers, useful
in more complex coding. No need to worry about these for now.

 Object: Collections of related data.

The first 7 of those types are considered primitive data types. They are the most basic
data types in the language. Objects are more complex, and you’ll learn much more
about them as you progress through JavaScript. At first, eight types may not seem like
that many, but soon you’ll observe the world opens with possibilities once you start
leveraging each one. As you learn more about objects, you’ll be able to create complex
collections of data.

But before we do that, let’s get comfortable with strings and numbers!

console.log('Location of Codecademy headquarters: 575 Broadway, New York City');


console.log(40);

In the example above, we first printed a string. Our string isn’t just a single word; it
includes both capital and lowercase letters, spaces, and punctuation.

Next, we printed the number 40, notice we did not use quotes.

Arithmetic Operators

Basic arithmetic often comes in handy when programming.

An operator is a character that performs a task in our code. JavaScript has several built-
in arithmetic operators, that allow us to perform mathematical calculations on numbers.
These include the following operators and their corresponding symbols:

1. Add: +

2. Subtract: -

3. Multiply: *

4. Divide: /

5. Remainder: %

The first four work how you might guess:

console.log(3 + 4); // Prints 7


console.log(5 - 1); // Prints 4
console.log(4 * 2); // Prints 8
console.log(9 / 3); // Prints 3
Note that when we console.log() the computer will evaluate the expression inside the
parentheses and print that result to the console. If we wanted to print the characters 3 +
4, we would wrap them in quotes and print them as a string.

console.log(11 % 3); // Prints 2


console.log(12 % 3); // Prints 0

The remainder operator, sometimes called modulo, returns the number that remains
after the right-hand number divides into the left-hand number as many times as it
evenly can: 11 % 3 equals 2 because 3 fits into 11 three times, leaving 2 as the
remainder.

String Concatenation

Operators aren’t just for numbers! When a + operator is used on two strings, it appends
the right string to the left string:

console.log('hi' + 'ya'); // Prints 'hiya'


console.log('wo' + 'ah'); // Prints 'woah'
console.log('I love to ' + 'code.')
// Prints 'I love to code.'

This process of appending one string to another is called concatenation. Notice in the
third example we had to make sure to include a space at the end of the first string. The
computer will join the strings exactly, so we needed to make sure to include the space
we wanted between the two strings.

console.log('front ' + 'space');


// Prints 'front space'
console.log('back' + ' space');
// Prints 'back space'
console.log('no' + 'space');
// Prints 'nospace'
console.log('middle' + ' ' + 'space');
// Prints 'middle space'

Just like with regular math, we can combine, or chain, our operations to get a final
result:

console.log('One' + ', ' + 'two' + ', ' + 'three!');


// Prints 'One, two, three!'

Properties

When you introduce a new piece of data into a JavaScript program, the browser saves it
as an instance of the data type. All data types have access to specific properties that are
passed down to each instance. For example, every string instance has a property
called length that stores the number of characters in that string. You can retrieve
property information by appending the string with a period and the property name:

console.log('Hello'.length); // Prints 5

The . is another operator! We call it the dot operator.

In the example above, the value saved to the length property is retrieved from the
instance of the string, 'Hello'. The program prints 5 to the console, because Hello has
five characters in it.

Methods

Remember that methods are actions we can perform. Data types have access to specific
methods that allow us to handle instances of that data type. JavaScript provides a
number of string methods.

We call, or use, these methods by appending an instance with:

 a period (the dot operator)

 the name of the method

 opening and closing parentheses

E.g. 'example string'.methodName().

Does that syntax look a little familiar? When we use console.log() we’re calling
the .log() method on the console object. Let’s see console.log() and some real string
methods in action!

console.log('hello'.toUpperCase()); // Prints 'HELLO'


console.log('Hey'.startsWith('H')); // Prints true

Let’s look at each of the lines above:

 On the first line, the .toUpperCase() method is called on the string instance 'hello'.
The result is logged to the console. This method returns a string in all capital
letters: 'HELLO'.

 On the second line, the .startsWith() method is called on the string instance 'Hey'.
This method also accepts the character 'H' as an input, or argument, between
the parentheses. Since the string 'Hey' does start with the letter 'H', the method
returns the boolean true.

You can find a list of built-in string methods in the JavaScript documentation.
Developers use documentation as a reference tool. It describes JavaScript’s keywords,
methods, and syntax.
Built-in Objects

In addition to console, there are other objects built into JavaScript. Down the line, you’ll
build your own objects, but for now these “built-in” objects are full of useful
functionality.

For example, if you wanted to perform more complex mathematical operations than
arithmetic, JavaScript has the built-in Math object.

The great thing about objects is that they have methods! Let’s call
the .random() method from the built-in Math object:

console.log(Math.random()); // Prints a random number between 0 and 1

In the example above, we called the .random() method by appending the object name
with the dot operator, the name of the method, and opening and closing parentheses.
This method returns a random number between 0 (inclusive) and 1 (exclusive).

To generate a random number between 0 and 50, we could multiply this result by 50,
like so:

Math.random() * 50;

The example above will likely evaluate to a decimal. To ensure the answer is a whole
number, we can take advantage of another useful Math method called Math.floor().

Math.floor() takes a decimal number, and rounds down to the nearest whole number.
You can use Math.floor() to round down a random number like this:

Math.floor(Math.random() * 50);

In this case:

1. Math.random() generates a random number between 0 and 1.

2. We then multiply that number by 50, so now we have a number between 0 and
50.

3. Then, Math.floor() rounds the number down to the nearest whole number.

If you wanted to see the number printed to the terminal, you would still need to use
a console.log() statement:

console.log(Math.floor(Math.random() * 50)); // Prints a random whole number between 0 and


50
To see all of the properties and methods on the Math object, take a look at the
documentation here.

Variables

In programming, a variable is a container for a value. You can think of variables


as little containers for information that live in a computer’s memory. Information
stored in variables, such as a username, account number, or even personalized
greeting can then be found in memory.

Variables also provide a way of labeling data with a descriptive name, so our
programs can be understood more clearly by the reader and ourselves.

In short, variables label and store data in memory. There are only a few things
you can do with variables:

1. Create a variable with a descriptive name.


2. Store or update information stored in a variable.
3. Reference or “get” information stored in a variable.

It is important to distinguish that variables are not values; they contain values
and represent them with a name. Observe the diagram with the colored boxes.
Each box represents variables; the values are represented by the content, and
the name is represented with the label.

In this lesson, we will cover how to use the var, let, and const keywords to create
variables.

Create a Variable: var

There were a lot of changes introduced in the ES6 version of JavaScript in 2015.
One of the biggest changes was two new keywords, let and const, to create,
or declare, variables. Prior to the ES6, programmers could only use
the var keyword to declare variables.

var myName = 'Arya';


console.log(myName);
// Output: Arya

Let’s consider the example above:

1. var, short for variable, is a JavaScript keyword that creates, or declares, a


new variable.
2. myName is the variable’s name. Capitalizing in this way is a standard
convention in JavaScript called camel casing. In camel casing you group
words into one, the first word is lowercase, then every word that follows
will have its first letter uppercased. (e.g. camelCaseEverything).
3. = is the assignment operator. It assigns the value ('Arya') to the variable
(myName).
4. 'Arya' is the value assigned (=) to the variable myName. You can also say
that the myName variable is initialized with a value of 'Arya'.
5. After the variable is declared, the string value 'Arya' is printed to the
console by referencing the variable name: console.log(myName).

There are a few general rules for naming variables:

 Variable names cannot start with numbers.


 Variable names are case sensitive, so myName and myname would be
different variables. It is bad practice to create two variables that have the
same name using different cases.
 Variable names cannot be the same as keywords. For a comprehensive list
of keywords check out MDN’s keyword documentation.

In the next exercises, we will learn why ES6’s let and const are the preferred
variable keywords by many programmers. Because there is still a ton of code
written prior to ES6, it’s helpful to be familiar with the pre-ES6 var keyword.

If you want to learn more about var and the quirks associated with it, check out
the MDN var documentation.

Create a Variable: let

As mentioned in the previous exercise, the let keyword was introduced in ES6.
The let keyword signals that the variable can be reassigned a different value. Take a
look at the example:

let meal = 'Enchiladas';


console.log(meal); // Output: Enchiladas
meal = 'Burrito';
console.log(meal); // Output: Burrito

Another concept that we should be aware of when using let (and even var) is that we
can declare a variable without assigning the variable a value. In such a case, the variable
will be automatically initialized with a value of undefined:

let price;
console.log(price); // Output: undefined
price = 350;
console.log(price); // Output: 350

Notice in the example above:

 If we don’t assign a value to a variable declared using the let keyword, it


automatically has a value of undefined.

 We can reassign the value of the variable.

Create a Variable: const

The const keyword was also introduced in ES6, and is short for the word constant. Just
like with var and let you can store any value in a const variable. The way you declare
a const variable and assign a value to it follows the same structure as let and var. Take a
look at the following example:

const myName = 'Gilberto';


console.log(myName); // Output: Gilberto

However, a const variable cannot be reassigned because it is constant. If you try to


reassign a const variable, you’ll get a TypeError.

Constant variables must be assigned a value when declared. If you try to declare
a const variable without a value, you’ll get a SyntaxError.

If you’re trying to decide between which keyword to use, let or const, think about
whether you’ll need to reassign the variable later on. If you do need to reassign the
variable use let, otherwise, use const.

Mathematical Assignment Operators

Let’s consider how we can use variables and math operators to calculate new values
and assign them to a variable. Check out the example below:

let w = 4;
w = w + 1;

console.log(w); // Output: 5

In the example above, we created the variable w with the number 4 assigned to it. The
following line, w = w + 1, increases the value of w from 4 to 5.
Another way we could have reassigned w after performing some mathematical
operation on it is to use built-in mathematical assignment operators. We could re-write
the code above to be:

let w = 4;
w += 1;

console.log(w); // Output: 5

In the second example, we used the += assignment operator to reassign w. We’re


performing the mathematical operation of the first operator + using the number to the
right, then reassigning w to the computed value.

We also have access to other mathematical assignment operators: -=, *=, and /= which
work in a similar fashion.

let x = 20;
x -= 5; // Can be written as x = x - 5
console.log(x); // Output: 15

let y = 50;
y *= 2; // Can be written as y = y * 2
console.log(y); // Output: 100

let z = 8;
z /= 2; // Can be written as z = z / 2
console.log(z); // Output: 4

The Increment and Decrement Operator

Other mathematical assignment operators include the increment operator (++)


and decrement operator (--).

The increment operator will increase the value of the variable by 1. The decrement
operator will decrease the value of the variable by 1. For example:

let a = 10;
a++;
console.log(a); // Output: 11

let b = 20;
b--;
console.log(b); // Output: 19

Just like the previous mathematical assignment operators (+=, -=, *=, /=), the variable’s
value is updated and assigned as the new value of that variable.

String Concatenation with Variables


In previous exercises, we assigned strings to variables. Now, let’s go over how to
connect, or concatenate, strings in variables.

The + operator can be used to combine two string values even if those values are being
stored in variables:

let myPet = 'armadillo';


console.log('I own a pet ' + myPet + '.');
// Output: 'I own a pet armadillo.'

In the example above, we assigned the value 'armadillo' to the myPet variable. On the
second line, the + operator is used to combine three strings: 'I own a pet', the value
saved to myPet, and '.'. We log the result of this concatenation to the console as:

I own a pet armadillo.

String Interpolation

In the ES6 version of JavaScript, we can insert, or interpolate, variables into strings
using template literals. Check out the following example where a template literal is used
to log strings together:

const myPet = 'armadillo';


console.log(`I own a pet ${myPet}.`);
// Output: I own a pet armadillo.

Notice that:

 a template literal is wrapped by backticks ` (this key is usually located on the top
of your keyboard, left of the 1 key).

 Inside the template literal, you’ll see a placeholder, ${myPet}. The value
of myPet is inserted into the template literal.

 When we interpolate `I own a pet ${myPet}.`, the output we print is the string: 'I
own a pet armadillo.'

One of the biggest benefits to using template literals is the readability of the code.
Using template literals, you can more easily tell what the new string will be. You also
don’t have to worry about escaping double quotes or single quotes.

typeof operator

While writing code, it can be useful to keep track of the data types of the variables in
your program. If you need to check the data type of a variable’s value, you can use
the typeof operator.
The typeof operator checks the value to its right and returns, or passes back, a string of
the data type.

const unknown1 = 'foo';


console.log(typeof unknown1); // Output: string

const unknown2 = 10;


console.log(typeof unknown2); // Output: number

const unknown3 = true;


console.log(typeof unknown3); // Output: boolean

Let’s break down the first example. Since the value unknown1 is 'foo', a string, typeof
unknown1 will return 'string'.

If Statement

We often perform a task based on a condition. For example, if the weather is nice
today, then we will go outside. If the alarm clock rings, then we’ll shut it off. If we’re
tired, then we’ll go to sleep.

In programming, we can also perform a task based on a condition using


an if statement:

if (true) {
console.log('This message will print!');
}
// Prints: This message will print!

Notice in the example above, we have an if statement. The if statement is composed of:

 The if keyword followed by a set of parentheses () which is followed by a code


block, or block statement, indicated by a set of curly braces {}.

 Inside the parentheses (), a condition is provided that evaluates to true or false.

 If the condition evaluates to true, the code inside the curly braces {} runs,
or executes.

 If the condition evaluates to false, the block won’t execute.

If...Else Statements
In the previous exercise, we used an if statement that checked a condition to decide
whether or not to run a block of code. In many cases, we’ll have code we want to run if
our condition evaluates to false.

If we wanted to add some default behavior to the if statement, we can add


an else statement to run a block of code when the condition evaluates to false. Take a
look at the inclusion of an else statement:

if (false) {
console.log('The code in this block will not run.');
} else {
console.log('But the code in this block will!');
}

// Prints: But the code in this block will!

An else statement must be paired with an if statement, and together they are referred
to as an if...else statement.

In the example above, the else statement:

 Uses the else keyword following the code block of an if statement.

 Has a code block that is wrapped by a set of curly braces {}.

 The code inside the else statement code block will execute when
the if statement’s condition evaluates to false.

if...else statements allow us to automate solutions to yes-or-no questions, also known


as binary decisions.

Comparison Operators

When writing conditional statements, sometimes we need to use different types of


operators to compare values. These operators are called comparison operators.

Here is a list of some handy comparison operators and their syntax:

 Less than: <

 Greater than: >

 Less than or equal to: <=

 Greater than or equal to: >=

 Is equal to: ===


 Is not equal to: !==

Comparison operators compare the value on the left with the value on the right. For
instance:

10 < 12 // Evaluates to true

It can be helpful to think of comparison statements as questions. When the answer is


“yes”, the statement evaluates to true, and when the answer is “no”, the statement
evaluates to false. The code above would be asking: is 10 less than 12? Yes! So 10 <
12 evaluates to true.

We can also use comparison operators on different data types like strings:

'apples' === 'oranges' // false

In the example above, we’re using the identity operator (===) to check if the
string 'apples' is the same as the string 'oranges'. Since the two strings are not the same,
the comparison statement evaluates to false.

All comparison statements evaluate to either true or false and are made up of:

 Two values that will be compared.

 An operator that separates the values and compares them accordingly


(>, <, <=,>=,===,!==).

Logical Operators

Working with conditionals means that we will be using booleans, true or false values. In
JavaScript, there are operators that work with boolean values known as logical
operators. We can use logical operators to add more sophisticated logic to our
conditionals. There are three logical operators:

 the and operator (&&)

 the or operator (||)

 the not operator, otherwise known as the bang operator (!)

When we use the && operator, we are checking that two things are true:

if (stopLight === 'green' && pedestrians === 0) {


console.log('Go!');
} else {
console.log('Stop');
}

When using the && operator, both conditions must evaluate to true for the entire
condition to evaluate to true and execute. Otherwise, if either condition is false,
the && condition will evaluate to false and the else block will execute.

If we only care about either condition being true, we can use the || operator:

if (day === 'Saturday' || day === 'Sunday') {


console.log('Enjoy the weekend!');
} else {
console.log('Do some work.');
}

When using the || operator, only one of the conditions must evaluate to true for the
overall statement to evaluate to true. In the code example above, if either day ===
'Saturday' or day === 'Sunday' evaluates to true the if‘s condition will evaluate to true and
its code block will execute. If the first condition in an || statement evaluates to true, the
second condition won’t even be checked. Only if day === 'Saturday' evaluates
to false will day === 'Sunday' be evaluated. The code in the else statement above will
execute only if both comparisons evaluate to false.

The ! not operator reverses, or negates, the value of a boolean:

let excited = true;


console.log(!excited); // Prints false

let sleepy = false;


console.log(!sleepy); // Prints true

Essentially, the ! operator will either take a true value and pass back false, or it will take
a false value and pass back true.

Logical operators are often used in conditional statements to add another layer of logic
to our code.

Truthy and Falsy

Let’s consider how non-boolean data types, like strings or numbers, are evaluated when
checked inside a condition.

Sometimes, you’ll want to check if a variable exists and you won’t necessarily want it to
equal a specific value — you’ll only check to see if the variable has been assigned a
value.

Here’s an example:

let myVariable = 'I Exist!';


if (myVariable) {
console.log(myVariable)
} else {
console.log('The variable does not exist.')
}

The code block in the if statement will run because myVariable has a truthy value; even
though the value of myVariable is not explicitly the value true, when used in a boolean
or conditional context, it evaluates to true because it has been assigned a non-falsy
value.

So which values are falsy— or evaluate to false when checked as a condition? The list of
falsy values includes:

 0

 Empty strings like "" or ''

 null which represent when there is no value at all

 undefined which represent when a declared variable lacks a value

 NaN, or Not a Number

Here’s an example with numbers:

let numberOfApples = 0;

if (numberOfApples){
console.log('Let us eat apples!');
} else {
console.log('No apples left!');
}

// Prints 'No apples left!'

The condition evaluates to false because the value of the numberOfApples is 0. Since 0 is
a falsy value, the code block in the else statement will run.

Truthy and Falsy Assignment

Truthy and falsy evaluations open a world of short-hand possibilities!

Say you have a website and want to take a user’s username to make a personalized
greeting. Sometimes, the user does not have an account, making the username variable
falsy. The code below checks if username is defined and assigns a default string if it is
not:
let username = '';
let defaultName;

if (username) {
defaultName = username;
} else {
defaultName = 'Stranger';
}

console.log(defaultName); // Prints: Stranger

If you combine your knowledge of logical operators you can use a short-hand for the
code above. In a boolean condition, JavaScript assigns the truthy value to a variable if
you use the || operator in your assignment:

let username = '';


let defaultName = username || 'Stranger';

console.log(defaultName); // Prints: Stranger

Because || or statements check the left-hand condition first, the variable defaultName will
be assigned the actual value of username if it is truthy, and it will be assigned the value
of 'Stranger' if username is falsy. This concept is also referred to as short-circuit
evaluation.

Ternary Operator

In the spirit of using short-hand syntax, we can use a ternary operator to simplify
an if...else statement.

Take a look at the if...else statement example:

let isNightTime = true;

if (isNightTime) {
console.log('Turn on the lights!');
} else {
console.log('Turn off the lights!');
}

We can use a ternary operator to perform the same functionality:

isNightTime ? console.log('Turn on the lights!') : console.log('Turn off the lights!');

In the example above:

 The condition, isNightTime, is provided before the ?.

 Two expressions follow the ? and are separated by a colon :.


 If the condition evaluates to true, the first expression executes.

 If the condition evaluates to false, the second expression executes.

Like if...else statements, ternary operators can be used for conditions which evaluate
to true or false.

Else If Statements

We can add more conditions to our if...else with an else if statement. The else
if statement allows for more than two possible outcomes. You can add as many else
if statements as you’d like, to make more complex conditionals!

The else if statement always comes after the if statement and before the else statement.
The else if statement also takes a condition. Let’s take a look at the syntax:

let stopLight = 'yellow';

if (stopLight === 'red') {


console.log('Stop!');
} else if (stopLight === 'yellow') {
console.log('Slow down.');
} else if (stopLight === 'green') {
console.log('Go!');
} else {
console.log('Caution, unknown!');
}

The else if statements allow you to have multiple possible outcomes. if/else
if/else statements are read from top to bottom, so the first condition that evaluates
to true from the top to bottom is the block that gets executed.

In the example above, since stopLight === 'red' evaluates to false and stopLight ===
'yellow' evaluates to true, the code inside the first else if statement is executed. The rest
of the conditions are not evaluated. If none of the conditions evaluated to true, then the
code in the else statement would have executed.

The switch keyword

else if statements are a great tool if we need to check multiple conditions. In


programming, we often find ourselves needing to check multiple values and handling
each of them differently. For example:

let groceryItem = 'papaya';

if (groceryItem === 'tomato') {


console.log('Tomatoes are $0.49');
} else if (groceryItem === 'papaya'){
console.log('Papayas are $1.29');
} else {
console.log('Invalid item');
}

In the code above, we have a series of conditions checking for a value that matches
a groceryItem variable. Our code works fine, but imagine if we needed to check 100
different values! Having to write that many else if statements sounds like a pain!

A switch statement provides an alternative syntax that is easier to read and write.
A switch statement looks like this:

let groceryItem = 'papaya';

switch (groceryItem) {
case 'tomato':
console.log('Tomatoes are $0.49');
break;
case 'lime':
console.log('Limes are $1.49');
break;
case 'papaya':
console.log('Papayas are $1.29');
break;
default:
console.log('Invalid item');
break;
}

// Prints 'Papayas are $1.29'

 The switch keyword initiates the statement and is followed by ( ... ), which
contains the value that each case will compare. In the example, the value or
expression of the switch statement is groceryItem.

 Inside the block, { ... }, there are multiple cases. The case keyword checks if the
expression matches the specified value that comes after it. The value following
the first case is 'tomato'. If the value of groceryItem equalled 'tomato',
that case‘s console.log() would run.

 The value of groceryItem is 'papaya', so the third case runs— Papayas are $1.29 is
logged to the console.

 The break keyword tells the computer to exit the block and not execute any
more code or check any other cases inside the code block. Note:
Without break keywords, the first matching case will run, but so will every
subsequent case regardless of whether or not it matches—including the default.
This behavior is different from if/else conditional statements that execute only
one block of code.
 At the end of each switch statement, there is a default statement. If none of
the cases are true, then the code in the default statement will run.

What are Functions?

When first learning how to calculate the area of a rectangle, there’s a sequence
of steps to calculate the correct answer:

1. Measure the width of the rectangle.


2. Measure the height of the rectangle.
3. Multiply the width and height of the rectangle.

With practice, you can calculate the area of the rectangle without being
instructed with these three steps every time.

We can calculate the area of one rectangle with the following code:

const width = 10;


const height = 6;
const area = width * height;
console.log(area); // Output: 60

Imagine being asked to calculate the area of three different rectangles:

// Area of the first rectangle


const width1 = 10;
const height1 = 6;
const area1 = width1 * height1;

// Area of the second rectangle


const width2 = 4;
const height2 = 9;
const area2 = width2 * height2;

// Area of the third rectangle


const width3 = 10;
const height3 = 10;
const area3 = width3 * height3;

In programming, we often use code to perform a specific task multiple times.


Instead of rewriting the same code, we can group a block of code together and
associate it with one task, then we can reuse that block of code whenever we
need to perform the task again. We achieve this by creating a function. A
function is a reusable block of code that groups together a sequence of
statements to perform a specific task.
Function Declarations

In JavaScript, there are many ways to create a function. One way to create a
function is by using a function declaration. Just like how a variable declaration
binds a value to a variable name, a function declaration binds a function to a
name, or an identifier. Take a look at the anatomy of a function declaration
below:

A function declaration consists of:

 The function keyword.


 The name of the function, or its identifier, followed by parentheses.
 A function body, or the block of statements required to perform a
specific task, enclosed in the function’s curly brackets, { }.

A function declaration is a function that is bound to an identifier, or name. In


the next exercise we’ll go over how to run the code inside the function body.

We should also be aware of the hoisting feature in JavaScript which allows


access to function declarations before they’re defined.

Take a look at example of hoisting:

greetWorld(); // Output: Hello, World!

function greetWorld() {
console.log('Hello, World!');
}

Notice how hoisting allowed greetWorld() to be called before


the greetWorld() function was defined! Since hoisting isn’t considered good
practice, we simply want you to be aware of this feature.

If you want to read more about hoisting, check out MDN documentation on
hoisting.
Calling a Function

As we saw in previous exercises, a function declaration binds a function to an


identifier.

However, a function declaration does not ask the code inside the function body
to run, it just declares the existence of the function. The code inside a function
body runs, or executes, only when the function is called.

To call a function in your code, you type the function name followed by
parentheses.

This function call executes the function body, or all of the statements between
the curly braces in the function declaration.

We can call the same function as many times as needed.

Parameters and Arguments

So far, the functions we’ve created execute a task without an input. However,
some functions can take inputs and use the inputs to perform a task. When
declaring a function, we can specify its parameters. Parameters allow functions
to accept input(s) and perform a task using the input(s). We use parameters as
placeholders for information that will be passed to the function when it is called.

Let’s observe how to specify parameters in our function declaration:


In the diagram above, calculateArea(), computes the area of a rectangle, based
on two inputs, width and height. The parameters are specified between the
parenthesis as width and height, and inside the function body, they act just like
regular variables. width and height act as placeholders for values that will be
multiplied together.

When calling a function that has parameters, we specify the values in the
parentheses that follow the function name. The values that are passed to the
function when it is called are called arguments. Arguments can be passed to the
function as values or variables.

In the function call above, the number 10 is passed as the width and 6 is passed
as height. Notice that the order in which arguments are passed and assigned
follows the order that the parameters are declared.

The variables rectWidth and rectHeight are initialized with the values for the
height and width of a rectangle before being used in the function call.

By using parameters, calculateArea() can be reused to compute the area of any


rectangle! Functions are a powerful tool in computer programming so let’s
practice creating and calling functions with parameters.

Default Parameters
One of the features added in ES6 is the ability to use default parameters. Default
parameters allow parameters to have a predetermined value in case there is no
argument passed into the function or if the argument is undefined when called.

Take a look at the code snippet below that uses a default parameter:

function greeting (name = 'stranger') {


console.log(`Hello, ${name}!`)
}

greeting('Nick') // Output: Hello, Nick!


greeting() // Output: Hello, stranger!

 In the example above, we used the = operator to assign the parameter name a
default value of 'stranger'. This is useful to have in case we ever want to include a
non-personalized default greeting!
 When the code calls greeting('Nick') the value of the argument is passed in
and, 'Nick', will override the default parameter of 'stranger' to log 'Hello, Nick!' to
the console.
 When there isn’t an argument passed into greeting(), the default value
of 'stranger' is used, and 'Hello, stranger!' is logged to the console.

By using a default parameter, we account for situations when an argument isn’t passed
into a function that is expecting an argument.

Return

When a function is called, the computer will run through the function’s code
and evaluate the result. By default, the resulting value is undefined.

function rectangleArea(width, height) {


let area = width * height;
}
console.log(rectangleArea(5, 7)) // Prints undefined

In the code example, we defined our function to calculate the area of


a width and height parameter. Then rectangleArea() is invoked with the
arguments 5 and 7. But when we went to print the results we got undefined. Did
we write our function wrong? No! In fact, the function worked fine, and the
computer did calculate the area as 35, but we didn’t capture it. So how can we
do that? With the keyword return!
To pass back information from the function call, we use a return statement. To
create a return statement, we use the return keyword followed by the value that
we wish to return. Like we saw above, if the value is omitted, undefined is
returned instead.

When a return statement is used in a function body, the execution of the


function is stopped and the code that follows it will not be executed. Look at the
example below:

function rectangleArea(width, height) {


if (width < 0 || height < 0) {
return 'You need positive integers to calculate area!';
}
return width * height;
}

If an argument for width or height is less than 0, then rectangleArea() will


return 'You need positive integers to calculate area!'. The second return
statement width * height will not run.

The return keyword is powerful because it allows functions to produce an output.


We can then save the output to a variable for later use.

Helper Functions

We can also use the return value of a function inside another function. These functions
being called within another function are often referred to as helper functions. Since
each function is carrying out a specific task, it makes our code easier to read and debug
if necessary.

If we wanted to define a function that converts the temperature from Celsius to


Fahrenheit, we could write two functions like:

function multiplyByNineFifths(number) {
return number * (9/5);
};

function getFahrenheit(celsius) {
return multiplyByNineFifths(celsius) + 32;
};

getFahrenheit(15); // Returns 59

In the example above:


 getFahrenheit() is called and 15 is passed as an argument.

 The code block inside of getFahrenheit() calls multiplyByNineFifths() and


passes 15 as an argument.

 multiplyByNineFifths() takes the argument of 15 for the number parameter.

 The code block inside of multiplyByNineFifths() function multiplies 15 by (9/5),


which evaluates to 27.

 27 is returned back to the function call in getFahrenheit().

 getFahrenheit() continues to execute. It adds 32 to 27, which evaluates to 59.

 Finally, 59 is returned back to the function call getFahrenheit(15).

We can use functions to section off small bits of logic or tasks, then use them when we
need to. Writing helper functions can help take large and difficult tasks and break them
into smaller and more manageable tasks.

Function Expressions

Another way to define a function is to use a function expression. To define a


function inside an expression, we can use the function keyword. In a function
expression, the function name is usually omitted. A function with no name is
called an anonymous function. A function expression is often stored in a variable
in order to refer to it.

Consider the following function expression:

To declare a function expression:

1. Declare a variable to make the variable’s name be the name, or identifier,


of your function. Since the release of ES6, it is common practice to
use const as the keyword to declare the variable.
2. Assign as that variable’s value an anonymous function created by using
the function keyword followed by a set of parentheses with possible
parameters. Then a set of curly braces that contain the function body.
To invoke a function expression, write the name of the variable in which the
function is stored followed by parentheses enclosing any arguments being
passed into the function.

variableName(argument1, argument2)

Unlike function declarations, function expressions are not hoisted so they


cannot be called before they are defined.

Arrow Functions

ES6 introduced arrow function syntax, a shorter way to write functions by using the
special “fat arrow” () => notation.

Arrow functions remove the need to type out the keyword function every time you need
to create a function. Instead, you first include the parameters inside the ( ) and then
add an arrow => that points to the function body surrounded in { } like this:

const rectangleArea = (width, height) => {


let area = width * height;
return area;
};

It’s important to be familiar with the multiple ways of writing functions because you will
come across each of these when reading other JavaScript code.

Concise Body Arrow Functions

JavaScript also provides several ways to refactor arrow function syntax. The most
condensed form of the function is known as concise body. We’ll explore a few of these
techniques below:

1. Functions that take only a single parameter do not need that parameter to be
enclosed in parentheses. However, if a function takes zero or multiple
parameters, parentheses are required.

2. A function body composed of a single-line block does not need curly braces.
Without the curly braces, whatever that line evaluates will be automatically
returned. The contents of the block should immediately follow the arrow => and
the return keyword can be removed. This is referred to as implicit return.
So if we have a function:

const squareNum = (num) => {


return num * num;
};

We can refactor the function to:

const squareNum = num => num * num;

Notice the following changes:

 The parentheses around num have been removed, since it has a single
parameter.

 The curly braces { } have been removed since the function consists of a single-
line block.

 The return keyword has been removed since the function consists of a single-line
block.

Scope

An important idea in programming is scope. Scope defines where variables can be


accessed or referenced. While some variables can be accessed from anywhere within a
program, other variables may only be available in a specific context.

You can think of scope like the view of the night sky from your window. Everyone who
lives on the planet Earth is in the global scope of the stars. The stars are
accessible globally. Meanwhile, if you live in a city, you may see the city skyline or the
river. The skyline and river are only accessible locally in your city, but you can still see
the stars that are available globally.

Blocks and Scope

Before we talk more about scope, we first need to talk about blocks.

We’ve seen blocks used before in functions and if statements. A block is the code
found inside a set of curly braces {}. Blocks help us group one or more statements
together and serve as an important structural marker for our code.
A block of code could be a function, like this:

const logSkyColor = () => {


let color = 'blue';
console.log(color); // blue
}

Notice that the function body is actually a block of code.

Observe the block in an if statement:

if (dusk) {
let color = 'pink';
console.log(color); // pink
}

Global Scope

Scope is the context in which our variables are declared. We think about scope in
relation to blocks because variables can exist either outside of or within these blocks.

In global scope, variables are declared outside of blocks. These variables are
called global variables. Because global variables are not bound inside a block, they can
be accessed by any code in the program, including code in blocks.

Let’s take a look at an example of global scope:

const color = 'blue';

const returnSkyColor = () => {


return color; // blue
};

console.log(returnSkyColor()); // blue

 Even though the color variable is defined outside of the block, it can be
accessed in the function block, giving it global scope.

 In turn, color can be accessed within the returnSkyColor function block.

Block Scope
The next context we’ll cover is block scope. When a variable is defined inside a block, it
is only accessible to the code within the curly braces {}. We say that variable has block
scope because it is only accessible to the lines of code within that block.

Variables that are declared with block scope are known as local variables because they
are only available to the code that is part of the same block.

Block scope works like this:

const logSkyColor = () => {


let color = 'blue';
console.log(color); // Prints "blue"
};

logSkyColor(); // Prints "blue"


console.log(color); // throws a ReferenceError

You’ll notice:

 We define a function logSkyColor().

 Within the function, the color variable is only available within the curly braces of
the function.

 If we try to log the same variable outside the function, it throws a ReferenceError.

Scope Pollution

It may seem like a great idea to always make your variables accessible, but having too
many global variables can cause problems in a program.

When you declare global variables, they go to the global namespace. The global
namespace allows the variables to be accessible from anywhere in the program. These
variables remain there until the program finishes which means our global namespace
can fill up really quickly.

Scope pollution is when we have too many global variables that exist in the global
namespace, or when we reuse variables across different scopes. Scope pollution makes
it difficult to keep track of our different variables and sets us up for potential accidents.
For example, globally scoped variables can collide with other variables that are more
locally scoped, causing unexpected behavior in our code.

Let’s look at an example of scope pollution in practice so we know how to avoid it:

let num = 50;

const logNum = () => {


num = 100; // Take note of this line of code
console.log(num);
};
logNum(); // Prints 100
console.log(num); // Prints 100

You’ll notice:

 We have a variable num.

 Inside the function body of logNum(), we want to declare a new variable but
forgot to use the let keyword.

 When we call logNum(), num gets reassigned to 100.

 The reassignment inside logNum() affects the global variable num.

 Even though the reassignment is allowed and we won’t get an error, if we


decided to use num later, we’ll unknowingly use the new value of num.

While it’s important to know what global scope is, it’s best practice to not define
variables in the global scope.

Practice Good Scoping

Given the challenges with global variables and scope pollution, we should follow best
practices for scoping our variables as tightly as possible using block scope.

Tightly scoping your variables will greatly improve your code in several ways:

 It will make your code more legible since the blocks will organize your code into
discrete sections.

 It makes your code more understandable since it clarifies which variables are
associated with different parts of the program rather than having to keep track
of them line after line!

 It’s easier to maintain your code, since your code will be modular.

 It will save memory in your code because it will cease to exist after the block
finishes running.

Here’s another example of how block scope works, as defined within an if block:

const logSkyColor = () => {


const dusk = true;
let color = 'blue';
if (dusk) {
let color = 'pink';
console.log(color); // Prints "pink"
}
console.log(color); // Prints "blue"
};

console.log(color); // throws a ReferenceError

Here, you’ll notice:

 We create a variable color inside the logSkyColor() function.

 After the if statement, we define a new code block with the {} braces. Here we
assign a new value to the variable color if the if statement is truthy.

 Within the if block, the color variable holds the value 'pink', though outside
the if block, in the function body, the color variable holds the value 'blue'.

 On the last line, we attempt to print the value of color outside both
the if statement and the definition of logSkyColor(). This will throw
a ReferenceError since color only exists within the scope of those two blocks — it
is never defined in the global scope.

 While we use block scope, we still pollute our namespace by reusing the same
variable name twice. A better practice would be to rename the variable inside
the block.

Block scope is a powerful tool in JavaScript, since it allows us to define variables with
precision, and not pollute the global namespace. If a variable does not need to exist
outside a block— it shouldn’t!

Arrays

Organizing and storing data is a foundational concept of programming.

One way we organize data in real life is by making lists. Let’s make one here:

New Year's Resolutions:

1. Keep a journal
2. Take a falconry class
3. Learn to juggle
Let’s now write this list in JavaScript, as an array:

let newYearsResolutions = ['Keep a journal', 'Take a falconry class', 'Learn to juggle'];

Arrays are JavaScript’s way of making lists. Arrays can store any data types (including
strings, numbers, and booleans). Like lists, arrays are ordered, meaning each item has a
numbered position.
Here’s an array of the concepts we’ll cover:

let concepts = ['creating arrays', 'array structures', 'array manipulation'];

Create an Array

One way we can create an array is to use an array literal. An array literal creates an
array by wrapping items in square brackets []. Remember from the previous exercise,
arrays can store any data type — we can have an array that holds all the same data
types or an array that holds different data types.

Let’s take a closer look at the syntax in the array example:

 The array is represented by the square brackets [] and the content inside.
 Each content item inside an array is called an element.
 There are three different elements inside the array.
 Each element inside the array is a different data type.

We can also save an array to a variable. You may have noticed we did this in the
previous exercise:

let newYearsResolutions = ['Keep a journal', 'Take a falconry class', 'Learn to juggle'];

Accessing Elements

Each element in an array has a numbered position known as its index. We can access
individual items using their index, which is similar to referencing an item in a list based
on the item’s position.

Arrays in JavaScript are zero-indexed, meaning the positions start counting


from 0 rather than 1. Therefore, the first item in an array will be at position 0. Let’s see
how we could access an element in an array:
In the code snippet above:

 cities is an array that has three elements.


 We’re using bracket notation, [] with the index after the name of the array to
access the element.
 cities[0] will access the element at index 0 in the array cities. You can think
of cities[0] as accessing the space in memory that holds the string 'New York'.

You can also access individual characters in a string using bracket notation and the
index. For instance, you can write:

const hello = 'Hello World';


console.log(hello[6]);
// Output: W

The console will display W since it is the character that is at index 6.

Update Elements

In the previous exercise, you learned how to access elements inside an array or a string
by using an index. Once you have access to an element in an array, you can update its
value.

let seasons = ['Winter', 'Spring', 'Summer', 'Fall'];

seasons[3] = 'Autumn';
console.log(seasons);
//Output: ['Winter', 'Spring', 'Summer', 'Autumn']

In the example above, the seasons array contained the names of the four seasons.

However, we decided that we preferred to say 'Autumn' instead of 'Fall'.

The line, seasons[3] = 'Autumn'; tells our program to change the item at index 3 of
the seasons array to be 'Autumn' instead of what is already there.
Arrays with let and const

You may recall that you can declare variables with both the let and const keywords.
Variables declared with let can be reassigned.

Variables declared with the const keyword cannot be reassigned. However, elements in
an array declared with const remain mutable. Meaning that we can change the contents
of a const array, but cannot reassign a new array or a different value.

The .length property

One of an array’s built-in properties is length and it returns the number of items in the
array. We access the .length property just like we do with strings. Check the example
below:

const newYearsResolutions = ['Keep a journal', 'Take a falconry class'];

console.log(newYearsResolutions.length);
// Output: 2

In the example above, we log newYearsResolutions.length to the console using the


following steps:

 We use dot notation, chaining a period with the property name to the array, to
access the length property of the newYearsResolutions array.

 Then we log the length of newYearsResolution to the console.

 Since newYearsResolution has two elements, 2 would be logged to the console.

When we want to know how many elements are in an array, we can access
the .length property.

The .push() Method

One method, .push(), allows us to add items to the end of an array. Here is an example
of how this is used:

const itemTracker = ['item 0', 'item 1', 'item 2'];

itemTracker.push('item 3', 'item 4');

console.log(itemTracker);
// Output: ['item 0', 'item 1', 'item 2', 'item 3', 'item 4'];
So, how does .push() work?

 We access the push method by using dot notation,


connecting push to itemTracker with a period.

 Then we call it like a function. That’s because .push() is a function and one that
JavaScript allows us to use right on an array.

 .push() can take a single argument or multiple arguments separated by commas.


In this case, we’re adding two elements: 'item 3' and 'item 4' to itemTracker.

 Notice that .push() changes, or mutates, itemTracker. You might also


see .push() referred to as a destructive array method since it changes the initial
array.

If you’re looking for a method that will mutate an array by adding elements to it,
then .push() is the method for you!

The .pop() Method

Another array method, .pop(), removes the last item of an array.

const newItemTracker = ['item 0', 'item 1', 'item 2'];

const removed = newItemTracker.pop();

console.log(newItemTracker);
// Output: [ 'item 0', 'item 1' ]
console.log(removed);
// Output: item 2

 In the example above, calling .pop() on the newItemTracker array removed item
2 from the end.

 .pop() does not take any arguments, it simply removes the last element
of newItemTracker.

 .pop() returns the value of the last element. In the example, we store the
returned value in a variable removed to be used for later.

 .pop() is a method that mutates the initial array.

When you need to mutate an array by removing the last element, use .pop().
More Array Methods

There are many more array methods than just .push() and .pop(). You can read about
these array methods on the Docs entry for JavaScript Arrays.

.pop() and .push() mutate the array on which they’re called. However, there are times
that we don’t want to mutate the original array and we can use non-mutating array
methods. Be sure to check the Docs to understand the behavior of the method you are
using.

Some arrays methods that are available to JavaScript developers


include: .join(), .slice(), .splice(), .shift(), .unshift(), and .concat() amongst many others.
Using these built-in methods makes it easier to do some common tasks when working
with arrays.

Arrays and Functions

Throughout the lesson we went over arrays being mutable, or changeable. Well what
happens if we try to change an array inside a function? Does the array keep the change
after the function call or is it scoped to inside the function?

Take a look at the following example where we call .push() on an array inside a function.
Recall, the .push() method mutates, or changes, an array:

const flowers = ['peony', 'daffodil', 'marigold'];

function addFlower(arr) {
arr.push('lily');
}

addFlower(flowers);

console.log(flowers); // Output: ['peony', 'daffodil', 'marigold', 'lily']

Let’s go over what happened in the example:

 The flowers array that has 3 elements.

 The function addFlower() has a parameter of arr uses .push() to add


a 'lily' element into arr.

 We call addFlower() with an argument of flowers which will execute the code
inside addFlower.

 We check the value of flowers and it now includes the 'lily' element! The array
was mutated!
So when you pass an array into a function, if the array is mutated inside the function,
that change will be maintained outside the function as well. You might also see this
concept explained as pass-by-reference since what we’re actually passing to the
function is a reference to where the variable memory is stored and changing the
memory.

Nested Arrays

Earlier we mentioned that arrays can store other arrays. When an array contains another
array it is known as a nested array. Examine the example below:

const nestedArr = [[1], [2, 3]];

To access the nested arrays we can use bracket notation with the index value, just like
we did to access any other element:

const nestedArr = [[1], [2, 3]];

console.log(nestedArr[1]); // Output: [2, 3]

Notice that nestedArr[1] will grab the element in index 1 which is the array [2, 3]. Then, if
we wanted to access the elements within the nested array we can chain, or add on,
more bracket notation with index values.

const nestedArr = [[1], [2, 3]];

console.log(nestedArr[1]); // Output: [2, 3]


console.log(nestedArr[1][0]); // Output: 2

In the second console.log() statement, we have two bracket notations chained


to nestedArr. We know that nestedArr[1] is the array [2, 3]. Then to grab the first element
from that array, we use nestedArr[1][0] and we get the value of 2.

Loops

A loop is a programming tool that repeats a set of instructions until a specified


condition, called a stopping condition is reached. As a programmer, you’ll find that you
rely on loops all the time! You’ll hear the generic term iterate when referring to loops;
iterate simply means “to repeat”.

When we need to reuse a task in our code, we often bundle that action in a function.
Similarly, when we see that a process has to repeat multiple times in a row, we write a
loop. Loops allow us to create efficient code that automates processes to make
scalable, manageable programs.
As illustrated in the diagram, loops iterate or repeat an action until a specific condition
is met. When the condition is met, the loop stops and the computer moves on to the
next part of the program.

The For Loop

Instead of writing out the same code over and over, loops allow us to tell computers to
repeat a given block of code on its own. One way to give computers these instructions
is with a for loop.

The typical for loop includes an iterator variable that usually appears in all three
expressions. The iterator variable is initialized, checked against the stopping condition,
and assigned a new value on each loop iteration. Iterator variables can have any name,
but it’s best practice to use a descriptive variable name.

A for loop contains three expressions separated by ; inside the parentheses:

1. an initialization starts the loop and can also be used to declare the iterator
variable.

2. a stopping condition is the condition that the iterator variable is evaluated


against— if the condition evaluates to true the code block will run, and if it
evaluates to false the code will stop.

3. an iteration statement is used to update the iterator variable on each loop.

The for loop syntax looks like this:

for (let counter = 0; counter < 4; counter++) {


console.log(counter);
}

In this example, the output would be the following:

0
1
2
3

Let’s break down the example:

 The initialization is let counter = 0, so the loop will start counting at 0.

 The stopping condition is counter < 4, meaning the loop will run as long as the
iterator variable, counter, is less than 4.
 The iteration statement is counter++. This means after each loop, the value
of counter will increase by 1. For the first iteration counter will equal 0, for the
second iteration counter will equal 1, and so on.

 The code block is inside of the curly braces, console.log(counter), will execute
until the condition evaluates to false. The condition will be false when counter is
greater than or equal to 4 — the point that the condition becomes false is
sometimes called the stop condition.

This for loop makes it possible to write 0, 1, 2, and 3 programmatically.

Looping through Arrays

for loops are very handy for iterating over data structures. For example, we can use
a for loop to perform the same operation on each element on an array. Arrays hold lists
of data, like customer names or product information. Imagine we owned a store and
wanted to increase the price of every product in our catalog. That could be a lot of
repeating code, but by using a for loop to iterate through the array we could
accomplish this task easily.

To loop through each element in an array, a for loop should use the
array’s .length property in its condition.

Check out the example below to see how for loops iterate on arrays:

const animals = ['Grizzly Bear', 'Sloth', 'Sea Lion'];


for (let i = 0; i < animals.length; i++){
console.log(animals[i]);
}

This example would give you the following output:

Grizzly Bear
Sloth
Sea Lion

In the loop above, we’ve named our iterator variable i. This is a variable naming
convention you’ll see in a lot of loops. When we use i to iterate through arrays we can
think of it as being short-hand for the word index. Notice how our stopping condition
checks that i is less than animals.length. Remember that arrays are zero-indexed, the
index of the last element of an array is equivalent to the length of that array minus 1. If
we tried to access an element at the index of animals.length we will have gone too far!

With for loops, it’s easier for us to work with elements in arrays.
Nested Loops

When we have a loop running inside another loop, we call that a nested loop. One use
for a nested for loop is to compare the elements in two arrays. For each round of the
outer for loop, the inner for loop will run completely.

Let’s look at an example of a nested for loop:

const myArray = [6, 19, 20];


const yourArray = [19, 81, 2];
for (let i = 0; i < myArray.length; i++) {
for (let j = 0; j < yourArray.length; j++) {
if (myArray[i] === yourArray[j]) {
console.log('Both arrays have the number: ' + yourArray[j]);
}
}
}

Let’s think about what’s happening in the nested loop in our example. For each element
in the outer loop array, myArray, the inner loop will run in its entirety comparing the
current element from the outer array, myArray[i], to each element in the inner
array, yourArray[j]. When it finds a match, it prints a string to the console.

The While Loop

You’re doing great! We’re going to teach you about a different type of loop:
the while loop. To start, let’s convert a for loop into a while loop:

// A for loop that prints 1, 2, and 3


for (let counterOne = 1; counterOne < 4; counterOne++){
console.log(counterOne);
}

// A while loop that prints 1, 2, and 3


let counterTwo = 1;
while (counterTwo < 4) {
console.log(counterTwo);
counterTwo++;
}

Let’s break down what’s happening with our while loop syntax:

 The counterTwo variable is declared before the loop. We can access it inside
our while loop since it’s in the global scope.

 We start our loop with the keyword while followed by our stopping condition,
or test condition. This will be evaluated before each round of the loop. While the
condition evaluates to true, the block will continue to run. Once it evaluates
to false the loop will stop.

 Next, we have our loop’s code block which prints counterTwo to the console and
increments counterTwo.

What would happen if we didn’t increment counterTwo inside our block? If we didn’t
include this, counterTwo would always have its initial value, 1. That would mean the
testing condition counterTwo < 4 would always evaluate to true and our loop would
never stop running! Remember, this is called an infinite loop and it’s something we
always want to avoid. Infinite loops can take up all of your computer’s processing
power potentially freezing your computer.

So you may be wondering when to use a while loop! The syntax of a while loop is ideal
when we don’t know in advance how many times the loop should run. Think of eating
like a while loop: when you start taking bites, you don’t know the exact number you’ll
need to become full. Rather you’ll eat while you’re hungry. In situations when we want a
loop to execute an undetermined number of times, while loops are the best choice.

Do...While Statements

In some cases, you want a piece of code to run at least once and then loop based on a
specific condition after its initial run. This is where the do...while statement comes in.

A do...while statement says to do a task once and then keep doing it until a specified
condition is no longer met. The syntax for a do...while statement looks like this:

let countString = '';


let i = 0;

do {
countString = countString + i;
i++;
} while (i < 5);

console.log(countString);

In this example, the code block makes changes to the countString variable by appending
the string form of the i variable to it. First, the code block after the do keyword is
executed once. Then the condition is evaluated. If the condition evaluates to true, the
block will execute again. The looping stops when the condition evaluates to false.

Note that the while and do...while loop are different! Unlike the while loop, do...while will
run at least once whether or not the condition evaluates to true.

const firstMessage = 'I will print!';


const secondMessage = 'I will not print!';
// A do while with a stopping condition that evaluates to false
do {
console.log(firstMessage)
} while (true === false);

// A while loop with a stopping condition that evaluates to false


while (true === false){
console.log(secondMessage)
};

Do...While Statements

In some cases, you want a piece of code to run at least once and then loop based on a
specific condition after its initial run. This is where the do...while statement comes in.

A do...while statement says to do a task once and then keep doing it until a specified
condition is no longer met. The syntax for a do...while statement looks like this:

let countString = '';


let i = 0;

do {
countString = countString + i;
i++;
} while (i < 5);

console.log(countString);

In this example, the code block makes changes to the countString variable by appending
the string form of the i variable to it. First, the code block after the do keyword is
executed once. Then the condition is evaluated. If the condition evaluates to true, the
block will execute again. The looping stops when the condition evaluates to false.

Note that the while and do...while loop are different! Unlike the while loop, do...while will
run at least once whether or not the condition evaluates to true.

const firstMessage = 'I will print!';


const secondMessage = 'I will not print!';

// A do while with a stopping condition that evaluates to false


do {
console.log(firstMessage)
} while (true === false);

// A while loop with a stopping condition that evaluates to false


while (true === false){
console.log(secondMessage)
};

The for...of Loop


Introduction

A common task you will encounter when programming is iterating over arrays or array-
like objects. As a JavaScript programmer, you may already be familiar with the for loop.
This loop requires a counter, an iteration statement, and a stopping condition to
control looping. While powerful, the for loop can be a bit cumbersome to set up,
introduces room for errors, and could lead to difficult-to-read code.
As a remedy to some of the for loop’s shortcomings, the ES6 version of JavaScript
introduced the shorter and more concise for...of loop. This article will outline the
benefits of using for...of loops and walk through how to use a for...of loop to iterate
through arrays and strings.
for loop vs for…of loop

Here is an example of iterating over each element in an array using a


traditional for loop with an index variable:
const hobbies = ['singing', 'eating', 'quidditch', 'writing'];

for (let i = 0; i < hobbies.length; i++) {


console.log(`I enjoy ${hobbies[i]}.`);
}

And here is an example of iterating through the same array using a for...of loop:
const hobbies = ['singing', 'eating', 'quidditch', 'writing'];

for (const hobby of hobbies) {


console.log(`I enjoy ${hobby}.`);
}

Both examples print out the same thing:

I enjoy singing.
I enjoy eating.
I enjoy quidditch.
I enjoy writing.

Notice how the for...of loop has a simpler syntax which can be beneficial for code
readability, especially in larger and more complex applications.
Iterating Through an Array

One of the primary uses of the for...of loop is iterating through the items of an array.
Let’s breakdown the syntax with a new example:
const fruits = ['oranges', 'apples', 'grapes'];

for (const fruit of fruits) {


console.log(fruit);
}
Which prints out:

oranges
apples
grapes

Let’s break down the example:

In our code snippet, we have fruits, which is the array we want to iterate over.

We set up our for...of loop: for (const fruit of fruits) . This specifies that we will iterate
through the array (fruits) for each item (fruit) in the array.

1. The variable fruit is assigned a different value on each iteration of the loop. The
variable may be declared with the keywords: const, let, or var. You can name the
variable anything but it is helpful to use a name related to the iterable object. In
the example, notice the placeholder variable uses the singular form of a plural
array, fruit of fruits. Here are some other examples: person of
a people array, puppy of a puppies array, etc.
2. For each item in the array, we print the value to the console.
3. The loop will start with the first element of the array and stop on the last
element.
There is no need to set up additional variables to store an index with a for...of loop. The
loop will iterate over each element in the iterable object and terminate itself when it
reaches the last item — so you don’t need to track the number of items in the array. In
our example, we used an array, but for...of loops also work with strings, sets, and other
array-like objects.
Therefore, you should opt for a standard for loop if you need to access the indices or
need finer control to determine what elements you want to loop over.
Iterating Through a String
The for...of can also be used to iterate over strings. Here is an example:
const username = 'joe';

for (const char of username) {


console.log(char);
}

Which prints out:

j
o
e

Notice the similarities between iterating through a string and iterating through an
array. The for...of loop does not change in structure regardless of the iterable object
used.
Break and Continue
for...of has the advantage of setting up most of your loop parameters for you, but
sometimes it is necessary to reclaim some control of how iteration is managed. One
way of doing this is using JavaScript’s break and continue statements.
The break statement can be used to jump out of a loop. For example:
const strangeBirds = ['Shoebill', 'Cockatrice', 'Basan', 'Terrorbird','Parotia','Kakapo'];

for (const bird of strangeBirds) {


if (bird === 'Basan'){
break;
}
console.log(bird);
}

Will iterate through the array until it encounters the great mythical Basan, then it will
exit. This will print out:

Shoebill
Cockatrice

The continue statement is used to skip one iteration of the loop. For example:
const strangeBirds = ['Shoebill', 'Cockatrice', 'Basan', 'Cow', 'Terrorbird', 'Parotia', 'Kakapo'];

for (const bird of strangeBirds) {


if (bird === 'Cow'){
continue;
}
console.log(bird);
}

Will iterate through the array and print out every value except the suspected imposter:

Shoebill
Cockatrice
Basan
Terrorbird
Parotia
Kakapo

Use Case: for loop vs for…of loop

You might now be wondering, why use a for loop at all if a for...of loop is so much
simpler? Well, the for...of loop is not a complete replacement for the for loop. Take a
look at the following code snippet:
const nums = [1, 2, 3];

for (let i = nums.length - 1; i >= 0; i--) {


console.log(nums[i]);
}

console.log('Time is up!');

Which prints:
3
2
1
Time is up!

In the example above, we iterated through an array in reverse! You would not be able
to use a for...of loop to do the same thing. However, with a regular for loop, you have
access to indices of the elements, determine a stopping condition, and the ability to set
a counter. Keep these factors in mind when deciding what loop is right for your
circumstance.
Review

Congratulations! You have now been introduced to for...of and have successfully used it.
In this article, you have learned how to do the following:
Understand the benefits of for...of.
Create a for...of loop from scratch.
Use a for...of loop to iterate over characters in strings and elements in arrays.
Use break and continue to control looping in a for...of loop.
There are other for type loops in JavaScript that exist for different purposes, such
as for...in. Be careful to choose the correct type of loop for your situation. The next time
you need to iterate through an array, string, or array-like object and don’t need to
access the index, consider trying out for...of to keep your code succinct and readable.

Introduction to Objects

It’s time to learn more about the basic structure that permeates nearly every
aspect of JavaScript programming: objects.

You’re probably already more comfortable with objects than you think, because
JavaScript loves objects! Many components of the language are actually objects
under the hood, and even the parts that aren’t— like strings or numbers— can
still act like objects in some instances.

There are only seven fundamental data types in JavaScript, and six of those are
the primitive data types: string, number, boolean, null, undefined, and symbol.
With the seventh type, objects, we open our code to more complex possibilities.
We can use JavaScript objects to model real-world things, like a basketball, or
we can use objects to build the data structures that make the web possible.

At their core, JavaScript objects are containers storing related data and
functionality, but that deceptively simple task is extremely powerful in practice.
You’ve been using the power of objects all along, but now it’s time to
understand the mechanics of objects and start making your own!
Creating Object Literals

Objects can be assigned to variables just like any JavaScript type. We use curly
braces, {}, to designate an object literal:

let spaceship = {}; // spaceship is an empty object

We fill an object with unordered data. This data is organized into key-value
pairs. A key is like a variable name that points to a location in memory that
holds a value.

A key’s value can be of any data type in the language including functions or
other objects.

We make a key-value pair by writing the key’s name, or identifier, followed by a


colon and then the value. We separate each key-value pair in an object literal
with a comma (,). Keys are strings, but when we have a key that does not have
any special characters in it, JavaScript allows us to omit the quotation marks:

// An object literal with two key-value pairs


let spaceship = {
'Fuel Type': 'diesel',
color: 'silver'
};

The spaceship object has two properties Fuel Type and color. 'Fuel Type' has
quotation marks because it contains a space character.

Accessing Properties
There are two ways we can access an object’s property. Let’s explore the first
way— dot notation, ..

You’ve used dot notation to access the properties and methods of built-in
objects and data instances:

'hello'.length; // Returns 5

With property dot notation, we write the object’s name, followed by the dot
operator and then the property name (key):

let spaceship = {
homePlanet: 'Earth',
color: 'silver'
};
spaceship.homePlanet; // Returns 'Earth',
spaceship.color; // Returns 'silver',

If we try to access a property that does not exist on that object, undefined will be
returned.

spaceship.favoriteIcecream; // Returns undefined

Bracket Notation

The second way to access a key’s value is by using bracket notation, [ ].

You’ve used bracket notation when indexing an array:

['A', 'B', 'C'][0]; // Returns 'A'

To use bracket notation to access an object’s property, we pass in the property


name (key) as a string.
We must use bracket notation when accessing keys that have numbers, spaces,
or special characters in them. Without bracket notation in these situations, our
code would throw an error.

let spaceship = {
'Fuel Type': 'Turbo Fuel',
'Active Duty': true,
homePlanet: 'Earth',
numCrew: 5
};
spaceship['Active Duty']; // Returns true
spaceship['Fuel Type']; // Returns 'Turbo Fuel'
spaceship['numCrew']; // Returns 5
spaceship['!!!!!!!!!!!!!!!']; // Returns undefined

With bracket notation you can also use a variable inside the brackets to select
the keys of an object. This can be especially helpful when working with
functions:

let returnAnyProp = (objectName, propName) => objectName[propName];

returnAnyProp(spaceship, 'homePlanet'); // Returns 'Earth'

If we tried to write our returnAnyProp() function with dot notation


(objectName.propName) the computer would look for a key of 'propName' on our
object and not the value of the propName parameter.

Property Assignment

Once we’ve defined an object, we’re not stuck with all the properties we wrote. Objects
are mutable meaning we can update them after we create them!

We can use either dot notation, ., or bracket notation, [], and the assignment
operator, = to add new key-value pairs to an object or change an existing property.

One of two things can happen with property assignment:

 If the property already exists on the object, whatever value it held before will be
replaced with the newly assigned value.
 If there was no property with that name, a new property will be added to the
object.

It’s important to know that although we can’t reassign an object declared with const, we
can still mutate it, meaning we can add new properties and change the properties that
are there.

const spaceship = {type: 'shuttle'};


spaceship = {type: 'alien'}; // TypeError: Assignment to constant variable.
spaceship.type = 'alien'; // Changes the value of the type property
spaceship.speed = 'Mach 5'; // Creates a new key of 'speed' with a value of 'Mach 5'

You can delete a property from an object with the delete operator.

const spaceship = {
'Fuel Type': 'Turbo Fuel',
homePlanet: 'Earth',
mission: 'Explore the universe'
};

delete spaceship.mission; // Removes the mission property

Methods

When the data stored on an object is a function we call that a method. A property is
what an object has, while a method is what an object does.

Do object methods seem familiar? That’s because you’ve been using them all along! For
example console is a global JavaScript object and .log() is a method on that
object. Math is also a global JavaScript object and .floor() is a method on it.

We can include methods in our object literals by creating ordinary, colon-separated


key-value pairs. The key serves as our method’s name, while the value is an anonymous
function expression.

const alienShip = {
invade: function () {
console.log('Hello! We have come to dominate your planet. Instead of Earth, it shall be called
New Xaculon.')
}
};

With the new method syntax introduced in ES6 we can omit the colon and
the function keyword.

const alienShip = {
invade () {
console.log('Hello! We have come to dominate your planet. Instead of Earth, it shall be called
New Xaculon.')
}
};

Object methods are invoked by appending the object’s name with the dot operator
followed by the method name and parentheses:

alienShip.invade(); // Prints 'Hello! We have come to dominate your planet. Instead of Earth, it
shall be called New Xaculon.'

Nested Objects

In application code, objects are often nested— an object might have another object as
a property which in turn could have a property that’s an array of even more objects!

In our spaceship object, we want a crew object. This will contain all the crew members
who do important work on the craft. Each of those crew members are objects
themselves. They have properties like name, and degree, and they each have unique
methods based on their roles. We can also nest other objects in the spaceship such as
a telescope or nest details about the spaceship’s computers inside a
parent nanoelectronics object.

const spaceship = {
telescope: {
yearBuilt: 2018,
model: '91031-XLT',
focalLength: 2032
},
crew: {
captain: {
name: 'Sandra',
degree: 'Computer Engineering',
encourageTeam() { console.log('We got this!') }
}
},
engine: {
model: 'Nimbus2000'
},
nanoelectronics: {
computer: {
terabytes: 100,
monitors: 'HD'
},
'back-up': {
battery: 'Lithium',
terabytes: 50
}
}
};

We can chain operators to access nested properties. We’ll have to pay attention to
which operator makes sense to use in each layer. It can be helpful to pretend you are
the computer and evaluate each expression from left to right so that each operation
starts to feel a little more manageable.

spaceship.nanoelectronics['back-up'].battery; // Returns 'Lithium'

In the preceding code:

 First the computer evaluates spaceship.nanoelectronics, which results in an object


containing the back-up and computer objects.

 We accessed the back-up object by appending ['back-up'].

 The back-up object has a battery property, accessed with .battery which returned
the value stored there: 'Lithium'

Pass By Reference

Objects are passed by reference. This means when we pass a variable assigned to an
object into a function as an argument, the computer interprets the parameter name as
pointing to the space in memory holding that object. As a result, functions which
change object properties actually mutate the object permanently (even when the object
is assigned to a const variable).

const spaceship = {
homePlanet : 'Earth',
color : 'silver'
};

let paintIt = obj => {


obj.color = 'glorious gold'
};

paintIt(spaceship);

spaceship.color // Returns 'glorious gold'

Our function paintIt() permanently changed the color of our spaceship object. However,
reassignment of the spaceship variable wouldn’t work in the same way:

let spaceship = {
homePlanet : 'Earth',
color : 'red'
};
let tryReassignment = obj => {
obj = {
identified : false,
'transport type' : 'flying'
}
console.log(obj) // Prints {'identified': false, 'transport type': 'flying'}

};
tryReassignment(spaceship) // The attempt at reassignment does not work.
spaceship // Still returns {homePlanet : 'Earth', color : 'red'};

spaceship = {
identified : false,
'transport type': 'flying'
}; // Regular reassignment still works.

Let’s look at what happened in the code example:

 We declared this spaceship object with let. This allowed us to reassign it to a new
object with identified and 'transport type' properties with no problems.

 When we tried the same thing using a function designed to reassign the object
passed into it, the reassignment didn’t stick (even though calling console.log() on
the object produced the expected result).

 When we passed spaceship into that function, obj became a reference to the
memory location of the spaceship object, but not to the spaceship variable. This is
because the obj parameter of the tryReassignment() function is a variable in its
own right. The body of tryReassignment() has no knowledge of
the spaceship variable at all!

 When we did the reassignment in the body of tryReassignment(), the obj variable
came to refer to the memory location of the object {'identified' : false, 'transport
type' : 'flying'}, while the spaceship variable was completely unchanged from its
earlier value.

Looping Through Objects

Loops are programming tools that repeat a block of code until a condition is met. We
learned how to iterate through arrays using their numerical indexing, but the key-value
pairs in objects aren’t ordered! JavaScript has given us alternative solution for iterating
through objects with the for...in syntax .

for...in will execute a given block of code for each property in an object.

let spaceship = {
crew: {
captain: {
name: 'Lily',
degree: 'Computer Engineering',
cheerTeam() { console.log('You got this!') }
},
'chief officer': {
name: 'Dan',
degree: 'Aerospace Engineering',
agree() { console.log('I agree, captain!') }
},
medic: {
name: 'Clementine',
degree: 'Physics',
announce() { console.log(`Jets on!`) } },
translator: {
name: 'Shauna',
degree: 'Conservation Science',
powerFuel() { console.log('The tank is full!') }
}
}
};

// for...in
for (let crewMember in spaceship.crew) {
console.log(`${crewMember}: ${spaceship.crew[crewMember].name}`);
}

Our for...in will iterate through each element of the spaceship.crew object. In each
iteration, the variable crewMember is set to one of spaceship.crew‘s keys, enabling us to
log a list of crew members’ role and name.

Advanced Objects Introduction

Remember, objects in JavaScript are containers that store data and functionality. In this
lesson, we will build upon the fundamentals of creating objects and explore some
advanced concepts.

So if there are no objections, let’s learn more about objects!

In this lesson we will cover these topics:

 how to use the this keyword.

 conveying privacy in JavaScript methods.

 defining getters and setters in objects.

 creating factory functions.

 using destructuring techniques.

The this Keyword


Objects are collections of related data and functionality. We store that functionality in
methods on our objects:

const goat = {
dietType: 'herbivore',
makeSound() {
console.log('baaa');
}
};

In our goat object we have a .makeSound() method. We can invoke


the .makeSound() method on goat.

goat.makeSound(); // Prints baaa

Nice, we have a goat object that can print baaa to the console. Everything seems to be
working fine. What if we wanted to add a new method to our goat object
called .diet() that prints the goat‘s dietType?

const goat = {
dietType: 'herbivore',
makeSound() {
console.log('baaa');
},
diet() {
console.log(dietType);
}
};
goat.diet();
// Output will be "ReferenceError: dietType is not defined"

That’s strange, why is dietType not defined even though it’s a property of goat? That’s
because inside the scope of the .diet() method, we don’t automatically have access to
other properties of the goat object.

Here’s where the this keyword comes to the rescue. If we change the .diet() method to
use the this, the .diet() works! :

const goat = {
dietType: 'herbivore',
makeSound() {
console.log('baaa');
},
diet() {
console.log(this.dietType);
}
};

goat.diet();
// Output: herbivore

The this keyword references the calling object which provides access to the calling
object’s properties. In the example above, the calling object is goat and by
using this we’re accessing the goat object itself, and then the dietType property
of goat by using property dot notation.

Arrow Functions and this

We saw in the previous exercise that for a method, the calling object is the object the
method belongs to. If we use the this keyword in a method then the value of this is the
calling object. However, it becomes a bit more complicated when we start using arrow
functions for methods. Take a look at the example below:

const goat = {
dietType: 'herbivore',
makeSound() {
console.log('baaa');
},
diet: () => {
console.log(this.dietType);
}
};

goat.diet(); // Prints undefined

In the comment, you can see that goat.diet() would log undefined. So what happened?
Notice that the .diet() method is defined using an arrow function.

Arrow functions inherently bind, or tie, an already defined this value to the function
itself that is NOT the calling object. In the code snippet above, the value of this is
the global object, or an object that exists in the global scope, which doesn’t have
a dietType property and therefore returns undefined.

To read more about either arrow functions or the global object check out the MDN
documentation of the global object and arrow functions.

The key takeaway from the example above is to avoid using arrow functions when
using this in a method!

Privacy

Accessing and updating properties is fundamental in working with objects. However,


there are cases in which we don’t want other code simply accessing and updating an
object’s properties. When discussing privacy in objects, we define it as the idea that
only certain properties should be mutable or able to change in value.

Certain languages have privacy built-in for objects, but JavaScript does not have this
feature. Rather, JavaScript developers follow naming conventions that signal to other
developers how to interact with a property. One common convention is to place an
underscore _ before the name of a property to mean that the property should not be
altered. Here’s an example of using _ to prepend a property.

const bankAccount = {
_amount: 1000
}

In the example above, the _amount is not intended to be directly manipulated.

Even so, it is still possible to reassign _amount:

bankAccount._amount = 1000000;

In later exercises, we’ll cover the use of methods called getters and setters. Both
methods are used to respect the intention of properties prepended, or began, with _.
Getters can return the value of internal properties and setters can safely reassign
property values.

Getters

Getters are methods that get and return the internal properties of an object. But they
can do more than just retrieve the value of a property! Let’s take a look at a getter
method:

const person = {
_firstName: 'John',
_lastName: 'Doe',
get fullName() {
if (this._firstName && this._lastName){
return `${this._firstName} ${this._lastName}`;
} else {
return 'Missing a first name or a last name.';
}
}
}

// To call the getter method:


person.fullName; // 'John Doe'

Notice that in the getter method above:

 We use the get keyword followed by a function.

 We use an if...else conditional to check if both _firstName and _lastName exist (by
making sure they both return truthy values) and then return a different value
depending on the result.
 We can access the calling object’s internal properties using this. In fullName,
we’re accessing both this._firstName and this._lastName.

 In the last line we call fullName on person. In general, getter methods do not
need to be called with a set of parentheses. Syntactically, it looks like we’re
accessing a property.

Now that we’ve gone over syntax, let’s discuss some notable advantages of using
getter methods:

 Getters can perform an action on the data when getting a property.

 Getters can return different values using conditionals.

 In a getter, we can access the properties of the calling object using this.

 The functionality of our code is easier for other developers to understand.

Another thing to keep in mind when using getter (and setter) methods is that
properties cannot share the same name as the getter/setter function. If we do so, then
calling the method will result in an infinite call stack error. One workaround is to add an
underscore before the property name like we did in the example above.

Setters

Along with getter methods, we can also create setter methods which reassign values of
existing properties within an object. Let’s see an example of a setter method:

const person = {
_age: 37,
set age(newAge){
if (typeof newAge === 'number'){
this._age = newAge;
} else {
console.log('You must assign a number to age');
}
}
};

Notice that in the example above:

 We can perform a check for what value is being assigned to this._age.


 When we use the setter method, only values that are numbers will
reassign this._age

 There are different outputs depending on what values are used to


reassign this._age.

Then to use the setter method:

person.age = 40;
console.log(person._age); // Logs: 40
person.age = '40'; // Logs: You must assign a number to age

Setter methods like age do not need to be called with a set of parentheses.
Syntactically, it looks like we’re reassigning the value of a property.

Like getter methods, there are similar advantages to using setter methods that include
checking input, performing actions on properties, and displaying a clear intention for
how the object is supposed to be used. Nonetheless, even with a setter method, it is
still possible to directly reassign properties. For example, in the example above, we can
still set ._age directly:

person._age = 'forty-five'
console.log(person._age); // Prints forty-five

Factory Functions

So far we’ve been creating objects individually, but there are times where we want to
create many instances of an object quickly. Here’s where factory functions come in. A
real world factory manufactures multiple copies of an item quickly and on a massive
scale. A factory function is a function that returns an object and can be reused to make
multiple object instances. Factory functions can also have parameters allowing us to
customize the object that gets returned.

Let’s say we wanted to create an object to represent monsters in JavaScript. There are
many different types of monsters and we could go about making each monster
individually but we can also use a factory function to make our lives easier. To achieve
this diabolical plan of creating multiple monsters objects, we can use a factory function
that has parameters:

const monsterFactory = (name, age, energySource, catchPhrase) => {


return {
name: name,
age: age,
energySource: energySource,
scare() {
console.log(catchPhrase);
}
}
};

In the monsterFactory function above, it has four parameters and returns an object that
has the properties: name, age, energySource, and scare(). To make an object that
represents a specific monster like a ghost, we can call monsterFactory with the necessary
arguments and assign the return value to a variable:

const ghost = monsterFactory('Ghouly', 251, 'ectoplasm', 'BOO!');


ghost.scare(); // 'BOO!'

Now we have a ghost object as a result of calling monsterFactory() with the needed
arguments. With monsterFactory in place, we don’t have to create an object literal every
time we need a new monster. Instead, we can invoke the monsterFactory function with
the necessary arguments to take over the world make a monster for us!

Property Value Shorthand

ES6 introduced some new shortcuts for assigning properties to variables known
as destructuring.

In the previous exercise, we created a factory function that helped us create objects. We
had to assign each property a key and value even though the key name was the same
as the parameter name we assigned to it. To remind ourselves, here’s a truncated
version of the factory function:

const monsterFactory = (name, age) => {


return {
name: name,
age: age
}
};

Imagine if we had to include more properties, that process would quickly become
tedious! But we can use a destructuring technique, called property value shorthand, to
save ourselves some keystrokes. The example below works exactly like the example
above:

const monsterFactory = (name, age) => {


return {
name,
age
}
};

Notice that we don’t have to repeat ourselves for property assignments!

Destructured Assignment
We often want to extract key-value pairs from objects and save them as variables. Take
for example the following object:

const vampire = {
name: 'Dracula',
residence: 'Transylvania',
preferences: {
day: 'stay inside',
night: 'satisfy appetite'
}
};

If we wanted to extract the residence property as a variable, we could use the following
code:

const residence = vampire.residence;


console.log(residence); // Prints 'Transylvania'

However, we can also take advantage of a destructuring technique called destructured


assignment to save ourselves some keystrokes. In destructured assignment we create a
variable with the name of an object’s key that is wrapped in curly braces { } and assign
to it the object. Take a look at the example below:

const { residence } = vampire;


console.log(residence); // Prints 'Transylvania'

Look back at the vampire object’s properties in the first code example. Then, in the
example above, we declare a new variable residence that extracts the value of
the residence property of vampire. When we log the value of residence to the
console, 'Transylvania' is printed.

We can even use destructured assignment to grab nested properties of an object:

const { day } = vampire.preferences;


console.log(day); // Prints 'stay inside'

Built-in Object Methods

In the previous exercises we’ve been creating instances of objects that have their own
methods. But, we can also take advantage of built-in methods for Objects!

For example, we have access to object instance methods


like: .hasOwnProperty(), .valueOf(), and many more! Practice your documentation reading
skills and check out: MDN’s object instance documentation.
There are also useful Object class methods such as Object.assign(), Object.entries(),
and Object.keys() just to name a few. For a comprehensive list, browse: MDN’s object
instance documentation.

You might also like