Objects and Destructuring Flashcards

1
Q

What are objects? Provide an example.

- Explain what objects are and how do they compare to primitive types.

A

In JavaScript, an object is an unordered collection of key-value pairs. Each key-value pair is called a property.

The key of a property can be a string. And the value of a property can be any value, e.g., a string, a number, an array, and even a function.
A property’s value can be a function, in which case the property is known as a method.

const person = {
  name: ['Bob', 'Smith'],
  age: 32,
  bio: function() {
    console.log(`${this.name[0]} ${this.name[1]} is ${this.age} years old.`);
  },
  introduceSelf: function() {
    console.log(`Hi! I'm ${this.name[0]}.`);
  }
};

Summary

  - An object is a collection of key-value pairs.
  - Use the dot notation ( .) or array-like notation ([]) to access a property of an object.
  - The delete operator removes a property from an object.
  - The in operator check if a property exists in an object.
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
2
Q

How can I access the object’s properties?

A

To access a property of an object, you use one of two notations:

              - the dot notation 
              - array-like notation

dot notation:
objectName.propertyName

array-like notation:
objectName[‘propertyName’]

We use dot notation when we know the name of the property.

We use array-like notation when we DO NOT know the name of the property and we need to ‘construct’ it.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
3
Q

What do we use objects for?

  • Demonstrate how we can use objects.
  • Explain how objects help build more complex applications.
A

Objects in JavaScript, just as in many other programming languages, can be compared to objects in real life. The concept of objects in JavaScript can be understood with real life, tangible objects.

In JavaScript, an object is a standalone entity, with properties and type. Compare it with a cup, for example. A cup is an object, with properties. A cup has a color, a design, weight, a material it is made of, etc. The same way, JavaScript objects can have properties, which define their characteristics.

Objects in JavaScript are ubiquitous and versatile. An object can be used as a bag of parameters with several handler functions attached. An object can group associated values but also structure a program. For example, you can put several similar functions on one object and let them operate on the same data.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
4
Q

What are the differences between primitive and reference types? Give code examples.

 - Explain the difference between primitive and reference types.
 - Demonstrate the difference between primitive and reference types.
A
  • Javascript has two types of values: primitive values and reference values.
    • You can add, change, or delete properties to a reference value, whereas you cannot do it with a primitive value.
    • Copying a primitive value from one variable to another creates a separate value copy. It means that changing the value in one variable does not affect the other.
    • Copying a reference from one variable to another creates a reference so that two variables refer to the same object. This means that changing the object via one variable reflects in another variable.
Primitive values:
var a = 3.14;  // Declare and initialize a variable
var b = a;     // Copy the variable's value to a new variable
a = 4;         // Modify the value of the original variable
alert(b)       // Displays 3.14; the copy has not changed
Reference values:
var a = [1,2,3];  // Initialize a variable to refer to an array
var b = a;        // Copy that reference into a new variable
a[0] = 99;        // Modify the array using the original reference
alert(b);         // Display the changed array [99,2,3] using the new reference
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
5
Q

What is destructuring, object destructuring?

A

Object destructuring assigns the properties of an object to variables with the same names by default.

let person = {
    firstName: 'John',                         let { firstName: fname, lastName: lname } = person;
    lastName: 'Doe'
};

let { property1: variable1, property2: variable2 } = object;

The identifier before the colon (:) is the property of the object and the identifier after the colon is the variable.

If the variables have the same names as the properties of the object, you can make the code more concise as follows:
let { firstName, lastName } = person;

When you assign a property that does not exist to a variable using the object destructuring, the variable is set to undefined.

In this example we assign the currentAge property to the age variable with the default value of 18:

let { firstName, lastName, middleName = ‘’, currentAge: age = 18 } = person;

A function may return an object or null in some situations. The code will throw a TypeError. To avoid this, you can use the OR operator (||) to fallback the null object to an empty object:

let { firstName, lastName } = getPerson() || {};

Nested object destructuring:  Assuming that you have an employee object which has a name object as the property:
let employee = {
    id: 1001,
    name: {
        firstName: 'John',
        lastName: 'Doe'
    }
};

The following statement destructures the properties of the nested name object into individual variables:

let {
    name: {
        firstName,
        lastName
    }
} = employee;
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
6
Q

Array destructuring

A

ES6 provides a new feature called destructing assignment that allows you to destructure elements of an array into individual variables.
Assuming that you have a function that returns an array of numbers as follows:

function getScores() {
   return [70, 80, 90];
}

Destructing assignment: let [x, y, z] = getScores(); // x = 70, y = 80, z = 90

It’s possible to take all remaining elements of an array and put them in a new array by using the rest syntax (…):

