1. Merge arraysNormal writing : We usually use the concat() method in Array to merge two arrays. The concat() method is used to merge two or more arrays. It does not change the existing arrays, but returns a new array. Let's take a look at a simple example: let apples = ['π', 'π']; let fruits = ['π', 'π', 'π'].concat(apples); console.log( fruits ); //=> ["π", "π", "π", "π", "π"] Shorthand method : We can reduce the code by using the ES6 spread operator (...) as follows: let apples = ['π', 'π']; let fruits = ['π', 'π', 'π', ...apples]; // <-- here console.log( fruits ); //=> ["π", "π", "π", "π", "π"] The output obtained is the same as the normal writing method. 2. Merge arrays (at the beginning)Normal writing : Suppose we wanted to add all the items in the apples array to the beginning of the fruits array, rather than at the end as in the previous example. We can use let apples = ['π', 'π']; let fruits = ['π₯', 'π', 'π']; // Add all items from apples onto fruits at start Array.prototype.unshift.apply(fruits, apples) console.log( fruits ); //=> ["π", "π", "π₯", "π", "π"] Now red and green apples are merged at the beginning instead of at the end. Shorthand method : We can still shorten this long code using the ES6 spread operator (...) as follows: let apples = ['π', 'π']; let fruits = [...apples, 'π₯', 'π', 'π']; // <-- here console.log( fruits ); //=> ["π", "π", "π₯", "π", "π"] 3. Cloning an ArrayNormal writing : We can easily clone an array using the slice() method in Array as follows: let fruits = ['π', 'π', 'π', 'π']; let cloneFruits = fruits.slice(); console.log( cloneFruits ); //=> ["π", "π", "π", "π"] Shorthand method : We can use the ES6 spread operator (...) to clone an array like this: let fruits = ['π', 'π', 'π', 'π']; let cloneFruits = [...fruits]; // <-- here console.log( cloneFruits ); //=> ["π", "π", "π", "π"] 4. Destructuring assignmentNormal writing : When working with arrays, we sometimes need to "unpack" an array into a bunch of variables, like this: let apples = ['π', 'π']; let redApple = apples[0]; let greenApple = apples[1]; console.log( redApple ); //=> π console.log( greenApple ); //=> π Shorthand method : We can achieve the same result in one line of code using destructuring assignment: let apples = ['π', 'π']; let [redApple, greenApple] = apples; // <-- here console.log( redApple ); //=> π console.log( greenApple ); //=> π 5. Template LiteralsNormal writing : Normally, when we have to add an expression to a string, we do it like this: // Display name in between two strings let name = 'Palash'; console.log('Hello, ' + name + '!'); //=> Hello, Palash! // Add & Subtract two numbers let num1 = 20; let num2 = 10; console.log('Sum = ' + (num1 + num2) + ' and Subtract = ' + (num1 - num2)); //=> Sum = 30 and Subtract = 10 Shorthand method : With template literals, we can use backticks () so that we can wrap expressions in ${...}` and then embed them in strings, like this: // Display name in between two strings let name = 'Palash'; console.log(`Hello, ${name}!`); // <-- No need to use + var + anymore //=> Hello, Palash! // Add two numbers let num1 = 20; let num2 = 10; console.log(`Sum = ${num1 + num2} and Subtract = ${num1 - num2}`); //=> Sum = 30 and Subtract = 10 6. For LoopNormal writing : We can use a for loop to loop through an array like this: let fruits = ['π', 'π', 'π', 'π']; // Loop through each fruit for (let index = 0; index < fruits.length; index++) { console.log( fruits[index] ); // <-- get the fruit at current index } //=> π //=> π //=> π //=> π Shorthand method : We can achieve the same result with much less code using a for...of statement as follows: let fruits = ['π', 'π', 'π', 'π']; // Using for...of statement for (let fruit of fruits) { console.log( fruit ); } //=> π //=> π //=> π //=> π 7. Arrow FunctionsNormal writing : To iterate over an array, we can also use the forEach() method in Array. But it requires a lot of code to write, less than the most common for loop, but still a bit more than the for...of statement: let fruits = ['π', 'π', 'π', 'π']; // Using forEach method fruits.forEach(function(fruit){ console.log( fruit ); }); //=> π //=> π //=> π //=> π Shorthand method : But using arrow function expressions allows us to write the entire loop code in one line, like this: let fruits = ['π', 'π', 'π', 'π']; fruits.forEach(fruit => console.log( fruit )); // <-- Magic β¨ //=> π //=> π //=> π //=> π Most of the time I use the forEach loop with an arrow function. Here I show both the for...of statement and the forEach loop so that you can use the code according to your preferences. 8. Finding an object in an arrayNormal writing : To find an object from an array of objects by one of its properties, we usually use a for loop: let inventory = [ {name: 'Bananas', quantity: 5}, {name: 'Apples', quantity: 10}, {name: 'Grapes', quantity: 2} ]; // Get the object with the name `Apples` inside the array function getApples(arr, value) { for (let index = 0; index < arr.length; index++) { // Check the value of this object property `name` is same as 'Apples' if (arr[index].name === 'Apples') { //=> π // A match was found, return this object return arr[index]; } } } let result = getApples(inventory); console.log( result ) //=> { name: "Apples", quantity: 10 } Shorthand method : Wow! We wrote so much code above to implement this logic. But using the find() method in Array and the arrow function => allows us to do this in one line like this: // Get the object with the name `Apples` inside the array function getApples(arr, value) { return arr.find(obj => obj.name === 'Apples'); // <-- here } let result = getApples(inventory); console.log( result ) //=> { name: "Apples", quantity: 10 } 9. Convert a string to an integerNormal writing : let num = parseInt("10") console.log( num ) //=> 10 console.log( typeof num ) //=> "number" Shorthand method : We can achieve the same result by prefixing the string with + as follows: let num = +"10"; console.log( num ) //=> 10 console.log( typeof num ) //=> "number" console.log( +"10" === 10 ) //=> true 10. Short-circuit evaluationNormal writing : If we have to set a value to not be falsy depending on another value, we usually use an if-else statement, like this: function getUserRole(role) { let userRole; // If role is not falsy value // set `userRole` as passed `role` value if (role) { userRole = role; } else { // else set the `userRole` as USER userRole = 'USER'; } return userRole; } console.log( getUserRole() ) //=> "USER" console.log( getUserRole('ADMIN') ) //=> "ADMIN" Shorthand method : But using short-circuit evaluation (||), we can do this in one line of code, like this: function getUserRole(role) { return role || 'USER'; // <-- here } console.log( getUserRole() ) //=> "USER" console.log( getUserRole('ADMIN') ) //=> "ADMIN" Basically, expression1 || expression2 is evaluated as a true expression. So, this means that if the first part is true, don't bother evaluating the rest of the expression. A few additional pointsArrow FunctionsIf you donβt need the this context, the code can be even shorter when using arrow functions: let fruits = ['π', 'π', 'π', 'π']; fruits.forEach(console.log); Finding an object in an arrayYou can use object destructuring and arrow functions to make the code more concise: // Get the object with the name `Apples` inside the array const getApples = array => array.find(({ name }) => name === "Apples"); let result = getApples(inventory); console.log(result); //=> { name: "Apples", quantity: 10 } Short-circuit evaluation alternativesconst getUserRole1 = (role = "USER") => role; const getUserRole2 = role => role ?? "USER"; const getUserRole3 = role => role ? role : "USER"; Finally, I would like to end with a quote:
This is the end of this article about JavaScript abbreviation skills. For more relevant JavaScript abbreviation content, please search 123WORDPRESS.COMβs previous articles or continue to browse the following related articles. I hope everyone will support 123WORDPRESS.COM in the future! You may also be interested in:
|
<<: VMware vSphere6.0 server virtualization deployment and installation diagram (detailed steps)
>>: PostgreSQL materialized view process analysis
I have nothing to do recently, so I tinker with C...
1. Download address: http://dev.mysql.com/downloa...
1. Block-level element: refers to the ability to e...
Tip 1: Stay focused The best mobile apps focus on...
1. Regular expression matching ~ for case-sensiti...
Before we begin, we create two tables to demonstr...
1 Background Recently, some performance issues ha...
Problem Description In the login page of the proj...
<br />For some time, I found that many peopl...
This article example shares the specific code of ...
uniapp code <template> <view> <ima...
Table of contents What is maintainable code? Code...
MySQL implements sequence function 1. Create a se...
Origin: A few days ago, a tester sent a requireme...
The test environment is set up with a mariadb 5.7...