1. 상속받은 프로토타입만 구현하는 방법
먼저 다음 코드를 살펴보세요.
function A(){ this.name="李可可"; this.age=21; } A.prototype.eat=function(){ console.log("I can eat") } function B(){} B.prototype=new A;//B继承了A var cc=new B; cc.eat();//I can eat cc.name;//"李可可"
A가 B의 모든 속성을 상속한다는 것을 알 수 있습니다. B가 A.prototype 속성을 상속받기를 원하고 A의 이름과 나이 및 많은 쓸모없는 것들을 원하지 않으면 어떻게 해야 합니까?
이렇게 하면 충분하지 않을까 하는 분들도 계실 텐데요.
B.prototype=A.prototype; var cc=new B; cc.eat();//I can eat cc.name;//undefined
야, 딱 맞는 것 같은데? 계속해서
B.prototype.fuck=function(){console.log("I fuck you!")} var cc=new B,dd=new A; cc.fuck();//I fuck you! dd.fuck();//I fuck you! //哦买噶的,怎么两个人都学会骂人了 //当子类B的prototype发生变化时也会影响到A的prototype(当然反过来也是),原因也很简单,因为我们让A.prototype指向了B的prototype
해결책:
함수를 만들고 그 안에 빈 개체를 만든 다음 빈 개체의 프로토타입이 상속할 상위 개체를 가리키도록 하고 마지막으로 이 문제를 해결하기 위해 Object와 함께 제공되는 정적 메서드 create()를 직접 사용할 수 있습니다.
Object.createPro=function(pro){ function F(){} F.prototype=pro; return new F; }
상속하는 동안 다음과 같이 B에 몇 가지 고유한 속성을 추가할 수도 있습니다.
Js 코드
function A(){ this.name="李可可"; this.age=21; } A.prototype.eat=function(){ console.log("I can eat") } function B(){} B.prototype=Object.createPro(A.prototype);//B只继承了A的prototype属性 var cc=new B; cc.eat();//I can eat cc.name;// B.prototype.fuck=function(){console.log("I fuck you!")}//我们现在改变B的prototype var dd=new A; dd.fuck();//报错TypeError //说明B.prototype的改变并没有影响到A的任何属性
두 번째 매개변수는 여러 속성을 구성하고 일부 특수 권한 태그를 제공할 수 있는 Object.defineproperties()와 매우 유사합니다.
function A(){ this.name="李可可"; this.age=21; } A.prototype.eat=function(){ console.log("I can eat") } function B(){} B.prototype=Object.create(A.prototype);//只会继承A的prototype
과 같은 모든 속성도 사용할 수 있습니다. Object.create 메소드의 호환성은 ES5와 호환되는 브라우저에서만 사용할 수 있습니다. , 또는 위와 같이 Object.createPro 메소드
function A(){ this.name="李可可"; this.age=21; } A.prototype.eat=function(){ console.log("I can eat") } function B(){} B.prototype=Object.create(A.prototype,{ p: { value: 42, writable: false, enumerable: true }//添加一个属性p,并且是不可写的,但可枚举 }); var pp=new B; pp.p;//42 pp.name;//undefined pp.eat();//I can eat pp.p=666; pp.p;//42 (不可写)
B.prototype=Object.create(new A);
function A(){ this.name="李可可"; this.age=21; } A.prototype.eat=function(){ console.log("I can eat") } function B(){} B.prototype=Object.create(A.prototype); var cc=new B; cc.constructor;//A (这里我们期望的值是B,而实际上变成了A)
//我们最容易想到的是手动设置constructor属性,像下面这样 B.prototype.constructor=B;
//使用Object.defineProperty或Object.defineProperties方法设置constructor的enumerable为false Object.defineProperty(B.prototype,"constructor",{ value:B, enumerable:false//不可枚举 }); cc.constructor;//B B.prototype.propertyIsEnumerable("constructor");//false
function C(){} C.prototype={} var pp=new C; pp.constructor;//Object (我们期望的是C) C.prototype.constructor=C; C.prototype.propertyIsEnumerable("constructor");//true (同样是可枚举的) //这里也可以使用上面的方法解决