let [x, y ,…args] = getScores(); // [70, 80, 90, 100]; -> x = 70, y = 80, args = [90, 100]

You can skip elements and sent a default values: let [, , thirdItem = 0] = getItems(); // thirdItem = 0

If the getItems() function doesn’t return an array and you expect an array the destructing assignment will result in an error (TypeError):

To avoid the error use this: let [a = 10, b = 20] = getItems() || [];

Nested array destructuring:

function getProfile() {
return [
‘John’,
‘Doe’,
[‘Red’, ‘Green’, ‘Blue’]
];
}

Nested array destructuring: let [ firstName, lastName, [ color1, color2, color3 ] ] = getProfile();

Swapping variables: let a = 10, b = 20; -> [a, b] = [b, a]; // a = 20, b = 10

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
7
Q

Spread Operator

A
  • The spread operator is denoted by three dots (…).
  • The spread operator unpacks elements of iterable objects such as arrays, sets, and maps into a list.
  • The rest paramter is also denoted by three dots (…). However, it packs the remaining arguments of a function into an array.
  • The spread operator can be used to clone an iterable object or merge iterable objects into one.
const odd = [1,3,5];
const combined = [2,4,6, ...odd];                 //   [ 2, 4, 6, 1, 3, 5 ]             The spread operator (...) unpacks the elements of the odd array.

Here are the main differences bertween rest and spread operators:

 - The spread operator (...) unpacks the elements of an iterable object.
 - The rest parameter (...) packs the elements into an array.
 - The rest parameters must be the last arguments of a function. However, the spread operator can be anywhere:
const odd = [1,3,5];
const combined = [2,...odd, 4,6];                   //  [ 2, 1, 3, 5, 4, 6 ]

JavaScript spread operator and array manipulation

1) Constructing array literal - the spread operator allows you to insert another array into the initialized array when you construct an array using the literal form:

let initialChars = ['A', 'B'];
let chars = [...initialChars, 'C', 'D'];                 //    ["A", "B", "C", "D"]

2) Concatenating arrays: you can use the spread operator to concatenate two or more arrays:

let numbers = [1, 2];
let moreNumbers = [3, 4];
let allNumbers = […numbers, …moreNumbers]; // [1, 2, 3, 4]

3) Copying an array: you can copy an array instance by using the spread operator

let scores = [80, 70, 90];
let copiedScores = […scores];
console.log(copiedScores); // [80, 70, 90]

JavaScript spread operator and strings:

let chars = ['A', ...'BC', 'D'];
console.log(chars);                                            //     ["A", "B", "C", "D"]
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
8
Q

Rest Parameters

A

(…). A rest parameter allows you to represent an indefinite number of arguments as an array.

function fn (a, b, ...args) {
   //...
}

All the arguments you pass to the function will map to the parameter list. In the syntax above, the first argument maps to a, the second one maps to b, and the third, the fourth, etc., will be stored in the rest parameter args as an array.

fn(1, 2, 3, “A”, “B”, “C”); // [3, ‘A’, ‘B’, ‘C’]

The rest parameters must appear at the end of the argument list. The following code will result in an error:

function fn(a, ...rest, b) {
 // error                                                     //  SyntaxError: Rest parameter must be last formal parameter
}

Assuming that the caller of the sum() function may pass arguments with various kinds of data types such as number, string, and boolean, and you want to calculate the total of numbers only:

function sum(...args) {
  return args
    .filter(function (e) {
      return typeof e === 'number';                                              let result = sum(10, 'Hi', null, undefined, 20);                      // 30
    })
    .reduce(function (prev, curr) {
      return prev + curr;
    });
}

Filter the arguments based on a specific type such as numbers, strings, boolean, and null:

function filterBy(type, ...args) {
  return args.filter(function (e) {
    return typeof e === type;
  });
}

Rest parameters and arrow function:

const combine = (...args) => {
  return args.reduce(  (prev, curr) =>  prev + ' ' + curr);
};

let message = combine(‘JavaScript’, ‘Rest’, ‘Parameters’); // JavaScript Rest Parameters

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
9
Q

How can I check if an object has a property?

A
  1. hasOwnProperty() method
const hero = {
  name: 'Batman'
};
hero.hasOwnProperty('name');     // => true
hero.hasOwnProperty('realName'); // => false
  1. “in” operator
const hero = {
  name: 'Batman'
};
'name' in hero;     // => true
'realName' in hero; // => false
  1. Comparing with undefined
const hero = {
  name: 'Batman'
};
hero.name;     // => 'Batman'
hero.realName; // => undefined

But be aware of false negatives. If the property exists but has an undefined value:

const hero = {
  name: undefined
};
hero.name !== undefined; // => false
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
10
Q

What is primitive value in JS?

A

