1. 字符填充: string padding
PadStart 和 PadEnd 函数可向左、右填充字符串(如空格), 还记得 leftpad 事件吗? 现在JS原生支持了。
// String.prototype.padStart(targetLength [, padString])
'hello'.padStart(10); // ' hello'
'hello'.padStart(10, '0'); // '00000hello'
'hello'.padStart(); // 'hello'
'hello'.padStart(6, '123'); // '1hello'
'hello'.padStart(3); // 'hello'
'hello'.padStart(3, '123'); // 'hello';
// String.prototype.padEnd(targetLength [, padString])
'hello'.padEnd(10); // 'hello '
'hello'.padEnd(10, '0'); // 'hello00000'
'hello'.padEnd(); // 'hello'
'hello'.padEnd(6, '123'); // 'hello1'
'hello'.padEnd(3); // 'hello'
'hello'.padEnd(3, '123'); // 'hello';
2. 函数中允许尾随逗号参数
以前的版本中,函数中是不允许出现空逗号的:
function foo(
a,
b,
c, // this threw a Parse Error before Node 8
) { … }
foo(
‘a’,
‘b’,
‘c’, // this threw a Parse Error before Node 8
);
3. async 函数
在node.js 4.0中,你要通过第三方库和 yield 来避免回调嵌套:
const co = require('co');
const fetch = require('node-fetch');
function * getUser(username) {
const res = yield fetch(`https://api.github.com/users/${username}`);
const json = yield res.json();
return json;
}
function * start() {
const user = yield getUser('github');
console.log(user); // prints out info about ‘github’ user on GitHub
}
co(start);
async/await 没有第三方依赖,写法更直观,再也不用写回调嵌套了:
const fetch = require('node-fetch');
async function getUser(username) {
const res = await fetch(`https://api.github.com/users/${username}`);
const json = await res.json();
return json;
}
async function start() {
const user = await getUser('github');
console.log(user); // prints out info about ‘github’ user on GitHub
}
start();
4. 模板文本修证 (ES2018)
字符串模板,被修正,因为 \u or \x 非常常见。
function latex(strings) {
// ...
}
latex`
\document{article}
\usepackage{somepackage}
`
// \document{article} works on previous Node versions
// \usepackage{somepackage} will only work on Node 8 due to ‘\u’ special character
5. 对象参数个数不定(省略)与扩展 (ESNEXT)
数组参数参数不定之前的node版本已经支持了,现在object也支持了:
const foo = { a: 1, b: 2, c: 3 };
const { a, ...rest } = foo;
console.log(rest); // { b: 2, c: 3 }
Object spread inserts the respective object’s key-value pairs into the target object:
const foo = { a: 1, b: 2, c: 3 };
const bar = { d: 4, e: 5 };
const baz = {};
const qux = { ...foo, ...bar, ...baz };
console.log(qux); // { a: 1, b: 2, c: 3, d: 4, e: 5 }
对象扩展可以让你不再使用 extend 来合并对象
回复 (0)
微信扫码 立即评论