JavaScript中class类的介绍

class的概念

一、我们为什么要用到class类?

因为通过class类来创建对象,使得开发者不必写重复的代码,以达到代码复用的目的。它基于的逻辑是,两个或多个对象的结构功能类似,可以抽象出一个模板,依照模板复制出多个相似的对象。就像汽车制造商一遍一遍地复用相同的模板来制造大量的汽车车,我们暂且把class理解为一个模板.
但是为什么我们不用function函数用来重复使用呢?因为funcion声明是需要状态提升的,而class不是,class需要先声明再使用。

二、class类的语法

class Student{
    constructor(name,age,sex){
        this.name = name
        this.age= age
        this.sex = sex
    }

    read(){console.log(this.name+this.age+this.sex)}
}
var Tom =new Student('tom',21,'男')
Tom.read()

Tom是通过类Student实例化出来的对象。对象Tom是按照Student这个模板,实例化出来的对象。实例化出来的对象拥有预先定制好的结构和功能。

2.1 constructor 构造方法

constructor方法是一个特殊的方法,用来创建并初始化一个对象。在一个class中只能有一个命名为constructor的特殊方法,如果包含多个将会报错。

constructor中可以通过super关键字,调用父类的constructor方法。

2.2 static (静态方法)

通过static关键字为一个class创建静态方法

 class student{
      //静态属性
      static p = 2;
      //构造方法
      constructor(name,age,sex){
          this.name=name
          this.age=age
          this.sex=sex
      }
     //实例方法     dream(){console.log('月薪过万。')}
  }
  // 静态属性调用
  console.log(student.p)
2.3 类的继承 extends
class A {
     constructor(){
            this.name = 'Marry'
            this.age= 18
        }
    read(){console.log(this.name+this.age)}
}
class B extends A {
    constructor(props) {
        super(props)
    }
    s(){
        console.log(this.name+this.age)
    }
}
var b = new B();
b.s()

当实例 b 调用 s 方法时,b 本身没有 name和age,会根据继承找到A

2.4“this”指向问题

class中的this指向实例时的对象。

2.5 super( )关键字

关键字super用于调用父类相应的方法,这是相较于原型继承的一个好处

三.总体的写法

// 创建一个类存放特有的属性和方法,用来实例对象。
class Student{
   // 静态属性只属于Student的属性
   static s = "180";
   // 静态方法只属于Student的方法
   static m(){
       console.log("静态方法")
   }
   // 构造方法
   constructor(props){
       //实例属性
       this.name=props.name;
       this.age=props.age;
       this.sex=props.sex;
   }
   // 实例方法
   students(){
       console.log(this.name+this.age+this.sex)

   }
}
// 静态属性调用
console.log(Student.s)
// 实例化对象
var S1 = new Student('tom',21,'男');
// 调用方法
S1.students()

你可能感兴趣的:(JavaScript中class类的介绍)