对象继承

A 对象通过继承 B 对象,就能直接拥有 B 对象的所有属性和方法。这对于代码的复用是非常有用的。
JavaScript 语言的继承不通过 class (es6 中的class 不过是 prototype 的语法糖),而是通过“原型对象”`prototype`实现

#### 传统原型链式继承

- 过多的继承属性
- 比如一个函数用不到某个原型方法或属性,那么方法或属性就过剩了
  1. function Grand(){};
  2. Grand.prototype.name="grand";
  3.  
  4. let grand = new Grand();
  5.  
  6. Father.prototype=grand;
  7. function Father(){}
  8. let father = new Father();
  9.  
  10. Son.prototype=father;
  11. function Son(){}
  12. let son = new Son();

#### 借用构造函数 使用call/appply

- 不是真正继承,因为不能调用原型上的方法,而且每调用一次都会调用多次函数,实际上步骤没有变少
- 工业级推荐使用
- 缺点无法添加私有原型
  1. function Father() { }
  2.  
  3. function Son() {
  4. Father.call(this); // 调用父类构造函数
  5. }
  6.  
  7. Son.prototype.print = function() {
  8. Father.prototype.print.call(this);//只使用单个方法
  9. }
  10. // 子类继承父类的原型
  11. Son.prototype = Object.create(Father.prototype);
  12. Son.prototype.constructor = Son;

#### 圣杯模式

>隐式附加的东西就私有化,可以公共定义的东西提取出来公有化
  1. let inherit =(function(){
  2. let Interim =function Interim() {};
  3. return function (Target,Origin){//继承源
  4. Interim.prototype =Object.create(Origin);
  5. Target.prototype = Interim.prototype;
  6.  
  7. //现在 可以 制定自己的私有属性,但是 constuctor 不是 原函数所一手动赋值回来,如果想要知道函数真正继承那个原型需要保存它
  8. Target.prototype.constuctor = Target;
  9. Target.prototype.yliluokka =Origin;
  10. }
  11. }())

#### 多重继承

JavaScript 不提供多重继承功能,即不允许一个对象同时继承多个对象。但是,可以通过`Object.assign`,实现这个功能。这种模式称之为 Mixin (混入)
  1. function Fn1(){ }
  2. function Fn2(){ }
  3. function Son(){
  4. F1.call(this);
  5. F2.call(this);
  6. }
  7. //继承F1
  8. Son.prototype =Object.create(Fn1.prototype);
  9. //继承F2
  10. Object.assign(Son.prototype,Fn2.prototype);
  11. Son.prototype.constructor =Son;
  12. let a =new Son();

### call,apply and bind difference

-  都可改变函数内部this的指向(即函数执行时所在的作用域),然后在所指定的作用域中,调用该函数。
 
 

#### call and apply

  1. function test() {}
  2. //test() == test.call()
  3.  
  4. let obj ={};
  5. Object.prototype.toString.call(obj) //"[object Object]"
  6. //因为call 和 apply 会将函数中的this指向第一个参数
  7. //相当于 obj.toString()
