咱們接着上文繼續,咱們經過原型方式,解決了多個實例的方法共享問題,接下來,咱們就來搞清楚原型(prototype),原型鏈的前因後果.html
1 function CreateObj(uName) { 2 this.userName = uName; 3 } 4 CreateObj.prototype.showUserName = function(){ 5 return this.userName; 6 } 7 var obj1 = new CreateObj('ghostwu'); 8 var obj2 = new CreateObj('衛莊');
1,每一個函數都有一個原型屬性(prototype) , 這個屬性是一個指針,指向構造函數的原型對象( CreateObj.prototype), 如上圖中的第1根綠色的線函數
2,在默認狀況下,全部原型對象都會自動得到一個constructor屬性,該屬性的做用上文已經解釋過,該屬性包含一個指向prototype屬性所在的函數,如上圖的第2根綠色的線測試
3,全部的實例( 經過構造函數new出來的, 原型對象[ 如CreateObj.prototype, 上圖我尚未畫出來]等 )都包含一個隱式原型(__proto__),該指針指向實例的構造函數的原型對象,this
如上圖中的第3根線和第4根線. obj1的構造函數是CreateObj, CreateObj的原型對象是CreateObj.prototype, obj2同理,因此:spa
obj1.__proto__ === CreateObj.prototype //trueprototype
obj2.__proto__ === CreateObj.prototype //true3d
4,寫在構造函數中, 爲this賦值的屬性和方法, 在畫圖的過程當中,把他們畫在對象上面,如userName這個是給對象賦值的屬性,因此在obj1和obj2這兩個對象上都會存在一個屬性userName指針
5,寫在原型對象上的方法或者屬性,應該把他們畫在原型對象上,如code
1 function CreateObj(uName) { 2 this.userName = uName; 3 this.showUserName = function(){ 4 return '100'; 5 } 6 } 7 CreateObj.prototype.showUserName = function(){ 8 return this.userName; 9 } 10 11 var obj1 = new CreateObj('ghostwu'); 12 var obj2 = new CreateObj('衛莊'); 13 14 console.log( obj1.showUserName() ); //100 15 console.log( obj2.showUserName() ); //100
若是在構造函數中爲this添加一個showUserName方法, 那麼obj1和obj2就會直接調用this上面的,由於這兩個方法會被畫在圖中的實例上,因此:htm
1 function CreateObj(uName) { 2 this.userName = uName; 3 this.showUserName = function () { 4 return '100'; 5 } 6 } 7 CreateObj.prototype.showUserName = function () { 8 return this.userName; 9 } 10 11 console.log( CreateObj.prototype.__proto__ ); //指向Object.prototype 12 console.log( CreateObj.prototype.__proto__ === Object.prototype ); //true
CreateObj.prototype.__proto__指向的是Object.prototype, 經過 全等運算符 (===) 測試以後爲true
Object.prototype.__proto__ 指向的是NULL
這就是原型鏈,經過隱式原型把一些構造函數層層的串起來,經過上面這個圖,就知道,爲何自定義的對象能調用toString, valueOf,等方法了吧?
由於全部的對象都是繼承自Object.