Primitive values are: null, undefined, boolean, number, string, symbol, and BigInt
Static data is the data whose size is fixed at compile time. Static data includes: primitive and reference values.

JavaScript engine stores primitive values and variables on the stack.

let age = 25;
let newAge = age;
newAge = newAge + 1;
console.log(age, newAge); // newAge = 26
                                             // age =25
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
11
Q

What is a reference type value in JS?

A

When you declare variables, the JavaScript engine allocates the memory for them on two memory locations: stack and heap.

Reference values that refer to objects.

Unlike the stack, JavaScript stores objects (and functions) on the heap. The JavaScript engine doesn’t allocate a fixed amount of memory for these objects. Instead, it’ll allocate more space as needed.

let person = {
  name: 'John',
  age: 25,
};

let member = person;

member.age = 26;

console. log(person);
console. log(member);

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
12
Q

What is the main difference between reference copy and shallow copy?

A
var obj1 = new object()
var obj2 = obj1

Reference copy refers to the fact that both objects refer to the same object without creating a new object. When one object changes, the other object will also change.

Shallow copy will create a new object, this object has an exact copy of the original object property values
- If the attribute is a basic type, the value of the basic type is copied
- If the attribute is a reference type, the memory address is copied (that is, the referenced
object is copied but not the referenced object), so if one of the objects changes this
address, it will affect the other object

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
13
Q

What is shallow copy of an object?

A

A shallow copy will create a new object, this object has an exact copy of the original object’s property values
- If the attribute is a basic type, the value of the basic type is copied
- If the attribute is a reference type, the memory address is copied (that is, the referenced
an object is copied but not the referenced object). So if one of the objects changes this
address, it will affect the other object

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
14
Q

What is a deep copy of an object?

A

A deep copy will create a new heap memory to store an identical object. The old and new objects will not interfere.

A deep copy occurs when an object and the object it refers to are copied together. Deep copy is slower and more expensive than the shallow copy.
The two objects before and after the copy do not affect each other.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
15
Q

How can I make shallow copy of an object?

A
1. Object.assign( {}, object);
 const personCopy = Object.assign({}, person);
2. Spread operator 
const personCopySpread = { ...person };
3. Object with JSON parse and stringify 
const personCopyJSON = JSON.parse(JSON.stringify(person)); 

Deep copy, but does not copy functions!

const person = {
  name: 'Maria',
  age: 20,
  courses: ['Math', 'Literature'],
  sayHello: function () {
    console.log('Hello');
  },
};
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
16
Q

How can i make a deep copy of an object?

A

In plain JavaScript, you cannot deep copy an entire object without making your own function.
We could use an external library to be able to deep copy an entire object.

lodash - maybe one of the most famous:

import _ from ‘lodash’

const person2 = _.cloneDeep(person1);

17
Q

What is “this” in objects?

A

When you deal with objects you could refer to the object itself by using the keyword this

            - this is only available in function calls
           - The functions must not be arrow functions
const person = {
   firstName: 'Maria',
   lastName: 'Ivanova',
   fullName: function() { return `${this.firstName}  ${this.lastName}`,
};
18
Q

What is a Complex Structure?

A

Describes an object where some nesting is present.
In JavaScript, property keys must be strings, but property values can be anything.

constobj={
simpleProperty:`I'mjustastring`,
nestedObj:{
title:`I'manestedobjectproperty`
},
someArray:['I','am','an','array'],
someMethod:function(){
return`I'mafunction`;
}
}

constlog=console.log;

//arraylikeanyother
log(obj.someArray.join('')); 
//functionsonobjectsare
// called'methods'
log(obj.someMethod());
19
Q

Why complex structure is useful?

A

Data is key in every software application
Every program is just some data with algorithms that use it,
The more complex the problem, the more complex the data structure is

Objects in JavaScript help us shape the application data
We must design the structure to be easy to use,
…but also, to capture all the required information,
This process is known as data modeling

20
Q

What are linked lists?

A

Basic data structure – like a “chain” of objects
Each object holds some value
… and references the next object in the chain
The last object references null

Node is the building block of a Linked List:

constnode={
value:1,
next:
}

next can be:
Reference to the next node
Or, if last, null

21
Q

Creating a Linked List

A

One option:

constheadNode ={
value:1,
next:{
value:2,
next:{
value:3,
next:null
}
}
}

Another option:

constheadNode={ value:1 };
headNode.next={ value:2 }; 
headNode.next.next={ value:3 };
headNode.next.next.next={
value:4,
next:null
}
22
Q

Traversing a Linked List

A

The process of iterating through all the nodes:
The algorithm can be expressed like this:

consttraverse=(headNode)=>{
letcurrent=headNode;

while(current!==null){
console.log(current.value);
current=current.next;
}
}