内容简介:ES10在新语言功能方面没有ES6那么重要,但它确实添加了一些有趣的东西(其中一些在目前版本的浏览器中还不起作用:02/20/2019)
ES10
仍然只是一个草案。但是除了 Object.fromEntries
大多数功能已经在 Chrome
中实现,所以你为什么不尽早开始探索它呢?当所有浏览器开始支持它时,你已经获得了领先优势,这只是时间问题。对于有兴趣探索ES10的人来说,这是一份 非外星人 指南。
ES10在新语言功能方面没有ES6那么重要,但它确实添加了一些有趣的东西(其中一些在目前版本的浏览器中还不起作用:02/20/2019)
ES6
中最受欢迎的功能莫过于 箭头函数 了,那么 ES10
中呢?
BigInt - 任意精度整数
BigInt
是第7种原始类型。
BigInt
是一个任意精度的整数。这意味着变量现在可以代表2^53个数字。而且最大限度是9007199254740992。
const b = 1n; //追加n来创建一个BigInt
在过去的整数值大于9007199254740992不支持。如果超出,则该值将锁定为 MAX_SAFE_INTEGER + 1
:
const limit = Number.MAX_SAFE_INTEGER; ⇨ 9007199254740991 limit + 1; ⇨ 9007199254740992 limit + 2; ⇨ 9007199254740992 <--- MAX_SAFE_INTEGER + 1 exceeded const larger = 9007199254740991n; ⇨ 9007199254740991n const integer = BigInt(9007199254740991); // initialize with number ⇨ 9007199254740991n const same = BigInt("9007199254740991"); // initialize with "string" ⇨ 9007199254740991n 复制代码
typeof
typeof 10; ⇨ 'number' typeof 10n; ⇨ 'bigint' 复制代码
=== ==
10n === BigInt(10); ⇨ true 10n == 10; ⇨ true 复制代码
* /
200n / 10n ⇨ 20n 200n / 20 ⇨ Uncaught TypeError: Cannot mix BigInt and other types, use explicit conversions < 复制代码
- +
-100n ⇨ -100n +100n ⇨ Uncaught TypeError: Cannot convert a BigInt value to a number 复制代码
当你读到这个 matchAll
时,它可能会在 Chrome C73
中正式实现 - 如果没有,它仍然值得一看。特别是如果你是一个 正则表达式 瘾君子。
string.prototype.matchAll()
如果你谷歌搜索"javascript string match all",第一条结果可能会是这样的 How do I write a regular expression to “match all”? 。 排名靠前的结果会建议你使用 String.match
匹配的时候在正则表达式或者 RegExp.exc
或者 RegExp.text
后加上 /g
...
首先,我们来看下旧的规范是如何运行的。
String.match
, match
只返回字符串参数第一个符合匹配的。
let string = 'Hello' let matches = string.match('l') console.log(matches[0]) // 'l' 复制代码
匹配的结果是单个 'l'
。(注意: match
匹配的结果存储在 matches[0]
而非在 matches
),在字符串 'hello'
中搜索匹配 'l'
只有 'l'
被返回来。使用 regexp
参数也是得到一样的结果。
我们把字符 'l'
更换为表达式 /l/
:
let string = 'Hello' let matches = string.match(/l/) console.log(matches[0]) // 'l' 复制代码
添加 /g
String.match
使用正则表达式带上 /g
标签会返回多个匹配。
let string = 'Hello' let ret = string.match(/l/g) // ['l', 'l'] 复制代码
Great...在低于 ES10
的环境中我们得到了多个匹配结果,并且一直有效。
那么为什么要用全新的 matchAll
方法呢?在我们更详细地回答这个问题之前,让我们来看看 capture group
。如果不出意外,你可能会学到新的有关正则表达式的东西。
正则表达式捕获组
在正则表达式中捕获组只是在 ()
括号中提取匹配。你可以从 /regex/.exec(string)
和 string.match
捕获组。
通常捕获组是在匹配规则中被创建的。输出对象上创建 groups
属性如: (?<name>)
。要创建一个新的组名,只需在括号内添加 (?<name>)
属性,分组(模式)匹配将成为附加到 match
对象的 groups.name
。
看一个实际的例子:
字符串标本匹配
创建match.groups.color & match.groups.bird
匹配:
const string = 'black*raven lime*parrot white*seagull' const regex = /(?<color>.*?)\*(?<bird>[a-z0-9]+)/g while (match = regex.exec(string) { let value = match[0] let index = match.index let input = match.input console.log(`${value} at ${index} with '${input}'`) console.log(match.groups.color) console.log(match.groups.bird) } 复制代码
需要多次调用 regex.exec
方法来遍历整个搜索结果。在每次迭代调用 .exec
时,会显示下一个结果(它不会立即返回所有匹配项)。
控制台输出:
black*raven at 0 with 'black*raven lime*parrot white*seagull' black raven lime*parrot at 11 with 'black*raven lime*parrot white*seagull' lime parrot white*seagull at 23 with 'black*raven lime*parrot white*seagull' white seagull 复制代码
这里有一个怪事:
如果你从这个正则表达式中删除 / g
,你将永远在第一个结果上创建一个无限循环循环。这在过去是一个巨大的痛苦。想象一下从某个数据库接收正则表达式,你不确定它是否在最后有 / g
。你必须先检查它,等等。
现在我们有足够的背景知识回答这个问题:
最好使用 .matchAll()
- 使用捕获组时更加优雅。捕获组知识带有提取模式()的正则表达式的一部分。
- 它返回一个 迭代器 而不是数组,迭代器本身很有用。
- 可以使用 扩展运算符... 将 迭代器 转为 数组 。
- 它 避免 使用带
/g
标志的 正则表达式 ...当从数据库或外部源检索未知的正则表达式并与古老的RegEx对象一起使用时非常有用。 - 使用
RegExp
对象创建的正则表达式不能使用点(.
)运算符链接。 - **高级:
RegEx
**对象跟踪最后匹配位置的内部.lastIndex
属性,这可能对复杂案例有破坏性的事情。
.matchAll()
如何工作
这是一简单个例子。
我们尝试匹配字符串 Hello
的所有 e
和 l
。因为返回了 iterator ,所以我们用 for ... of
处理它。
// Match all occurrences of the letters: 'e' 或者 'l' let iterator = 'hello'.matchAll(/[el]/) for (const match of iterator) { console.log(match) } 复制代码
如上,你可以跳过 /g
, .matchAll
不需要它。结果:
[ 'e', index: 1, input: 'hello' ] // Iteration 1 [ 'l', index: 2, input: 'hello' ] // Iteration 2 [ 'l', index: 3, input: 'hello' ] // Iteration 3 复制代码
使用 .matchAll()
捕获组示例: .matchAll()
具有上面列举的所有好处,它是一个 迭代器 ,所以我们可以用它来循环,这就是整个 句法 差异。
const string = 'black*raven lime*parrot white*seagull'; const regex = /(?<color>.*?)\*(?<bird>[a-z0-9]+)/; for (const match of string.matchAll(regex)) { let value = match[0]; let index = match.index; let input = match.input; console.log(`${value} at ${index} with '${input}'`); console.log(match.groups.color); console.log(match.groups.bird); } 复制代码
注意去掉 /g
标志,因为 .matchAll()
已经隐含了它。
结果输出:
black*raven at 0 with 'black*raven lime*parrot white*seagull' black raven lime*parrot at 11 with 'black*raven lime*parrot white*seagull' lime parrot white*seagull at 23 with 'black*raven lime*parrot white*seagull' white seagull 复制代码
也许在美学上它与循环实现时的原始 regex.exec
非常相似。但如前所述,由于上述许多原因,这是更好的方法。并且删除 / g
不会导致无限循环。
动态 import
现在可以将导入分配给一个变量:
element.addEventListener('click', async () => { const module = await import('./api-scripts/button-click.js') module.clickEvent() }) 复制代码
Array.flat()
扁平化多维数组:
let multi = [1,2,3,[4,5,6,[7,8,9,[10,11,12]]]]; multi.flat(); // [1,2,3,4,5,6,Array(4)] multi.flat().flat(); // [1,2,3,4,5,6,7,8,9,Array(3)] multi.flat().flat().flat(); // [1,2,3,4,5,6,7,8,9,10,11,12] multi.flat(Infinity); // [1,2,3,4,5,6,7,8,9,10,11,12] 复制代码
Array.flatMap()
let array = [1, 2, 3, 4, 5] array.map(x => [x, x * 2]) 复制代码
变为:
[Array(2), Array(2), Array(2)] 0: (2)[1, 2] 1: (2)[2, 4] 2: (2)[3, 6] 3: (2)[4, 8] 4: (2)[5, 10] 复制代码
再次扁平化数组:
array.flatMap(v => [v, v * 2]) [1, 2, 2, 4, 3, 6, 4, 8, 5, 10] 复制代码
Object.fromEntries()
将键值对列表转换为对象。
let obj = { apple : 10, orange : 20, banana : 30 }; let entries = Object.entries(obj); entries; (3) [Array(2), Array(2), Array(2)] 0: (2) ["apple", 10] 1: (2) ["orange", 20] 2: (2) ["banana", 30] let fromEntries = Object.fromEntries(entries); { apple: 10, orange: 20, banana: 30 } 复制代码
String.trimStart() & String.trimEnd()
let greeting = " Space around "; greeting.trimEnd(); // " Space around"; greeting.trimStart(); // "Space around "; 复制代码
格式良好的JSON.stringify()
此更新修复了字符 U + D800
到 U + DFFF
的处理,有时可以进入 JSON
字符串。这可能是一个问题,因为 JSON.stringify
可能会返回格式化为没有等效 UTF-8
字符的值的这些数字。但 JSON
格式需要 UTF-8
编码。
JSON
对象可用于解析 JSON
格式(但也更多。) JavaScript JSON
对象也具有 stringify
和 parse
方法。
该解析方法适用于一个结构良好的 JSON
字符串,如:
'{ “prop1” : 1, "prop2" : 2 }'; // A well-formed JSON format string
请注意,创建具有正确 JSON
格式的字符串绝对需要使用围绕属性名称的双引号。缺少 ...
或任何其他类型的引号将不会产生格式良好的 JSON
。
'{ “prop1” : 1, "meth" : () => {}}'; // Not JSON format string
JSON
字符串格式是不同的,从对象文本 ......它看起来几乎相同,但可以使用任何类型的周围属性名称的报价,还可以包括方法(JSON格式不允许的方法):
let object_literal = { property:1,meth:()=> {} };
无论如何,一切似乎都很好。第一个示例看起来合规。但它们也是简单的例子,大部分时间都可以毫无障碍地工作!
U + 2028和U + 2029字符
这是捕获。 ES10
之前的 EcmaScript
实际上并不完全支持 JSON
格式。在 ES10
之前的时代,不接受未转义的行分隔符 U + 2028
和段落分隔符 U + 2029
字符:
U + 2029是行分隔符。
U + 2029是段落分隔符。有时它可能会潜入您的JSON格式字符串。
对于U + D800 - U + DFFF之间的所有字符也是如此
如果这些字符悄悄进入你的JSON格式的字符串(比如说来自数据库记录),你最终可能花费数小时试图弄清楚为什么程序的其余部分会产生解析错误。
所以,如果你传递的 eval
一个字符串,像“ console.log(‘hello’)
”这将执行 JavaScript
语句(试图通过字符串实际代码转换。)这也类似于如何 JSON.parse
将处理您的 JSON
字符串。
稳定的Array.prototype.sort()
V8的先前实现对包含10个以上项的数组使用了 不稳定 的快速 排序 算法。
一个稳定的 排序算法 是当两个具有相等键的对象在排序输出中以与未排序输入中出现的顺序相同的顺序出现时。
但现在已经不是这样了。ES10提供稳定的阵列排序:
var fruit = [ { name: "Apple", count: 13, }, { name: "Pear", count: 12, }, { name: "Banana", count: 12, }, { name: "Strawberry", count: 11, }, { name: "Cherry", count: 11, }, { name: "Blackberry", count: 10, }, { name: "Pineapple", count: 10, } ]; // Create our own sort criteria function: let my_sort = (a, b) => a.count - b.count; // Perform stable ES10 sort: let sorted = fruit.sort(my_sort); console.log(sorted); 复制代码
控制台输出(项目以相反的顺序出现):
New Function.toString()
Funcitons是对象,每个对象都有个 .toString()
方法因为它最初存在于 Object.prototype.toString()
。所有的 objects
(包括functions)都继承至基于原型的类继承。这意味着我们已经有了 function.toString()
方法了。
但是ES10进一步尝试标准化所有对象和内置函数的字符串表示。以下新案例:
Classic example
function () { console.log('Hello there.'); }.toString(); 复制代码
控制台输出(字符串格式的函数体:)
⇨ function () { console.log('Hello there.'); } 复制代码
以下是其它案例:
直接来自函数名
Number.parseInt.toString(); ⇨ function parseInt() { [native code] } 复制代码
绑定上下文
function () { }.bind(0).toString(); ⇨ function () { [native code] } 复制代码
内置可调用函数对象
Symbol.toString(); ⇨ function Symbol() { [native code] } 复制代码
动态生成的函数
Function().toString(); ⇨ function anonymous() {} 复制代码
动态生成的生成器 function*
function* () { }.toString(); ⇨ function* () { } 复制代码
prototype.toString
Function.prototype.toString.call({}); ⇨ Function.prototype.toString requires that 'this' be a Function" 复制代码
可选的Catch Binding
在过去, try / catch
语句中的 catch
子句需要一个变量。
try / catch
语句帮助我们拦截在终端层面的错误:
这是一个复习:
try { // Call a non-existing function undefined_Function undefined_Function("I'm trying"); } catch(error) { // Display the error if statements inside try above fail console.log( error ); // undefined_Function is undefined } 复制代码
但在某些情况下,所需的 error
变量未被使用:
try { JSON.parse(text); // <--- this will fail with "text not defined" return true; <--- exit without error even if there is one } catch (redundant_sometmes) <--- this makes error variable redundant { return false; } 复制代码
编写此代码的人尝试通过强制为 true
退出 try
子句。但是......事实并非如此(正如Douglas Massolari.所说)。
(() => { try { JSON.parse(text) return true } catch(err) { return false } })() => false 复制代码
在ES10中,Catch Error Binding是可选的
你现在可以跳过 error
变量:
try { JSON.parse(text); return true; } catch { return false; } 复制代码
标准化的 globalThis 对象
ES10之前全局 this
没有标准化。
生产代码中,你必须手动添加如下代码来标准化多个平台的全局对象。
var getGlobal = function () { if (typeof self !== 'undefined') { return self; } if (typeof window !== 'undefined') { return window; } if (typeof global !== 'undefined') { return global; } throw new Error('unable to locate global object'); }; 复制代码
但即使这样也并不总是奏效。所以 ES10
添加了 globalThis
对象,从现在开始应该在任何平台上访问全局作用域:
// Access global array constructor globalThis.Array(0, 1, 2); ⇨ [0, 1, 2] // Similar to window.v = { flag: true } in <= ES5 globalThis.v = { flag: true }; console.log(globalThis.v); ⇨ { flag: true } 复制代码
Symbol.description
description
是一个只读属性,返回 Symbol
对象的可选描述。
let mySymbol = 'My Symbol'; let symObj = Symbol(mySymbol); symObj; // Symbol(My Symbol) String(symObj) === 'Symbol(${mySymbol})`); // true symObj.description; // "My Symbol" 复制代码
Hashbang 语法
shebang unix
用户会熟悉 AKA
。
它指定一个解释器(什么将执行您的JavaScript文件?)
ES10标准化了这一点。我不会详细介绍这个,因为这在技术上并不是一个真正的语言功能。但它基本上统一了JavaScript在服务器端的执行方式。
$ ./index.js 复制代码
代替:
$ node index.js 复制代码
在类Unix操作系统下。
ES10 Classes: private, static & public members
新的语法字符#(hash tag)现在直接在类主体作用域以及 constructor
和类方法里被用来定义 variables
, functions
, getters
和 setters
这是一个相当无意义的示例,仅关注新语法:
class Raven extends Bird { #state = { eggs: 10}; // getter get #eggs() { return state.eggs; } // setter set #eggs(value) { this.#state.eggs = value; } #lay() { this.#eggs++; } constructor() { super(); this.#lay.bind(this); } #render() { /* paint UI */ } } 复制代码
说实话,我认为它使语言更难阅读。
它仍然是我最喜欢的新功能,因为我喜欢 C ++
时代的 classes
。
总结与反馈
ES10是一套尚未有机会在生产环境中进行全面探索的新功能。如果您有任何更正,建议或任何其他反馈,请告诉我们。
我经常写一个教程,因为我想自己学习一些科目。这是其中一次,有其他人已经编译的资源的帮助:
感谢Sergey Podgornyy写了这篇ES10教程。 感谢 Selvaganesh写了这篇ES10教程。
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持 码农网
猜你喜欢:- iOS 12 人机交互指南:系统功能(System Capabilities)
- iOS12界面设计指南之功能(System Capabilities)–虚拟现实
- 谷歌开源项目风格指南之 Python 风格指南
- RVM 使用指南
- Canvas 优化指南
- HIVE 使用指南
本站部分资源来源于网络,本站转载出于传递更多信息之目的,版权归原作者或者来源机构所有,如转载稿涉及版权问题,请联系我们。
Developing Large Web Applications
Kyle Loudon / Yahoo Press / 2010-3-15 / USD 34.99
As web applications grow, so do the challenges. These applications need to live up to demanding performance requirements, and be reliable around the clock every day of the year. And they need to withs......一起来看看 《Developing Large Web Applications》 这本书的介绍吧!