其他分享
首页 > 其他分享> > JS:类-Class

JS:类-Class

作者:互联网

class类

类是用于创建对象的模板。

我们使用 class 关键字来创建一个类,类体在一对大括号 {} 中,我们可以在大括号 {} 中定义类成员的位置,如方法或构造函数。

每个类中包含了一个特殊的方法 constructor(),它是类的构造函数,这种方法用于创建和初始化一个由 class 创建的对象。

(1)概述

 

(2)类定义

// 命名类(声明类)
class Example {
   constructor(a) {
       this.a = a;
  }
}
​
// 匿名类
let Example = class {
   constructor(a) {
       this.a = a;
  }
}

 

 

(3)类的主体

ES5 中定义一个类

function Point(x, y) {
  this.x = x;
  this.y = y;
}

Point.prototype.toString = function () {
  return '(' + this.x + ', ' + this.y + ')';
};

var p = new Point(1, 2);
 

ES6以后的语法(可以看做是ES5的语法糖)

//定义类
class Point {
  constructor(x, y) {
    this.x = x;
    this.y = y;
  }

  toString() {
    return '(' + this.x + ', ' + this.y + ')';
  }
}
(作者:施主画个猿
链接:https://www.jianshu.com/p/edf4d665d0df)  
class People {
//a = 10; //SyntaxError: Unexpected token =
constructor() {
this.a = 100; //定义变量
}
}
let p = new People();
console.log(p.a);

 

(4)类的继承

class People {
   //父类构造方法
constructor() {
       this.a = 100; //父类中定义的变量
console.log("People constructor");
}
   //原型方法
eat() {
console.log("eat...")
}
   //静态方法
   static play() {
console.log("play...")
}
}

class Student extends People {
   //子类构造方法
constructor() {
super(); //调用父类构造器,必须存在,且位于子类构造器第一行的位置
       this.b = 200; //子类定义的变量
console.log("Student constructor");
}
study() {
console.log("study...");
}
}

let stu = new Student();
console.log(stu.a, stu.b);
stu.eat();
stu.study();
Student.play();

 

内部类:属于外部类的成员,必须通过“外部类.内部类”访问

// 外部类
class Outer {
constructor() {
        console.log("outer");
  }
}
// 内部类
Outer.Inner = class {
   constructor() {
        console.log("Inner");
  }
}    
new Outer.Inner();

 

 

 

 

 

标签:console,log,People,子类,Class,constructor,JS,class
来源: https://www.cnblogs.com/LIXI-/p/16472291.html