SoFunction
Updated on 2025-04-03

Summary of some practical tips in JavaScript

Preface

This article mainly records what you have learned in your daily practice, what you have learned in your blog, and what you have seen in the source code of some projects. Some things can be said to be strange tricks, and some may be some more practical new syntax in ES6+.

The wonderful uses of && and ||

Sometimes we need to execute another function when a function or variable is true. For example:

const task1 = () => {
 ('Execute task1');
 return () >= 0.5;
}

const task2 = () => ('task1 Execute task2 after successful execution');
if (task1()) task2();

The above if statement can be used as && as the abbreviation:

task1() && task2();

If you still want to execute task3 after task1 fails (that is, task1 returns false), you can use:

const task3 = () => ('task1 Execute task3 after execution failure');
task1() && task2() || task3();

In essence, it still utilizes the short circuit characteristics of && and ||.

In fact, it is also possible to use the conditional operator here:

task1() ? task2() : task3();

Here is a snippet of a code from a project I recently developed using react hooks:

const ProfileItem = (props) => {
 const { name, value, render } = props;

 return (
  <div className="profile-item">
   <span className="item-name">{name}</span>
   <form action="">
    {/* Return different content based on whether there is render props */}
    {render && render(props) || <SimpleProfileItemContent value={value}/>}
   </form>
  </div>
 )
}

Function default value

ES5 version

The way to set the default value of a function using short circuits or operators is actually very common. However, there are some pitfalls. When the default value parameter in the code shown below is a number, the default value will still be used if the parameter is 0. You must make a separate judgment when y is 0.

const pow = (x, y) => {
 y = y || 2;
 
 let result = 1;
 for (let i = 0, max = y; i < max; i++) {
  result *= x;
 }

 return result;
}

(pow(2)); // => 4
(pow(2, 3)); // => 8

// When the value of y is 0, y takes the value of 2(pow(2, 0)); // => 4

ES6 version

The default value syntax provided by ES6 at the syntax level is much more reliable

const pow = (x, y=2) => {
 let result = 1;
 for (let i = 0, max = y; i < max; i++) {
  result *= x;
 }

 return result;
}

(pow(2)); // => 4
(pow(2, 3)) // => 8
(pow(2, 0)); // => 1

Class array to array

Class arrays refer to objects like arguments and jquery objects that can use subscripts to access a class of objects that are similar to arrays but are not arrays.

Class arrays do not have collection functions such as slice, map, etc., which is why we sometimes need to convert class arrays into arrays.

function func() {
 for (let i = 0, max = ; i &lt; max; i++) {
  (arguments[i]);
 }

 ((arguments)); // =&gt; false
 // Class arrays do not have set functions such as slice, forEach, map, etc. ( === undefined); // =&gt; true
}

func('Google', 'facebook', 'Microsoft'); 
// =&gt; 
// Google
// facebook
// Microsoft

Conversion method in ES5

Bind the slice method in the Array prototype to call on the arguments object and do not pass the parameters in order to return all elements.

function func() {
 const array = (arguments);
 ((0, 1));
}

func('Google', 'facebook', 'Microsoft'); // => [ 'Google' ]

Conversion method in ES6

ES6 has more ways to convert class arrays into arrays.

Use extension operators

function func() {
 ([...arguments])
}

func('Google', 'facebook', 'Microsoft'); // [ 'Google', 'facebook', 'Microsoft' ]

use

function func() {
 ((arguments))
}

func('Google', 'facebook', 'Microsoft'); // [ 'Google', 'facebook', 'Microsoft' ]

Construct an array of continuous integers

Here I will give you the best method I think

// Output 2 Starts 8 consecutive integersconst array = ({ length: 8}).map((ele, index) =&gt; index + 2);
(array); // =&gt; [ 2, 3, 4, 5, 6, 7, 8, 9 ] 
// The comment section points out that there is a simpler version, with its own mapping functionconst array = ({ length: 8}, (ele, index) =&gt; index + 2);
(array); // =&gt; [ 2, 3, 4, 5, 6, 7, 8, 9 ] 

Function parameters are assigned using deconstruction

When there are many function parameters, we often let the parameters directly accept a configuration object. However, we cannot set the default value using object parameters. When using object parameters in the function body, we also need to use object parameters to access it. When there are more visits or deep nesting, it will be inconvenient. Using deconstructed assignment in function parameters solves the above problem.

// The default value must be set to the object parameters, otherwise an error will be reported when passing the parameters because the object is not deconstructed.const getUsers = ({
 offset=0,
 limit=1,
 orderBy="salary"
}={}) =&gt; {
 // Query the database according to the conditions to return user data ({ offset, limit, orderBy });
}

getUsers({ offset: 10, limit: 20,orderBy: 'age' }); // =&gt; { offset: 10, limit: 20, orderBy: 'age' }
getUsers();// =&gt; { offset: 0, limit: 1, orderBy: 'salary' }

Use !! to convert other types to bool types

(!!{}); // true
(!!0); // false
(!![]); // true
(!!undefined); // false