`call and apply` 二者区别在于传参:
- call 第二个参数开始单个单个参数传
- apply 第二个参数为数组或类数组
  1. //返回数组中最大的数
  2. let a = [1, 2, 4, 1, 15];
  3. Math.max.apply(null, a) //
  4.  
  5. //将数组的空元素变为undefined
  6. Array.apply(null [1,,3,,4)//[1,undefined,3,undefined,4];
空元素与undefined的差别
- forEach方法会跳过空元素,但是不会跳过undefined。因此,遍历内部元素的时候,会得到不同的结果。
 
转换类似数组的对象
  1. let obj={0: 1, length: 2}
  2. Array.protetype.slice.apply(obj);//[1,undefined]
被处理的对象必须有length属性,以及相对应的数字键。

参数为空、null和undefined,则默认传入全局对象。

#### bind

bind方法用于将函数体内的this绑定到某个对象,然后返回一个新函数。
  1. let counter = {
  2. count: 0,
  3. inc: function () {
  4. this.count++;
  5. }
  6. };
  7.  
  8. let func = counter.inc.bind(counter);
  9. func();
  10. counter.count //
  11.  
  12. let add = function (x, y) {
  13. return x * this.m + y * this.n;
  14. }
  15.  
  16. let obj = {
  17. m: 2,
  18. n: 2
  19. };
  20.  
  21. let newAdd = add.bind(obj, 5); //将x 绑定为 5
  22. newAdd(5) //
  23. newAdd(1,5)//

第一个参数是null或undefined,等于将this绑定到全局对象

#### bind方法使用注意点

- bind方法每运行一次,就返回一个新函数 需要一个变量接收
- 结合回调函数使用
  1. let counter = {
  2. count: 0,
  3. inc: function () {
  4. 'use strict';
  5. this.count++;
  6. }
  7. };
  8.  
  9. function callIt(callback) {
  10. callback();
  11. }
  12.  
  13. callIt(counter.inc.bind(counter));
  14. counter.count //
- 结合call方法使用
  1. [1, 2, 3].slice(0, 1) // [1]
  2. // 等同于
  3. Array.prototype.slice.call([1, 2, 3], 0, 1) // [1]
  4.  
  5. //将Array.prototype.slice变成Function.prototype.call方法所在的对象
  6. //调用时就变成了Array.prototype.slice.call。
  7.  
  8. let slice = Function.prototype.call.bind(Array.prototype.slice);
  9. Function.prototype.slice.call([1, 2, 3], 0, 1) // [1]
  10. //slice([1, 2, 3], 0, 1)
  11.  
  12. let push = Function.prototype.call.bind(Array.prototype.push);
  13. let pop = Function.prototype.call.bind(Array.prototype.pop);
  14.  
  15. let a = [1 ,2 ,3];
  16. push(a, 4)
  17. a // [1, 2, 3, 4]
  18.  
  19. pop(a)
  20. a // [1, 2, 3]
- 将Function.prototype.bind方法变成Function.prototype.call的方法,就意味着bind的调用形式也可以被改写
  1. function f() {
  2. console.log(this.v);
  3. }
  4.  
  5. let o = { v: 123 };
  6. let bind = Function.prototype.call.bind(Function.prototype.bind);
  7. bind(f, o)() //

### `Object 系统默认方法`

- `getPrototypeOf` 获取对象原型,只有一个参数
  1. function Foo (){}
  2. let obj = new Foo ();
  3. Object.getPrototypeOf(obj) // Foo.prototype
  4.  
  5. //空对象原型
  6. Object.getPrototypeOf({}) // Object.prototype
  7. // Object.prototype 原型
  8. Object.getPrototypeOf(Object.prototype) //null
  9. // Foo
  10. Object.getPrototypeOf(Foo) // Function.prototype
- `setPrototypeOf` 设置对象原型
有两个参数:
1. 现有对象
2. 继承的原型对象
  1. let now = {};
  2. let pro = {name:"Owen"};
  3.  
  4. Object.setPrototypeOf(now,pro);
  5. now.name //"Owen"
- `Object.create()`
> 生成实例对象的常用方法 参数必须为对象 或 null
- 参数为 `null` 会生成一个不会继承任何属性和方法的对象
  1. let obj = Object.create(null);
  2. obj.toString()// Error
  3.  
  4. //会继承第二个参数的属性和方法
  5. let obj = Object.create({}, {
  6. p1: {
  7. value: 123,
  8. enumerable: true,
  9. configurable: true,
  10. writable: true,
  11. },
  12. p2: {
  13. value: 'Owen',
  14. enumerable: true,
  15. configurable: true,
  16. writable: true,
  17. }
  18. });
  19.  
  20. // 等同于
  21. let obj = Object.create({});
  22. obj.p1 = 123;
  23. obj.p2 = 'Owen';
  24.  
  25. //生成的对象会继承它的原型对象的构造函数。
  26. function Foo() {}
  27. let f = new Foo();
  28. let b = Object.create(f);
  29.  
  30. b.constructor === Foo // true
  31. b instanceof Foo // true
- `object.isPrototypeOf`
> 判断对象是否再参数对象的原型链上
  1. function F(){}
  2. let f = new F()
  3. F.prototype.isPrototypeOf(f) //true
- 获取原型的三种方法
1. `obj.__proto__`
2. `obj.constructor.prototype`
3. `Object.getPrototypeOf(obj)`
 
- 前两种不可靠,都个一手动修改, 而且 `__proto__` 只有浏览器才需要部署
- `getOwnPropertyNames` 和 `keys`
> 以数组形式返回参数对象所有属性名(不包含继承属性)
  1. //不管可不可遍历都会返回出来
  2. Object.getOwnPropertyNames(Date);//["length", "name", "prototype", "now", "parse", "UTC"]
  3. //返回可遍历属性
  4. Object.keys(Date)// []
- `hasOwnProperty`
> 判断参数是否是自身的属性,唯一一个不会遍历原型链的方法
  1. Array.hasOwnProperty('length')//true

### 拷贝对象

拷贝对象需要确保两件事情:
- 与原对象具有同样的原型。
- 与原对象具有同样的实例属性。
  1. function copyOwn (target,origin){
  2. Object.getOwnPropertyNames(origin).forEach((key)=>{
  3. let desc =Object.getOwnPropertyDescriptor(origin,key);
  4. Object.defineProperty(target,origin,desc);
  5. })
  6. return target
  7. }
  8.  
  9. function copy(origin){
  10. let clone = Object.create (Object.getPrototypeOf(origin));
  11. copyOwn(clone,origin)
  12. return clone
  13. }
  14.  
  15. //es8
  16. const copyTwo = origin =>Object.create( Object.getPropertyOf(origin),Object.getOwnPropertyDescriptor(origin) );

oop(一)

JavaScript 对象继承 OOP (三)的更多相关文章

  1. 实现JavaScript中继承的三种方式

    在JavaScript中,继承可以通过三种手法实现原型链继承 使用apply.call方法 对象实例间的继承.     一.原型链继承 在原型链继承方面,JavaScript与java.c#等语言类似 ...

  2. javascript类继承系列三(对象伪装)

    原理:在子类的构造器上调用超类构造器(父类构造器中的this指向子类实例),js提供了apply()和call()函数,可以实现这种调用 function baseClass() { this.col ...

  3. 详解JavaScript对象继承方式

    一.对象冒充 其原理如下:构造函数使用 this 关键字给所有属性和方法赋值(即采用类声明的构造函数方式).因为构造函数只是一个函数,所以可使 Parent 构造函数成为 Children 的方法,然 ...

  4. javascript实现继承的三种方式

    一.原型链继承  function Parent(){} function Child(){} Child.prototype = new Parent(); 通过对象child的prototype属 ...

  5. JavaScript(JS)之Javascript对象DOM(三)

    https://www.cnblogs.com/haiyan123/p/7598320.html 一.什么是HTML  DOM HTML  Document Object Model(文档对象模型) ...

  6. JavaScript对象继承方式

    一.对象冒充 其原理如下:构造函数使用 this 关键字给所有属性和方法赋值(即采用类声明的构造函数方式).因为构造函数只是一个函数,所以可使 Parent 构造函数 成为 Children 的方法, ...

  7. 深入理解javascript对象系列第三篇——神秘的属性描述符

    × 目录 [1]类型 [2]方法 [3]详述[4]状态 前面的话 对于操作系统中的文件,我们可以驾轻就熟将其设置为只读.隐藏.系统文件或普通文件.于对象来说,属性描述符提供类似的功能,用来描述对象的值 ...

  8. javascript对象继承的实现

    现在有两个对象,需要实现Chinese类型对象对Person类型对象的继承. 这里分两部分,属性和方法. 属性可以直接用构造函数的方法实现继承,而方法则要通过原型链来实现继承. 先解释什么是原型链,每 ...

  9. Javascript 对象继承 原型链继承 对象冒充 call 混合方式

    一.原型链继承 function ClassA() {} ClassA.prototype.color = "blue"; ClassA.prototype.sayColor = ...

随机推荐

  1. Java框架之Java Bean

    链接 知乎https://www.zhihu.com/question/19773379 总结 符合一定规范的编写的Java类,不是一种技术,而是一种规范.大家对于这种规范,总结了很多开发技巧,工具函 ...

  2. ASP 注释

    ASP.NET中使用HTML标准注释<!-- -->回导致程序崩溃,必须使用ASP标准注释<%-- --%>

  3. [USACO09FEB]改造路Revamping Trails 分层最短路 Dijkstra BZOJ 1579

    题意翻译 约翰一共有N)个牧场.由M条布满尘埃的小径连接.小径可 以双向通行.每天早上约翰从牧场1出发到牧场N去给奶牛检查身体. 通过每条小径都需要消耗一定的时间.约翰打算升级其中K条小径,使之成为高 ...

  4. opencv-视频基本操作

    写视频 # encoding: utf-8 ''' @author: gaoyongxian666 @file: opencv_video_write.py @time: 2018/4/15 11:1 ...

  5. Set去掉重复的元素

    String[] uids= request.getParameterValues("dxus");获取页面传过来的id //--------------------------- ...

  6. 读经典——《CLR via C#》(Jeffrey Richter著) 笔记_通过ILDasm.exe查看编译器如何将类型及其成员编译成元数据

    [实例代码] using System; public sealed class SomeType //-------------1 { //嵌套类 private class SomeNestedT ...

  7. 华东交通大学2015年ACM“双基”程序设计竞赛1002

    Problem B Time Limit : 3000/1000ms (Java/Other)   Memory Limit : 65535/32768K (Java/Other) Total Sub ...

  8. PHP漏洞全解—————9、文件上传漏洞

    本文主要介绍针对PHP网站文件上传漏洞.由于文件上传功能实现代码没有严格限制用户上传的文件后缀以及文件类型,导致允许攻击者向某个可通过 Web 访问的目录上传任意PHP文件,并能够将这些文件传递给 P ...

  9. python3 logging笔记

    #coding:utf-8import logging logger = logging.getLogger("simple_example")#可以说是日志信息的名字吧,可以随便 ...

  10. struts1学习

    转载:https://blog.csdn.net/toyouheart/article/details/4509466