和其他的编程语言一样,JavaScript也有一些小技巧来完成简单或复杂的工作。其中的一些我们可能已经知道,另外的一些可能会让我们眼前一亮。下面我将介绍JavaScript的7个小技巧。
1、数组去重
var j = [...new Set([1, 2, 3, 3])]
>> [1, 2, 3]
数组去重是不是比你认为的更简单?
2、数组去“假”
就是去除数组中为false的值,如0, undefined, null, false等等
myArray
.map(item => {
// ...
})
// Get rid of bad values
.filter(Boolean);
只需要给filter传递Boolean关键字,就可以去掉false的值。
3、创建空对象
当然我们可以用{}来创建看上去为空的对象,但是我们知道它其实并不为空,因为它还有proto属性,hasOwnProperty以及其他继承自Object的方法。当然我们还是有办法创建纯字典型的空对象的。
let dict = Object.create(null);
// dict.__proto__ === "undefined"
// No object properties exist until you add them
这样创建出来的对象就绝对没有值和方法了。
4、合并对象
合并对象在JavaScript中非常常见,特别是当我们要创建带有选项的类时:
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、函数参数默认值
ES6中我们可以给函数参数设置默认值,利用这一特性,我们可以让函数参数成为必须传入的选项:
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、解构赋值
解构在JavaScript中非常受欢迎,有时候我们喜欢用一个别名来指向对象的属性,这样我们就能很好地利用别名:
const obj = { x: 1 };
// Grabs obj.x as { x }
const { x } = obj;
// Grabs obj.x as { otherName }
const { x: otherName } = obj;
7、提取请求字符串参数
以前我们用正则表达式来提取请求字符串中的参数,现在我们有了URLSearchParams这个API,写正则提取参数的日子就一去不复返了。
// Assuming "?post=1234&action=edit"
var 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"
这么多年来JavaScript一直在变化,虽然一直在变化中,但是我们仍然需要一些好的技巧。把这些技巧放在你的工具盒中,当有需要时就使用它们。
你最喜欢的JavaScript技巧是什么呢?
原文:https://davidwalsh.name/javascript-tricks