const httpGet = (url, retry) =&gt; {
 if (!!retry) {
  // Re-send timeout }
}


Deep cloning

It is generally very convenient to use serialization first and then deserialization to deeply cloning objects. The disadvantage is that functions and inherited attributes cannot be cloned.
If you want to clone function properties, it is recommended to use lodash's cloneDeep.

const me = {
  name: 'lyreal666',
  age: 23,
  speak() {
    (`Hello, I'm ly!`);
  }
}

const clonedMe = ((me));
(clonedMe); // => { name: 'lyreal666', age: 23 }
( === undefined); // => true

Use the second and third parameters

The second parameter of , is used to process the attribute value, and the third parameter is used to specify the indentation length of the output json string, which can be passed either number or string.

const me = {
  name: 'lyreal666',
  age: 23,
  speak() {
    (`Hello, I'm ly!`);
  }
}

const jsonStr = (me, (key, value) =&gt; key === 'name' ? 'Lao Yu' : value, 2);

(jsonStr);
/* =>
 {
  "name": "Lao Yu",
  "age": 23
 }
 */

Elegant traversal of objects

Use deconstructed assignments and .

const me = {
  name: 'lyreal666',
  age: 23,
  speak() {
    (`Hello, I'm ly!`);
  }
}

for (const [key, value] of (me)) {
  (`${key}: ${value}`);
}

/* =>
name: lyreal666
age: 23
speak: speak() {
    (`Hello, I'm ly!`);
  }
*/

The fastest way to clear an array

Someone in the comments section said that this method of directly modifying length is problematic. I have seen a discussion about how to empty arrays before, but I think it is not a problem to use it like this in general. It is both simple and does not need to reallocate memory to the new array.

const array = [1, 2, 3, 4];
 = 0;
(array); // =&gt; []

// Netizens pointed out that a better way is to directly assign empty arrayslet array = [1, 2, 3, 4];
array = [];

Determine whether an integer is -1

// ~ The operation rules of the operator can be simply written as inverse the result of adding one(~1); // =&gt; -2
(~0); // =&gt; -1
(~(-3)); // =&gt; 2
(~(-1)); // =&gt; 0

const number = -2;

// Determine whether a number is -1if (!~number) {
  // When number is -1 operation...}

Execute the function immediately

Executing the function immediately allows variables in our code to not pollute external variables, and the common way to use them is like the following.

// Invoke the function in brackets(function(window, $) {
  // Internal code}) (window, jQuery)

The more elegant way is the following, in fact, many other arithmetic operators such as +, -, *, ~, etc. are also OK.

! function(window, $) {
  // Internal code} (window, jQuery)

// You can also use +, -, *, etc.+ function(window, $) {
  // Internal code} (window, jQuery)

// What's more magical is that you can also use new, typeof and other operatorsnew function(window, $) {
  // Internal code} (window, jQuery);

Use set to repeat the array

([...new Set([1, 3, 1, 2, 2, 1])]); // => [ 1, 3, 2 ]

Use reduce to multiply or add continuously

const array = [ 1, 2, 3, 4];
// Add(((p, c) =&gt; p + c)); // =&gt; 10
// Continuous(((p, c) =&gt; p * c)); // =&gt; 24

Round

I won’t talk about a bunch of rounding functions in Math here, but mainly mention some clever rounding methods.

(~~3.14); // =&gt; 3
(~~(-2.5)); // =&gt; -2

(6.18 | 0); // =&gt; 6
(-3.6 | 0); // =&gt; -3

(9.9 &gt;&gt; 0); // =&gt; 9
(-2.1 &gt;&gt; 0); // =&gt; -2

// superagent is a very practical node module for sending http requests. It uses the process of return code |var type = status / 100 | 0;

// status / class
 = status;
 = type;

// basics
 = 1 == type;
 = 2 == type;
 = 4 == type;
 = 5 == type;
 = 4 == type || 5 == type;

Use + to convert other types to number types

(+'3.14'); // =&gt; 3.14
(typeof +'3.14') // =&gt; number

const sleep = (milliseconds) =&gt; {
    return new Promise((resolve, reject) =&gt; {
      setTimeout(() =&gt; resolve(), milliseconds);
    });
}

// Of course, you can consider using it to test! async function main() {
  const start = +new Date();
  await sleep(3000);
  const end = +new Date();
  (`Execute${end - start}`); // Execute 3002}();

Use scientific notation to represent large numbers

const str1 = 'hello';
const str2 = ' world'

('Test + Stitch String');
for (let i = 0; i &lt; 200000000; i++) {
  const joinedStr = str1 + str2;
}
('Test + Stitch String');

('Test template string splicing string');
// It is much more convenient to use scientific counting method than 8 0for (let i = 0; i &lt; 2E8; i++) {
  const joinedStr =`${str1}${str2}`;
}
('Test template string splicing string')

/* =>
 Test + splicing string: 3238.037ms
 Test template string splicing string: 3680.225ms
 */

Exchange variable values

Directly use deconstruction assignment

let a = 666;
let b = 999;
[a, b] = [b, a];
({ a, b }); // => { a: 999, b: 666 }

Get a random string

The string after subscript 2 is intercepted because the string consisting of the decimal returned by () is not required. These two characters are 0. Use hexadecimal to create random strings with more characters

(().toString(16).substring(2)); // 13-bit => 45d9d0bb10b31(().toString(36).substring(2)); // 11Bit =&gt; zwcx1yewjvj

Flat array

ES 2019 has been added. Currently, the latest official version of chrome 73.0.3683.103 is already supported. The latest LTS 10.15.3 of node is not yet supported. The latest development version of node 11.13.0 is supported. Here is a way to compare hacks that you saw in the Nuggets Brothers's Sentence. Here you should pay attention to the type conversion according to the situation.

const array = [1, [2, [3, 4], 5], 6, 7];
(().split(',').map(ele => (ele))); // => [ 1, 2, 3, 4, 5, 6, 7 ]

Recently, when interviewing Tencent, Alibaba's front-end internship is really hard to describe. I plan to talk about my recent interview experience in the whole article later.

Summarize

The above is the entire content of this article. I hope that the content of this article has certain reference value for your study or work. Thank you for your support.