js-ES6 完全使用手册 js es6新特性
liuian 2024-12-30 05:16 22 浏览
- 这里的 "ES6" 泛指 ES5 之后的新语法
- 这里的 "完全" 是指本文会不断更新
- 这里的 "使用" 是指本文会展示很多 ES6 的使用场景
- 这里的 "手册" 是指你可以参照本文将项目更多的重构为 ES6 语法
此外还要注意这里不一定就是正式进入规范的语法。
1. let 和 const
在我们开发的时候,可能认为应该默认使用 let 而不是 var,这种情况下,对于需要写保护的变量要使用 const。
然而另一种做法日益普及:默认使用 const,只有当确实需要改变变量的值的时候才使用 let。这是因为大部分的变量的值在初始化后不应再改变,而预料之外的变量的修改是很多 bug 的源头。
// 例子 1-1 // bad var foo = 'bar'; // good let foo = 'bar'; // better const foo = 'bar';
2. 模板字符串
1. 模板字符串
需要拼接字符串的时候尽量改成使用模板字符串:
// 例子 2-1 // bad const foo = 'this is a' + example; // good const foo = `this is a ${example}`;
2. 标签模板
可以借助标签模板优化书写方式:
// 例子 2-2 let url = oneLine ` www.taobao.com/example/index.html ?foo=${foo} &bar=${bar} `; console.log(url); // www.taobao.com/example/index.html?foo=foo&bar=bar
oneLine 的源码可以参考 《ES6 系列之模板字符串》
3. 箭头函数
优先使用箭头函数,不过以下几种情况避免使用:
1. 使用箭头函数定义对象的方法
// 例子 3-1 // bad let foo = { value: 1, getValue: () => console.log(this.value) } foo.getValue(); // undefined
2. 定义原型方法
// 例子 3-2 // bad function Foo() { this.value = 1 } Foo.prototype.getValue = () => console.log(this.value) let foo = new Foo() foo.getValue(); // undefined
3. 作为事件的回调函数
// 例子 3-3 // bad const button = document.getElementById('myButton'); button.addEventListener('click', () => { console.log(this === window); // => true this.innerHTML = 'Clicked button'; });
4. Symbol
1. 唯一值
// 例子 4-1 // bad // 1. 创建的属性会被 for-in 或 Object.keys() 枚举出来 // 2. 一些库可能在将来会使用同样的方式,这会与你的代码发生冲突 if (element.isMoving) { smoothAnimations(element); } element.isMoving = true; // good if (element.__$jorendorff_animation_library$PLEASE_DO_NOT_USE_THIS_PROPERTY$isMoving__) { smoothAnimations(element); } element.__$jorendorff_animation_library$PLEASE_DO_NOT_USE_THIS_PROPERTY$isMoving__ = true; // better var isMoving = Symbol("isMoving"); ... if (element[isMoving]) { smoothAnimations(element); } element[isMoving] = true;
2. 魔术字符串
魔术字符串指的是在代码之中多次出现、与代码形成强耦合的某一个具体的字符串或者数值。
魔术字符串不利于修改和维护,风格良好的代码,应该尽量消除魔术字符串,改由含义清晰的变量代替。
// 例子 4-1 // bad const TYPE_AUDIO = 'AUDIO' const TYPE_VIDEO = 'VIDEO' const TYPE_IMAGE = 'IMAGE' // good const TYPE_AUDIO = Symbol() const TYPE_VIDEO = Symbol() const TYPE_IMAGE = Symbol() function handleFileResource(resource) { switch(resource.type) { case TYPE_AUDIO: playAudio(resource) break case TYPE_VIDEO: playVideo(resource) break case TYPE_IMAGE: previewImage(resource) break default: throw new Error('Unknown type of resource') } }
3. 私有变量
Symbol 也可以用于私有变量的实现。
// 例子 4-3 const Example = (function() { var _private = Symbol('private'); class Example { constructor() { this[_private] = 'private'; } getName() { return this[_private]; } } return Example; })(); var ex = new Example(); console.log(ex.getName()); // private console.log(ex.name); // undefined
5. Set 和 Map
1. 数组去重
// 例子 5-1 [...new Set(array)]
2. 条件语句的优化
// 例子 5-2 // 根据颜色找出对应的水果 // bad function test(color) { switch (color) { case 'red': return ['apple', 'strawberry']; case 'yellow': return ['banana', 'pineapple']; case 'purple': return ['grape', 'plum']; default: return []; } } test('yellow'); // ['banana', 'pineapple'] // good const fruitColor = { red: ['apple', 'strawberry'], yellow: ['banana', 'pineapple'], purple: ['grape', 'plum'] }; function test(color) { return fruitColor[color] || []; } // better const fruitColor = new Map() .set('red', ['apple', 'strawberry']) .set('yellow', ['banana', 'pineapple']) .set('purple', ['grape', 'plum']); function test(color) { return fruitColor.get(color) || []; }
6. for of
1. 遍历范围
for...of 循环可以使用的范围包括:
- 数组
- Set
- Map
- 类数组对象,如 arguments 对象、DOM NodeList 对象
- Generator 对象
- 字符串
2. 优势
ES2015 引入了 for..of 循环,它结合了 forEach 的简洁性和中断循环的能力:
// 例子 6-1 for (const v of ['a', 'b', 'c']) { console.log(v); } // a b c for (const [i, v] of ['a', 'b', 'c'].entries()) { console.log(i, v); } // 0 "a" // 1 "b" // 2 "c"
3. 遍历 Map
// 例子 6-2 let map = new Map(arr); // 遍历 key 值 for (let key of map.keys()) { console.log(key); } // 遍历 value 值 for (let value of map.values()) { console.log(value); } // 遍历 key 和 value 值(一) for (let item of map.entries()) { console.log(item[0], item[1]); } // 遍历 key 和 value 值(二) for (let [key, value] of data) { console.log(key) }
7. Promise
1. 基本示例
// 例子 7-1 // bad request(url, function(err, res, body) { if (err) handleError(err); fs.writeFile('1.txt', body, function(err) { request(url2, function(err, res, body) { if (err) handleError(err) }) }) }); // good request(url) .then(function(result) { return writeFileAsynv('1.txt', result) }) .then(function(result) { return request(url2) }) .catch(function(e){ handleError(e) });
2. finally
// 例子 7-2 fetch('file.json') .then(data => data.json()) .catch(error => console.error(error)) .finally(() => console.log('finished'));
8. Async
1. 代码更加简洁
// 例子 8-1 // good function fetch() { return ( fetchData() .then(() => { return "done" }); ) } // better async function fetch() { await fetchData() return "done" }; // 例子 8-2 // good function fetch() { return fetchData() .then(data => { if (data.moreData) { return fetchAnotherData(data) .then(moreData => { return moreData }) } else { return data } }); } // better async function fetch() { const data = await fetchData() if (data.moreData) { const moreData = await fetchAnotherData(data); return moreData } else { return data } }; // 例子 8-3 // good function fetch() { return ( fetchData() .then(value1 => { return fetchMoreData(value1) }) .then(value2 => { return fetchMoreData2(value2) }) ) } // better async function fetch() { const value1 = await fetchData() const value2 = await fetchMoreData(value1) return fetchMoreData2(value2) };
2. 错误处理
// 例子 8-4 // good function fetch() { try { fetchData() .then(result => { const data = JSON.parse(result) }) .catch((err) => { console.log(err) }) } catch (err) { console.log(err) } } // better async function fetch() { try { const data = JSON.parse(await fetchData()) } catch (err) { console.log(err) } };
3. "async 地狱"
// 例子 8-5 // bad (async () => { const getList = await getList(); const getAnotherList = await getAnotherList(); })(); // good (async () => { const listPromise = getList(); const anotherListPromise = getAnotherList(); await listPromise; await anotherListPromise; })(); // good (async () => { Promise.all([getList(), getAnotherList()]).then(...); })();
9. Class
构造函数尽可能使用 Class 的形式
// 例子 9-1 class Foo { static bar () { this.baz(); } static baz () { console.log('hello'); } baz () { console.log('world'); } } Foo.bar(); // hello // 例子 9-2 class Shape { constructor(width, height) { this._width = width; this._height = height; } get area() { return this._width * this._height; } } const square = new Shape(10, 10); console.log(square.area); // 100 console.log(square._width); // 10
10.Decorator
1. log
// 例子 10-1 class Math { @log add(a, b) { return a + b; } }
log 的实现可以参考 《ES6 系列之我们来聊聊装饰器》
2. autobind
// 例子 10-2 class Toggle extends React.Component { @autobind handleClick() { console.log(this) } render() { return ( <button onClick={this.handleClick}> button </button> ); } }
autobind 的实现可以参考 《ES6 系列之我们来聊聊装饰器》
3. debounce
// 例子 10-3 class Toggle extends React.Component { @debounce(500, true) handleClick() { console.log('toggle') } render() { return ( <button onClick={this.handleClick}> button </button> ); } }
debounce 的实现可以参考 《ES6 系列之我们来聊聊装饰器》
4. React 与 Redux
// 例子 10-4 // good class MyReactComponent extends React.Component {} export default connect(mapStateToProps, mapDispatchToProps)(MyReactComponent); // better @connect(mapStateToProps, mapDispatchToProps) export default class MyReactComponent extends React.Component {};
11. 函数
1. 默认值
// 例子 11-1 // bad function test(quantity) { const q = quantity || 1; } // good function test(quantity = 1) { ... } // 例子 11-2 doSomething({ foo: 'Hello', bar: 'Hey!', baz: 42 }); // bad function doSomething(config) { const foo = config.foo !== undefined ? config.foo : 'Hi'; const bar = config.bar !== undefined ? config.bar : 'Yo!'; const baz = config.baz !== undefined ? config.baz : 13; } // good function doSomething({ foo = 'Hi', bar = 'Yo!', baz = 13 }) { ... } // better function doSomething({ foo = 'Hi', bar = 'Yo!', baz = 13 } = {}) { ... } // 例子 11-3 // bad const Button = ({className}) => { const classname = className || 'default-size'; return <span className={classname}></span> }; // good const Button = ({className = 'default-size'}) => ( <span className={classname}></span> ); // better const Button = ({className}) => <span className={className}></span> } Button.defaultProps = { className: 'default-size' } // 例子 11-4 const required = () => {throw new Error('Missing parameter')}; const add = (a = required(), b = required()) => a + b; add(1, 2) // 3 add(1); // Error: Missing parameter.
12. 拓展运算符
1. arguments 转数组
// 例子 12-1 // bad function sortNumbers() { return Array.prototype.slice.call(arguments).sort(); } // good const sortNumbers = (...numbers) => numbers.sort();
2. 调用参数
// 例子 12-2 // bad Math.max.apply(null, [14, 3, 77]) // good Math.max(...[14, 3, 77]) // 等同于 Math.max(14, 3, 77);
3. 构建对象
剔除部分属性,将剩下的属性构建一个新的对象
// 例子 12-3 let [a, b, ...arr] = [1, 2, 3, 4, 5]; const { a, b, ...others } = { a: 1, b: 2, c: 3, d: 4, e: 5 };
有条件的构建对象
// 例子 12-4 // bad function pick(data) { const { id, name, age} = data const res = { guid: id } if (name) { res.name = name } else if (age) { res.age = age } return res } // good function pick({id, name, age}) { return { guid: id, ...(name && {name}), ...(age && {age}) } }
合并对象
// 例子 12-5 let obj1 = { a: 1, b: 2,c: 3 } let obj2 = { b: 4, c: 5, d: 6} let merged = {...obj1, ...obj2};
4. React
将对象全部传入组件
// 例子 12-6 const parmas = {value1: 1, value2: 2, value3: 3} <Test {...parmas} />
13. 双冒号运算符
// 例子 13-1 foo::bar; // 等同于 bar.bind(foo); foo::bar(...arguments); // 等同于 bar.apply(foo, arguments);
如果双冒号左边为空,右边是一个对象的方法,则等于将该方法绑定在该对象上面。
// 例子 13-2 var method = obj::obj.foo; // 等同于 var method = ::obj.foo; let log = ::console.log; // 等同于 var log = console.log.bind(console);
14. 解构赋值
1. 对象的基本解构
// 例子 14-1 componentWillReceiveProps(newProps) { this.setState({ active: newProps.active }) } componentWillReceiveProps({active}) { this.setState({active}) } // 例子 14-2 // bad handleEvent = () => { this.setState({ data: this.state.data.set("key", "value") }) }; // good handleEvent = () => { this.setState(({data}) => ({ data: data.set("key", "value") })) }; // 例子 14-3 Promise.all([Promise.resolve(1), Promise.resolve(2)]) .then(([x, y]) => { console.log(x, y); });
2. 对象深度解构
// 例子 14-4 // bad function test(fruit) { if (fruit && fruit.name) { console.log (fruit.name); } else { console.log('unknown'); } } // good function test({name} = {}) { console.log (name || 'unknown'); } // 例子 14-5 let obj = { a: { b: { c: 1 } } }; const {a: {b: {c = ''} = ''} = ''} = obj;
3. 数组解构
// 例子 14-6 // bad const splitLocale = locale.split("-"); const language = splitLocale[0]; const country = splitLocale[1]; // good const [language, country] = locale.split('-');
4. 变量重命名
// 例子 14-8 let { foo: baz } = { foo: 'aaa', bar: 'bbb' }; console.log(baz); // "aaa"
5. 仅获取部分属性
// 例子 14-9 function test(input) { return [left, right, top, bottom]; } const [left, __, top] = test(input); function test(input) { return { left, right, top, bottom }; } const { left, right } = test(input);
15. 增强的对象字面量
// 例子 15-1 // bad const something = 'y' const x = { something: something } // good const something = 'y' const x = { something };
动态属性
// 例子 15-2 const x = { ['a' + '_' + 'b']: 'z' } console.log(x.a_b); // z
16. 数组的拓展方法
1. keys
// 例子 16-1 var arr = ["a", , "c"]; var sparseKeys = Object.keys(arr); console.log(sparseKeys); // ['0', '2'] var denseKeys = [...arr.keys()]; console.log(denseKeys); // [0, 1, 2]
2. entries
// 例子 16-2 var arr = ["a", "b", "c"]; var iterator = arr.entries(); for (let e of iterator) { console.log(e); }
3. values
// 例子 16-3 let arr = ['w', 'y', 'k', 'o', 'p']; let eArr = arr.values(); for (let letter of eArr) { console.log(letter); }
4. includes
// 例子 16-4 // bad function test(fruit) { if (fruit == 'apple' || fruit == 'strawberry') { console.log('red'); } } // good function test(fruit) { const redFruits = ['apple', 'strawberry', 'cherry', 'cranberries']; if (redFruits.includes(fruit)) { console.log('red'); } }
5. find
// 例子 16-5 var inventory = [ {name: 'apples', quantity: 2}, {name: 'bananas', quantity: 0}, {name: 'cherries', quantity: 5} ]; function findCherries(fruit) { return fruit.name === 'cherries'; } console.log(inventory.find(findCherries)); // { name: 'cherries', quantity: 5 }
6. findIndex
// 例子 16-6 function isPrime(element, index, array) { var start = 2; while (start <= Math.sqrt(element)) { if (element % start++ < 1) { return false; } } return element > 1; } console.log([4, 6, 8, 12].findIndex(isPrime)); // -1, not found console.log([4, 6, 7, 12].findIndex(isPrime)); // 2
更多的就不列举了。
17. optional-chaining
举个例子:
// 例子 17-1 const obj = { foo: { bar: { baz: 42, }, }, }; const baz = obj?.foo?.bar?.baz; // 42
同样支持函数:
// 例子 17-2 function test() { return 42; } test?.(); // 42 exists?.(); // undefined
需要添加 @babel/plugin-proposal-optional-chaining 插件支持
18. logical-assignment-operators
// 例子 18-1 a ||= b; obj.a.b ||= c; a &&= b; obj.a.b &&= c;
Babel 编译为:
var _obj$a, _obj$a2; a || (a = b); (_obj$a = obj.a).b || (_obj$a.b = c); a && (a = b); (_obj$a2 = obj.a).b && (_obj$a2.b = c);
出现的原因:
// 例子 18-2 function example(a = b) { // a 必须是 undefined if (!a) { a = b; } } function numeric(a = b) { // a 必须是 null 或者 undefined if (a == null) { a = b; } } // a 可以是任何 falsy 的值 function example(a = b) { // 可以,但是一定会触发 setter a = a || b; // 不会触发 setter,但可能会导致 lint error a || (a = b); // 就有人提出了这种写法: a ||= b; }
需要 @babel/plugin-proposal-logical-assignment-operators 插件支持
19. nullish-coalescing-operator
a ?? b // 相当于 (a !== null && a !== void 0) ? a : b
举个例子:
var foo = object.foo ?? "default"; // 相当于 var foo = (object.foo != null) ? object.foo : "default";
需要 @babel/plugin-proposal-nullish-coalescing-operator 插件支持
20. pipeline-operator
const double = (n) => n * 2; const increment = (n) => n + 1; // 没有用管道操作符 double(increment(double(5))); // 22 // 用上管道操作符之后 5 |> double |> increment |> double; // 22
相关推荐
- 第7章 Linux磁盘管理—磁盘格式化和挂载
-
提醒:本文为合集文章,后续会持续更新!关注我,每日提升!7.3 格式化磁盘分区磁盘分区虽然分好区了,但暂时还不能用,我们还须对每一个分区进行格式化。所谓格式化,其实就是安装文件系统,Windows下的...
- Linux三剑客之sed命令详解,小白也能看得懂!
-
sed全称为StreamEDitor,行编辑器,同时也是一种流编辑器,它一次处理一行内容。处理时,把当前处理的行存储在临时缓冲区中,称为“模式空间”(patternspace),接着用sed命令处...
- Rust语言介绍,新崛起的编程语言
-
Rust是一门系统编程语言,由于其独特的特点和性能,近年来备受开发者关注,是近几年发展最迅猛的编程语言之一。据StackOverflow开发者调查显示,Rust连续第八年被评为最受喜爱的编程语言,...
- What does " 2>&1 " mean?
-
技术背景在Linux或Unix系统中,程序通常会将输出发送到两个地方:标准输出(stdout)和标准错误(stderr)。标准输出用于正常的程序输出,而标准错误则用于输出程序运行过程中产生的错误信息。...
- 玩转命令行:7 个高效 Linux 命令技巧,助你事半功倍!
-
日常的运维、开发、测试过程中,Linux命令行无疑是我们最常接触的界面之一。掌握一些不为人知但极具实用价值的命令技巧,不仅能大幅提升你的工作效率,更能在关键时刻帮你快速定位问题、批量处理任务、自动化...
- 作为测试人,如何优雅地查看Log日志?
-
作为一名测试工程师,测试工作中和Linux打交道的地方有很多。比如查看日志、定位Bug、修改文件、部署环境等。项目部署在Linux上,如果某个功能发生错误,就需要我们去排查出错的原因,所以熟练地掌握查...
- Linux新手必备:20个高效命令轻松掌握!
-
Linux基本命令使用指南在现代计算机操作系统中,Linux因其开放性、灵活性和强大的功能,广泛应用于服务器和开发环境中。作为技术人员,掌握Linux的基本命令是非常重要的。在本文中,我们将重点介绍2...
- 如何在 Linux 中有效使用 history 命令?
-
在Linux中,每当你在终端输入一条命令并按下回车,这条命令就会被默默记录下来。而history命令的作用,就是让你回顾这些操作的足迹。简单来说,它是一个“命令行日记本”,默认存储在用户主目录...
- Linux/Unix 系统中find命令用法
-
find是Linux/Unix系统中一个非常强大且灵活的命令,用于在目录层次结构中查找文件和目录。它允许你根据各种条件(如名称、类型、大小、权限、修改时间等)来搜索,并对找到的结果执行操作。基本...
- 阿里云国际站:如何通过日志分析排查故障?
-
本文由【云老大】TG@yunlaoda360撰写一、日志收集确定日志位置:应用程序日志:通常位于/var/log/或应用程序的安装目录下,例如Nginx的日志位于/var/log/ngi...
- Linux History命令:如何显示命令执行的日期和时间
-
在Linux系统中,history命令是一个简单却强大的工具,它允许用户查看和重用之前执行过的命令。然而,默认情况下,history命令的输出仅显示命令的序号和内容,并不包含命令执行的日期和时间。这对...
- 在R语言中使用正则表达式
-
有时候我们要处理的是非结构化的数据,例如网页或是电邮资料,那么就需要用R来抓取所需的字符串,整理为进一步处理的数据形式。R语言中有一整套可以用来处理字符的函数,在之前的博文中已经有所涉及。但真正的...
- 网络安全实战:记一次比较完整的靶机渗透
-
0x01信息搜集nmap-sC-sV-p--A10.10.10.123-T4-oAnmap_friendzone访问80端口的http服务只发现了一个域名。0x02DNS区域传输因...
- Java程序员必备的Linux命令
-
Java程序员必备的Linux命令作为一名Java开发者,在日常工作中难免会与Linux服务器打交道。熟练掌握一些常用的Linux命令,不仅能提高工作效率,还能让你在团队中显得更加专业。今天,我将带你...
- linux shell 笔记——1
-
shell的格式开头#!/bin/bash或者#!/bin/sh开头系统变量:HOME、HOME、HOME、PWD、SHELL、SHELL、SHELL、USER,PATH等等比方:echo$...
- 一周热门
-
-
Python实现人事自动打卡,再也不会被批评
-
Psutil + Flask + Pyecharts + Bootstrap 开发动态可视化系统监控
-
一个解决支持HTML/CSS/JS网页转PDF(高质量)的终极解决方案
-
【验证码逆向专栏】vaptcha 手势验证码逆向分析
-
再见Swagger UI 国人开源了一款超好用的 API 文档生成框架,真香
-
网页转成pdf文件的经验分享 网页转成pdf文件的经验分享怎么弄
-
C++ std::vector 简介
-
python使用fitz模块提取pdf中的图片
-
《人人译客》如何规划你的移动电商网站(2)
-
Jupyterhub安装教程 jupyter怎么安装包
-
- 最近发表
- 标签列表
-
- python判断字典是否为空 (50)
- crontab每周一执行 (48)
- aes和des区别 (43)
- bash脚本和shell脚本的区别 (35)
- canvas库 (33)
- dataframe筛选满足条件的行 (35)
- gitlab日志 (33)
- lua xpcall (36)
- blob转json (33)
- python判断是否在列表中 (34)
- python html转pdf (36)
- 安装指定版本npm (37)
- idea搜索jar包内容 (33)
- css鼠标悬停出现隐藏的文字 (34)
- linux nacos启动命令 (33)
- gitlab 日志 (36)
- adb pull (37)
- table.render (33)
- uniapp textarea (33)
- python判断元素在不在列表里 (34)
- python 字典删除元素 (34)
- react-admin (33)
- vscode切换git分支 (35)
- python bytes转16进制 (35)
- grep前后几行 (34)