原文链接:?__biz=MzI0ODU5Mzg0NA==&mid=2247483659&idx=1&sn=913e99fbc8ee7840c2ee71caa7de5d86&chksm=e99f2dd0dee8a4c6368924a3e392cffb4ae65d635ea6e62479aed6458aac7aaf477aa88e0f65#rd
Template Literals(模板对象)ES6中的模板字符串(Template String)是一种能在字符串文本中内嵌表达式的字符串字面量(String Literal)。
除了使用反撇号字符 ` 代替普通字符串的引号 ‘ 或 “ 外,它们看起来与普通字符串并无二致。
与普通字符串不同的是,模板字符串可以多行书写。
console.log(` <div> Support for multiple lines with backticks </div>`);模板字符串中所有的空格、新行、缩进,都会原样输出在生成的字符串中。
Extended Literals(字面量的扩展)ES6增加了两个新的数字进制标识符,第二个字母为b来表示二进制,第二个字母为o来表示八进制。
console.log(0b111110111 === 503) // 输出: true console.log(0o767 === 503) // 输出: trueES6更好的支持Unicode,支持扩展字符串和正则表达式的Unicode。
Enhanced Regular Expression(增强的正则表达式)ES6对正则表达式添加了u修饰符,含义为“Unicode模式”,用来正确处理大于\uFFFF的Unicode字符。也就是说,会正确处理四个字节的UTF-16编码。
console.log(/^\uD83D/u.test('\uD83D\uDC2A')); // 输出: true console.log(/^\uD83D/.test('\uD83D\uDC2A')); // 输出: false上面的代码中,\uD83D\uDC2A是一个四字节的UTF-16编码,代表一个字符。不加“u”,会按 ES5 将其识别为2个字符,加了“u”之后,会按 ES6 将其正确识别为一个字符。
ES6对正则表达式添加了y修饰符,叫做“粘连”(sticky)修饰符。y修饰符的作用与g修饰符类似,也是全局匹配,后一次匹配都从上一次匹配成功的下一个位置开始。不同之处在于,g修饰符只要剩余位置中存在匹配就可,而y修饰符确保匹配必须从剩余的第一个位置开始。
// y修饰符 var s = 'aaa_aa_a'; var r1 = /a+/g; var r2 = /a+/y; // 第一次匹配都成功 console.log(r1.exec(s)[0]); // 输出: aaa console.log(r2.exec(s)[0]); // 输出: aaa console.log(r1.exec(s)[0]); // 输出: aa // 剩余部分第一个位置是下划线,不匹配 console.log(r2.exec(s)); // 输出: nullES6 为正则表达式新增了sticky属性,用于表示正则对象是否设置了y修饰符。
var r = /hello\d/y; console.log(r.sticky); // 输出: trueES6 为正则表达式新增了flags属性,返回正则表达式的修饰符。
console.log(/abc/ig.flags); // 输出: gi Enhanced Object Literals(增强的对象字面量)ES6新增属性的简洁表示法,允许直接写入变量和函数,作为对象的属性和方法。这样的书写更加简洁。
function f1(x, y) { return { x, y }; }除了属性简写,ES6方法也可以简写。
function f2() { return { hello() { return "Hello!"; } } }ES6新增属性名表达式,允许字面量定义对象时,用表达式作为对象的属性名,即把表达式放在方括号内。
function f3() { return { foo: true, ['a' + 'bc']: 123 } } function getCar(make, model, value) { return { make, model, value, ['make' + make]: true, depreciate() { this.value -= 2500; } }; } let car = getCar('Kia', 'Sorento', 40000); console.log(car); // 输出: Object {make: "Kia", model: "Sorento", value: 40000, makeKia: true} car.depreciate(); console.log(car.value); // 输出: 37500 Destructuring Assignment(解构赋值)ES6允许按照一定模式,从数组和对象中提取值,对变量进行赋值,这被称为解构(Destructuring)。
解构赋值允许你使用类似数组或对象字面量的语法将数组和对象的属性赋给各种变量。这种赋值语法极度简洁,同时还比传统的属性访问方法更为清晰。
数组的解构赋值,可以从数组中提取值,按照对应位置,对变量赋值。
let numbers = [10, 20]; let [a, b] = numbers; console.log(a, b); // 输出: 10 20对象的解构赋值。
let position = { lat: 42.34455, lng: 17.34235 }; let { lat, lng } = position; console.log(lat, lng); // 输出: 42.34455 17.34235字符串的解构赋值,字符串被转换成了一个类似数组的对象。
const [c1, c2, c3, c4, c5] = 'hello'; console.log(c1, c2, c3, c4, c5); // 输出: h e l l o函数参数的解构赋值
function add([x, y]) { return x + y; } console.log(add([1, 2])); // 输出: 3