一些比较有用的 JS 技巧

1、数组去重

const j = [...new Set([1, 2, 3, 3])];

console.log(j); // [ 1, 2, 3 ]

2、过滤错误值

0undefinednullfalse 等错误值从数组中剔除:

myArray
  .map(item => {
    // ...
  })
  // Get rid of bad values
  .filter(Boolean);

3、创建一个空对象

你当然可以使用 {} 来创建一个空对象,但是这个对象依旧有 __proto__hasOwnProperty 和对象上的一些其它方法。可以这样创建一个纯的空对象:

let dict = Object.create(null);

// dict.__proto__ === "undefined"
// No object properties exist until you add them

4、合并对象

const person = { name: 'David Walsh', gender: 'Male' };
const tools = { computer: 'Mac', editor: 'Atom' };
const attributes = { handsomeness: 'Extreme', hair: 'Brown', eyes: 'Blue' };

const summary = {...person, ...tools, ...attributes};
/*
Object {
  "computer": "Mac",
  "editor": "Atom",
  "eyes": "Blue",
  "gender": "Male",
  "hair": "Brown",
  "handsomeness": "Extreme",
  "name": "David Walsh",
}
*/

5、Require Function Parameters

const isRequired = () => {
  throw new Error('param is required');
};

const hello = (name = isRequired()) => {
  console.log(`hello ${name}`);
};

// This will throw an error because no name is provided
hello();

// This will also throw an error
hello(undefined);

// These are good!
hello(null);
hello('David');

6、为解构赋值添加别名

const obj = { x: 1 };

// Grabs obj.x as { x }
const { x } = obj;

// Grabs obj.x as { otherName }
const { x: otherName } = obj;

7、获取查询字符串参数

// Assuming "?post=1234&action=edit"

const urlParams = new URLSearchParams(window.location.search);

console.log(urlParams.has('post')); // true
console.log(urlParams.get('action')); // "edit"
console.log(urlParams.getAll('action')); // ["edit"]
console.log(urlParams.toString()); // "?post=1234&action=edit"
console.log(urlParams.append('active', '1')); // "?post=1234&action=edit&active=1"
发布了34 篇原创文章 · 获赞 11 · 访问量 3191

猜你喜欢

转载自blog.csdn.net/Deepspacece/article/details/104342594