Destructuring assignment in JavaScript
Data Types: Destructuring Assignment
What is destructuring assignment in JavaScript?
View Answer:
Interview Response: Destructuring assignment is a syntax in JavaScript that allows you to extract or unpack values from arrays or objects and assign them to variables in a concise way. 
Technical Response: De-structuring assignment is a special syntax that allows us to “unpack” arrays or objects into many variables, which is sometimes more convenient. De-structuring also works great with complex functions with many parameters, default values, and more. We can use destructuring on both objects and arrays in JavaScript. It is a “destructuring assignment” because it “destructures” by copying items into variables. But the array itself is not modified.
Code Example:
// we have an array with the name and surname
let arr = ['John', 'Smith'];
// destructuring assignment
// sets firstName = arr[0]
// and surname = arr[1]
let [firstName, surname] = arr;
console.log(firstName); // John
console.log(surname); // Smith
// Another example using the split() method
let [firstName, surname] = 'John Smith'.split(' ');
console.log(firstName); // John
console.log(surname); // Smith
/////////////////////////////////////////////
// DESTRUCTURING OBJECTS
const hero = {
  name: 'Batman',
  realName: 'Bruce Wayne',
};
const { name, realName } = hero;
name; // => 'Batman',
realName; // => 'Bruce Wayne'
How do you destructure an object in JavaScript?
View Answer:
Interview Response: To destructure an object in JavaScript, you can use curly braces {} and specify the names of the properties you want to extract and assign to variables with the same name.
Code Example:
const person = {
  name: 'John Doe',
  age: 30,
  city: 'New York'
};
// Destructuring the 'person' object
const { name, age, city } = person;
console.log(name); // Output: John Doe
console.log(age); // Output: 30
console.log(city); // Output: New York
You can also assign new variable names to the extracted properties by using the following syntax:
const person = {
  name: 'John Doe',
  age: 30,
  city: 'New York'
};
const { name: personName, age: personAge, city: personCity } = person;
console.log(personName); // Output: John Doe
console.log(personAge); // Output: 30
console.log(personCity); // Output: New York
How do you destructure an array in JavaScript?
View Answer:
Interview Response: To destructure an array in JavaScript, you can use square brackets [] and specify the variable names in the order that matches the array elements' positions.
Code Example:
const numbers = [1, 2, 3, 4, 5];
// Destructuring the 'numbers' array with rest operator
const [firstNumber, secondNumber, ...restNumbers] = numbers;
console.log(firstNumber); // Output: 1
console.log(secondNumber); // Output: 2
console.log(restNumbers); // Output: [3, 4, 5]
It's worth noting that you can skip elements in the array destructuring syntax by leaving empty commas. For example:
const numbers = [1, 2, 3, 4, 5];
// Skipping the second element
const [firstNumber, , thirdNumber] = numbers;
console.log(firstNumber); // Output: 1
console.log(thirdNumber); // Output: 3
What are two data structures commonly used in destructuring in JavaScript?
View Answer:
Interview Response: The two data structures commonly used in destructuring in JavaScript are objects and arrays. Destructuring allows you to extract values from these data structures and assign them to variables.
What delimiter can you use in array destructuring to skip or ignore an element on the right-hand side of the assignment?
View Answer:
Interview Response: We can skip unwanted elements of an array by adding extra space and a comma as a delimiting block.
Code Example:
// second element is not needed
let [firstName, , title] = [
  'Julius',
  'Caesar',
  'Consul',
  'of the Roman Republic',
];
console.log(title); // Consul
What kind of structures work with destructuring in JavaScript?
View Answer:
Interview Response: Destructuring works with any iterable structure, including arrays, objects, Sets, and strings on the right-hand side of the assignment.
Code Example:
// strings
let [a, b, c] = 'abc'; // ["a", "b", "c"]
console.log([a, b, c][1]); // logs "b"
console.log(typeof [a, b, c][1]); // string
// Sets
let [one, two, three] = new Set([1, 2, 3]);
Is there a method you can use to extract an object's key/value pairs?
View Answer:
Interview Response: Yes, you can use the Object.entries() method in JavaScript to extract an object's key/value pairs as an array.
Code Example:
let user = {
  name: 'John',
  age: 30,
};
// loop over keys-and-values
for (let [key, value] of Object.entries(user)) {
  console.log(`${key}:${value}`); // name:John, then age:30
}
// The similar code for a Map is simpler, as it’s iterable:
let user = new Map();
user.set('name', 'John');
user.set('age', '30');
// Map iterates as [key, value] pairs, very convenient for destructuring
for (let [key, value] of user) {
  console.log(`${key}:${value}`); // name:John, then age:30
}
Can you explain the swapping of variables in JavaScript destructuring?
View Answer:
Interview Response: There is a trick for swapping. We have to create a temporary array of the variables on the left side and then swap the variables on the right side in another array. We can swap more than two variables this way in JavaScript.
Code Example:
let guest = 'Jane';
let admin = 'Pete';
// Let's swap the values: make guest=Pete, admin=Jane
[guest, admin] = [admin, guest];
console.log(`${guest} ${admin}`); // Pete Jane (successfully swapped!)
How can we handle mismatched arrays when we need to destructure them in JavaScript?
View Answer:
Interview Response: To access the extra variables on the right side, we can use the (...rest) operator to access the remaining variables.
Technical Response: Yes, if the array is longer than the list at the left, the “extra” items are omitted. To access the extra variables on the right side, you can use the (...rest) operator to access the remaining variables. We can use any other variable name in place of the rest. Just make sure it has three dots before it and goes last in the destructuring assignment. If the array is shorter than the list of variables at the left, there are no errors, and missing values are considered undefined.
Code Example:
let [name1, name2] = ['Julius', 'Caesar', 'Consul', 'of the Roman Republic'];
console.log(name1); // Julius
console.log(name2); // Caesar
// Further items are not assigned anywhere
/// HOW TO FIX AND ACCESS REMAINING VARIABLES ///
// Rest Operator Implementation
let [name1, name2, ...rest] = [
  'Julius',
  'Caesar',
  'Consul',
  'of the Roman Republic',
];
// rest is array of items, starting from the 3rd one
console.log(rest[0]); // Consul
console.log(rest[1]); // of the Roman Republic
console.log(rest.length); // 2
What is the rest parameter in destructuring?
View Answer:
Interview Response: In destructuring in JavaScript, the rest parameter is denoted by the ellipsis (...) syntax and allows you to capture the remaining elements of an iterable object into a new array.
Code Example:
const person = {
  name: 'John Doe',
  age: 30,
  city: 'New York',
  country: 'USA'
};
// Destructuring with rest parameter
const { name, age, ...restInfo } = person;
console.log(name); // Output: John Doe
console.log(age); // Output: 30
console.log(restInfo); // Output: { city: 'New York', country: 'USA' }
What is the rule regarding the naming convention of a rest operator?
View Answer:
Interview Response: There are no restrictions on what you name your rest operator in general. You should use a relative name for the rest operator, such as (…title) with three preceding dots.
Code Example:
let [name1, name2, ...titles] = [
  'Julius',
  'Caesar',
  'Consul',
  'Roman Republic',
];
// now titles = ["Consul", " Roman Republic"]
If you implement array destructuring on an empty array, what value gets returned when you access the left-hand side?
View Answer:
Interview Response: If you implement array destructuring on an empty array in JavaScript, the left-hand side variables will be assigned the value of undefined.
Code Example:
let [firstName, surname] = [];
console.log(firstName); // undefined
console.log(surname); // undefined
note
There are no errors if the array is shorter than the list of variables at the left. Missing values are considered undefined on return.
What is a default value in destructuring?
View Answer:
Interview Response: A default value in destructuring is a fallback value that is assigned to a variable if the value extracted from the object or array is undefined.
Code Example:
const person = {
  name: 'John Doe',
  age: 30
};
// Destructuring with default values
const { name, age, city = 'New York' } = person;
console.log(name); // Output: John Doe
console.log(age); // Output: 30
console.log(city); // Output: New York
////////////////////////////////////////////////
const person = {
  name: 'John Doe',
  age: 30,
  city: 'London'
};
// Destructuring with default values
const { name, age, city = 'New York' } = person;
console.log(name); // Output: John Doe
console.log(age); // Output: 30
console.log(city); // Output: London
What is a useful destructuring technique in JavaScript to avoid the return of undefined array values?
View Answer:
Interview Response: The best way to handle missing values during destructuring is to set default values to potentially missing values using the assignment operator.
Technical Response: Setting default values to possibly missing values is the best technique to manage missing values during destructuring. This approach gets accomplished by assigning a new default using the equal (=) operator. More sophisticated phrases or function calls are used as default values, and they only get evaluated if the value is not supplied.
Code Example:
// default values
let [name = 'Guest', surname = 'Anonymous'] = ['Julius'];
console.log(name); // Julius (from array)
console.log(surname); // Anonymous (default used)
// runs only prompt for surname
let [name = prompt('name?'), surname = prompt('surname?')] = ['Julius'];
console.log(name); // Julius (from array)
console.log(surname); // whatever prompt gets
Can you use destructing on objects in JavaScript?
View Answer:
Interview Response: Yes, in JavaScript you can use destructuring on objects, which allows you to extract values from an object and assign them to variables with the same name as the object's properties.
Technical Response: We can use destructing on any iterable, including objects in JavaScript. There should be an existing object on the right side of the assignment operator, and the left side contains an object-like “pattern” for corresponding properties. In the simplest case, that is a list of variable names in {...}.
Code Example:
// The basic syntax
// let {var1, var2} = {var1:…, var2:…}
let options = {
  title: 'Menu',
  width: 100,
  height: 200,
};
let { title, width, height } = options;
console.log(title); // Menu
console.log(width); // 100
console.log(height); // 200
What is the difference between object and array destructuring in JavaScript?
View Answer:
Interview Response: In JavaScript, object destructuring allows you to extract values from an object based on their property name, while array destructuring allows you to extract values from an array based on their position.
Technical Response: Object destructuring is like array destructuring, with one exception, instead of values getting pulled out of an array, object keys and values get pulled out of an object. In an array, the order of the elements is relevant, and it depends on your intent to handle the elements, such as swapping variables. However, the rule for arrays does not apply to objects, and order is insignificant.
Code Example:
// changed the order in let {...}
let { height, width, title } = { title: 'Menu', height: 200, width: 100 };
note
In an array, the order of the elements is relevant. It depends on your intent, the rule for arrays does not apply to objects, and order is insignificant.
Is it possible to use the destructuring procedure to modify the name of an object variable?
View Answer:
Interview Response: Yes, you can use object destructuring with aliasing in JavaScript to assign a new name to an extracted property.
Technical Response: If we want to assign a property to a variable with another name. We can set the new or shortened name by implementing a colon in the destructing process. The colon shows what goes where and specifies the new or shortened name.
Code Example:
let options = {
  title: 'Menu',
  width: 100,
  height: 200,
};
// { sourceProperty: targetVariable }
let { width: w, height: h, title } = options;
// width -> w
// height -> h
// title -> title
console.log(title); // Menu
console.log(w); // 100
console.log(h); // 200
How do you handle potentially missing object properties using destructuring in JavaScript?
View Answer:
Interview Response: We can set default values using the assignment (=) operator. Like with arrays or function parameters, default values can be any expressions or function calls.
Technical Response: If the object is missing object property, you can use destructuring to set a new property and value to reference the object. We can set default values using the assignment (=) operator. Default values, like arrays or function parameters, can be any expressions or function calls, and they get evaluated if no value is specified.
Code Example:
let options = {
  title: 'Menu',
};
let { width = 100, height = 200, title } = options;
console.log(title); // Menu
console.log(width); // 100
console.log(height); // 200
// In the code below prompt asks for width, but not for title:
let options = {
  title: 'Menu',
};
let { width = prompt('width?'), title = prompt('title?') } = options;
console.log(title); // Menu
console.log(width); // (whatever the result of prompt is)
If you want to shorten an object property and supply a value to that property, what is the process used to implement this in JavaScript?
View Answer:
Interview Response: To abbreviate a property and assign a value to it, we can merge the two using a colon and assign a shortened property name. The use of a colon defines the new abbreviated property name, while the assignment operator assigns a fresh value.
Code Example:
let options = {
  title: 'Menu',
};
let { width: w = 100, height: h = 200, title } = options;
console.log(title); // Menu
console.log(w); // 100
console.log(h); // 200
When working with an object, is there a way to extract only the properties?
View Answer:
Interview Response: If we have a complex object with many properties, we can extract what we need by using destructuring to extract specific properties.
Code Example:
let options = {
  title: 'Menu',
  width: 100,
  height: 200,
};
// only extract title as a variable
let { title } = options;
console.log(title); // Menu
What if the object has more properties than we have variables? Can we take some and then assign the “rest” somewhere?
View Answer:
Interview Response: We can use the rest pattern, just like we do with array destructuring. Using the rest pattern, we can assign properties and collect the rest if necessary.
Code Example:
let options = {
  title: 'Menu',
  height: 200,
  width: 100,
};
// title = property named title
// rest = object with the rest of properties
let { title, ...rest } = options;
// now title="Menu", rest={height: 200, width: 100}
console.log(rest.height); // 200
console.log(rest.width); // 100
note
Some older browsers do not support it (IE, use Babel to polyfill it), but it works in modern browsers.
Can you destructure a nested object in JavaScript?
View Answer:
Interview Response: Yes, you can destructure a nested object in JavaScript by using nested destructuring patterns that match the structure of the object.
Code Example:
const person = {
  name: 'John Doe',
  age: 30,
  address: {
    city: 'New York',
    country: 'USA'
  }
};
// Destructuring nested object
const { name, age, address: { city, country } } = person;
console.log(name); // Output: John Doe
console.log(age); // Output: 30
console.log(city); // Output: New York
console.log(country); // Output: USA
Are there any issues you can run into with object destructuring?
View Answer:
Interview Response: Yes, some potential issues with object destructuring include undefined properties, incorrect assignment, and unexpected behavior with nested objects.
Code Example:
const person = {
  name: 'John Doe',
  age: 30
  // No 'address' property present
};
// Destructuring with nested property
const { name, age, address: { city, country } } = person;
console.log(name); // Output: John Doe
console.log(age); // Output: 30
console.log(city); // Error: Cannot destructure property 'city' of 'undefined' or 'null'
console.log(country); // This line will not be reached
What is the main issue that you can run into with curly brackets and object destructuring?
View Answer:
Interview Response: The main issue with curly brackets and object destructuring is ambiguity between a block statement and an object literal, which requires parentheses to wrap the destructuring expression to avoid syntax errors.
Technical Response: The most significant issue is the curly brackets that encapsulate the properties. Since objects use block scoping, an issue can arise when you separate the variable initialization from the destructuring properties on a new line. The problem is that JavaScript treats {...} in the main code flow (not inside another expression) as a code block. We can wrap the expression in parentheses to show JavaScript that it is not a code block (...).
Code Example:
let title, width, height;
// error in this line
{title, width, height} = {title: "Menu", width: 200, height: 100};
/// FIX: YOU CAN WRAP IT IN PARENTHESES ///
let title, width, height;
// okay now
({title, width, height} = {title: "Menu", width: 200, height: 100});
console.log( title ); // Menu
Is it possible to use left-side patterns to extract deeper sections of an object or an array that comprises nested arrays and objects?
View Answer:
Interview Response: Yes, we can build a generic object that references the original. Because JavaScript allows you to choose your properties, it is possible to build a generic object with properties referencing the original object.
Technical Response: We can use more complex left-side patterns to extract deeper portions. You can build a generic object that references the original. Because JavaScript allows you to choose your properties, it is possible to build a generic object with properties referencing the original object.
Code Example:
let options = {
  size: {
    width: 100,
    height: 200,
  },
  items: ['Cake', 'Donut'],
  extra: true,
};
// destructuring assignment split in multiple lines for clarity
let {
  size: {
    // put size here
    width,
    height,
  },
  items: [item1, item2], // assign items here
  title = 'Menu', // not present in the object (default value is used)
} = options;
console.log(title); // Menu
console.log(width); // 100
console.log(height); // 200
console.log(item1); // Cake
console.log(item2); // Donut
Can you destructure function arguments in JavaScript?
View Answer:
Interview Response: Yes, you can destructure function arguments in JavaScript, allowing you to extract properties from objects or elements from arrays directly within the function signature.
Code Example:
function greet(name) {
  // Destructuring `name` into `firstName` and `lastName` variables
  const [firstName, lastName] = name;
  // Greet the user
  console.log(`Hello ${firstName} ${lastName}`);
}
greet("John Doe"); // Output: Hello John Doe