1、let 声明变量(块级作用域)
2、const 声明常量,一旦声明,常量的值就不能改变
3、Class,extends,super
class Animal(){
constructor(){
this.type = 'anima'
}
says(say){
console.log(this.type+'says' + say)
}
}
let animal = new Animal(); //实例化对象
animal.says('Hello') //anima says Hello
class Cat extends Animal{
constructor(){
super()
this.type = "CAT"
}
}
let cat = new Cat()
cat.says('hello') /////cat say hello
上面代码首先用了Class定义了一个‘类’,可以看到里面有个constructor方法,这就是构造方法,而this关键字则代表实例对象。简单地说,constructor内定义的方法和属性是实例对象自己的,而constructor外定义的方法和属性则是所有实例对象可以共享的。
Class之间可以通过extends关键字实现继承,这比Es5的通过修改原型链实现继承,要清晰和方便很多。上面定义了一个Cat类,该类通过extends关键字,继承了Animal类的所有共享的属性和方法。
super关键字,它指代父类的实例(即父类的this对象)。子类必须在constructor方法中调用super方法,否则新建的实例会报错。这是因为子类没有自己的this对象,而是继承父类的this对象,然后对其进行加工。如果不调用super方法,子类就得不到this对象
Es6的继承机制,实质是先创造父类的实例对象this(所以必须先调用super方法),然后再用子类的构造函数修改this.
arrow function
定义function的写法
function (i){ return i +1;} //ES5
(i) => i+1; //ES6
如果方程比较复杂,则需要用{}把代码包起来:
function (x,y){
x++;
y--;
return x+y;
}
(x,y)=>{x++;y--; return x+y}
当我们使用箭头函数时,函数体内的this对象,就是定义所在的对象,而不是使用时所在的对象。并不是因为箭头函数内部有绑定this的机制,实际原因是箭头函数根本没有自己的this,它的this是继承外面的,因此内部的this就是外层代码块的this
for of(最简洁,最直接遍历数组元素的语法)
for of循环也支持字符串遍历,它将字符串视为一系列的Unicode字符进行遍历:
for(let value of myArray){
console.log(value);
}
Set对象可以自动排除重复项
let uniqueWords = new Set(words);
for(let value of uniqueWords){
console.log(value);
}