ES6 class和import

S6的变量声明方式

保留了var和function。新增加了let、const、class和import。
而且,let、const、class声明的全局变量再也不会和全局对象的属性挂钩了。

import import导入 通过export导出

-----------
    import
  -----------
  1、ES6引入了自己的模块系统。通过export导出,import导入。
  2、与CommonJS不同的是,它是获取模块的引用,到用的时候才会真正的去取值。

  3、例如student.js中:
  let student = [
    {
      name: 'xiaoming',
      age: 21,
    },
    {
      name: 'xiaohong',
      age: 18
    }
  ]
  export default student; // 这种导出方式,你可以在import时指定它的名称。  

  4、在app.js中我们就可以这样用:
  import StudentList from './student.js'; //指定名称
  console.log(StudentList[0].name); //xiaoming

class

---------
   class
 ---------
 1、class作为es6的语法糖,实际上es5也可以实现的。
 class Point {
   constructor (x, y) {
     this.x = x;
     this.y = y;
   }
   toString () {
     return this.x + ',' + this.y;
   }
 }
 Object.assign(Point.prototype, {
   getX () {
     return this.x;
   },
   getY () {
     return this.y;
   }
 })
 let p1 = new Point(1,2);
 console.log(p1.toString()); //1,2
 console.log(p1.getX()); //1
 console.log(p1.getY()); //2
 console.log(Object.keys(Point.prototype)); // ["getX", "getY"]  

 (1)、方法之间不需要逗号分隔
 (2)、toString () {} 等价于 toString: function () {}
 (3)、你仍然可以使用Point.prototype
 (4)、你可以用Object.assign()一次性扩展很多方法
 (5)、类内部定义方法多是不可以枚举的
 (6)、constructor(){}是一个默认方法,如果没有添加,会自动添加一个空的。
 (7)、constructor默认返回实例对象(this),完全可以指定返回其他的对象。
 (8)、必须用new调用
 (9)、不存在变量提升
 (10)、当用一个变量去接受class时,可以省略classname
 (11)、es6不提供私有方法。

 2、使用extends继承
 class ThreeDPoint extends Point {
   constructor (x, y, z) {
     console.log(new.target); //ThreeDPoint
     super(x, y);
     this.z = z;
   }

   toString () {
     return super.toString() + ',' + this.z;
   }

   static getInfo() {
     console.log('static method');
   }

   get z() {
     return 4;
   }
   set z(value) {
     console.log(value);
   }
 }
 ThreeDPoint.getInfo(); // "static method"
 let ta = new ThreeDPoint(2,3,4);
 console.log(ta.toString()); //2,3,4
 console.log(ta.z); // 4
 ta.z = 200; // 200
 console.log(Object.getPrototypeOf(ThreeDPoint)); //Point

 (1)、constructor中必须调用super,因为子类中没有this,必须从父类中继承。
 (2)、子类的__proto__属性总是指向父类
 (3)、子类的prototype属性的__proto__总是指向父类的prototype
 (4)、Object.getPrototypeOf()获取父类
 (5)、super作为方法只能在constructor中
 (6)、super作为属性指向父类的prototype.
 (7)、在constructor中使用super.x = 2,实际上this.x = 2;但是读取super.x时,又变成了父类.prototype.x。
 (8)、原生构造函数是无法继承的。
 (9)、get set 方法可以对属性的赋值和读取进行拦截
 (10)、静态方法不能被实例继承。通过static声明
 (11)、静态属性只能 ThreeDPoint.name = "123" 声明 (与static没什么关系)

你可能感兴趣的:(ES6 class和import)