如何用class实现继承

class用法

  1. class Student {
  2. constructor(name, number) {
  3. this.name = name
  4. this.number = number
  5. // this.gender = 'male'
  6. }
  7. sayHi() {
  8. console.log(
  9. `姓名 ${this.name} ,学号 ${this.number}`
  10. )
  11. // console.log(
  12. // '姓名 ' + this.name + ' ,学号 ' + this.number
  13. // )
  14. }
  15. // study() {
  16. // }
  17. }
  18. // 通过类 new 对象/实例
  19. const xialuo = new Student('夏洛', 100)
  20. console.log(xialuo.name)
  21. console.log(xialuo.number)
  22. xialuo.sayHi()
  23. const madongmei = new Student('马冬梅', 101)
  24. console.log(madongmei.name)
  25. console.log(madongmei.number)
  26. madongmei.sayHi()

继承

  1. class 的继承方式,包括属性和方法
  2. extends 继承自….
  3. super 调用父类构造函数,传递父类的值,避免一处多改
  1. // 父类
  2. class People {
  3. constructor(name) {
  4. this.name = name
  5. }
  6. eat() {
  7. console.log(`${this.name} eat something`)
  8. }
  9. }
  10. // 子类
  11. class Student extends People {
  12. constructor(name, number) {
  13. super(name)
  14. this.number = number
  15. }
  16. sayHi() {
  17. console.log(`姓名 ${this.name} 学号 ${this.number}`)
  18. }
  19. }
  20. // 子类
  21. class Teacher extends People {
  22. constructor(name, major) {
  23. super(name)
  24. this.major = major
  25. }
  26. teach() {
  27. console.log(`${this.name} 教授 ${this.major}`)
  28. }
  29. }
  30. // 实例
  31. const xialuo = new Student('夏洛', 100)
  32. console.log(xialuo.name)
  33. console.log(xialuo.number)
  34. xialuo.sayHi()
  35. xialuo.eat()
  36. // 实例
  37. const wanglaoshi = new Teacher('王老师', '语文')
  38. console.log(wanglaoshi.name)
  39. console.log(wanglaoshi.major)
  40. wanglaoshi.teach()
  41. wanglaoshi.eat()

隐式原型和显示原型

instanceof

可以判断具体引用类型,也可以说是可以判断前面的变量是不是被后面的class或者其子类构建出来的。
image.png

  1. 可以理解为:xialuo.proto===student.prototype
  2. xialuo.proto.prototype===people.prototype

image.png

原型

  1. class实际是函数,可见是语法糖。

image.png

  1. _proto:隐式原型;prototype:显示原型。二者全等(===)

image.png

  1. 每个class都有显示原型prototype,每个实例都有隐式原型proto,实例的proto指向对应class的prototype

image.png

  1. 基于原型的执行规则

image.png

原型链(重要)

image.png
image.png

此处要注意,name是xialuo本身的属性,但sayHi不是。如:
image.png
hasOwnprototype是Object.prototype中的。故
image.png

面试题

如何准确判断一个变量是不是数组

image.png

手写一个简易的jQuery,考虑插件和扩展性

此处留个疑问!!!!!!!!!!!!!!!!!

class的原型本质,怎么理解?

image.png