この記事の例では、js で継承を実装する 5 つの方法について説明します。参考のために皆さんと共有してください。詳細は次のとおりです:
1. 継承の最初の方法: オブジェクトの偽装
function Parent(username){ this.username = username; this.hello = function(){ alert(this.username); } } function Child(username,password){ //通过以下3行实现将Parent的属性和方法追加到Child中,从而实现继承 //第一步:this.method是作为一个临时的属性,并且指向Parent所指向的对象, //第二步:执行this.method方法,即执行Parent所指向的对象函数 //第三步:销毁this.method属性,即此时Child就已经拥有了Parent的所有属性和方法 this.method = Parent; this.method(username);//最关键的一行 delete this.method; this.password = password; this.world = function(){ alert(this.password); } } var parent = new Parent("zhangsan"); var child = new Child("lisi","123456"); parent.hello(); child.hello(); child.world();
2. 継承の 2 番目の方法: call() メソッド
呼び出しメソッドは Function クラスのメソッドです
call メソッドの最初のパラメータの値は、クラス (つまりメソッド) に現れるこの
に割り当てられます。
call メソッドの 2 番目のパラメーターは、クラス (つまりメソッド) によって受け入れられるパラメーターに割り当てられ始めます
function test(str){ alert(this.name + " " + str); } var object = new Object(); object.name = "zhangsan"; test.call(object,"langsin");//此时,第一个参数值object传递给了test类(即方法)中出现的this,而第二个参数"langsin"则赋值给了test类(即方法)的str function Parent(username){ this.username = username; this.hello = function(){ alert(this.username); } } function Child(username,password){ Parent.call(this,username); this.password = password; this.world = function(){ alert(this.password); } } var parent = new Parent("zhangsan"); var child = new Child("lisi","123456"); parent.hello(); child.hello(); child.world();
3. 3 番目の継承方法: apply() メソッド
apply メソッドは 2 つのパラメータを受け入れます、
A. 最初のパラメータは呼び出しメソッドの最初のパラメータと同じです。つまり、クラス (つまりメソッド) に現れるこの
に割り当てられます。
B. 2 番目のパラメータは配列型です。この配列の各要素は、クラス (つまりメソッド) によって受け入れられるパラメータ
function Parent(username){ this.username = username; this.hello = function(){ alert(this.username); } } function Child(username,password){ Parent.apply(this,new Array(username)); this.password = password; this.world = function(){ alert(this.password); } } var parent = new Parent("zhangsan"); var child = new Child("lisi","123456"); parent.hello(); child.hello(); child.world();
4. 継承の 4 番目の方法: プロトタイプ チェーン メソッド 。つまり、サブクラスはプロトタイプを使用して、親クラスのプロトタイプを介して追加されたすべての属性とメソッドを Child に追加し、継承< 🎜 を実現します。 >
function Person(){ } Person.prototype.hello = "hello"; Person.prototype.sayHello = function(){ alert(this.hello); } function Child(){ } Child.prototype = new Person();//这行的作用是:将Parent中将所有通过prototype追加的属性和方法都追加到Child,从而实现了继承 Child.prototype.world = "world"; Child.prototype.sayWorld = function(){ alert(this.world); } var c = new Child(); c.sayHello(); c.sayWorld();
5. 継承の 5 番目の方法: 混合メソッド
混合呼び出し方式とプロトタイプチェーン方式
function Parent(hello){ this.hello = hello; } Parent.prototype.sayHello = function(){ alert(this.hello); } function Child(hello,world){ Parent.call(this,hello);//将父类的属性继承过来 this.world = world;//新增一些属性 } Child.prototype = new Parent();//将父类的方法继承过来 Child.prototype.sayWorld = function(){//新增一些方法 alert(this.world); } var c = new Child("zhangsan","lisi"); c.sayHello(); c.sayWorld();