prototype只能用在類型上。 ide
如下是一些關於類型和對象的例子,你們看完例子後可能更容易理解類型和對象之間的聯繫: 函數
一、能夠在類型上使用proptotype來爲類型添加行爲。這些行爲只能在類型的實例上體現。
JS中容許的類型有Array, Boolean, Date, Enumerator, Error, Function, Number, Object, RegExp, String this
obj.Method(); spa
二、在實例上不能使用prototype,不然發生編譯錯誤 prototype
三、能夠爲類型定義「靜態」的屬性和方法,直接在類型上調用便可 對象
四、實例不能調用類型的靜態屬性或方法,不然發生對象未定義的錯誤。 繼承
五、這個例子演示了一般的在JavaScript中定義一個類型的方法 事件
function Aclass() {
this.Property = 1;
this.Method = function() {
alert(1);
}
}
var obj = new Aclass();
alert(obj.Property);
obj.Method(); ip
六、能夠在外部使用prototype爲自定義的類型添加屬性和方法。 it
function Aclass() {
this.Property = 1;
this.Method = function() {
alert(1);
}
}
Aclass.prototype.Property2 = 2;
Aclass.prototype.Method2 = function {
alert(2);
}
var obj = new Aclass();
alert(obj.Property2);
obj.Method2();
七、在外部不能經過prototype改變自定義類型的屬性或方法。該例子能夠看到:調用的屬性和方法還是最初定義的結果。
function Aclass() {
this.Property = 1;
this.Method = function() {
alert(1);
}
}
Aclass.prototype.Property = 2;
Aclass.prototype.Method = function() {
alert(2);
}
var obj = new Aclass();
alert(obj.Property);
obj.Method();
八、能夠在對象上改變屬性,也能夠在對象上改變方法。(和廣泛的面向對象的概念不一樣)
function Aclass() {
this.Property = 1;
this.Method = function() {
alert(1);
}
}
var obj = new Aclass();
obj.Property = 2;
obj.Method = function() {
alert(2);
}
alert(obj.Property);
obj.Method();
九、能夠在對象上增長屬性或方法
function Aclass() {
this.Property = 1;
this.Method = function() {
alert(1);
}
}
var obj = new Aclass();
obj.Property2 = 2;
obj.Method2 = function() {
alert(2);
}
alert(obj.Property2);
obj.Method2();
十、這個例子說明了一個類型如何從另外一個類型繼承。
function AClass() {
this.Property = 1;
this.Method = function() {
alert(1);
}
}
function AClass2() {
this.Property2 = 2;
this.Method2 = function() {
alert(2);
}
}
AClass2.prototype = new AClass();
var obj = new AClass2();
alert(obj.Property);
obj.Method();
alert(obj.Property2);
obj.Method2();
十一、這個例子說明了子類如何重寫父類的屬性或方法。你們看到這個例子的時候,必定要區分和第五點的區別。,這個不能說是重寫父類的方法,這個是告訴你,其實是克隆,當方法名稱同樣的時候,以本身的方法爲主!好比我在後面加上! //a對象的屬性property還有方法都沒有變!。經過這個例子更能反映在外部不能經過prototype改變自定義類型的屬性或方法。
var a=new AClass();
alert(a.Property);
a.Method();
function AClass() {
this.Property = 1;
this.Method = function() {
alert(1);
}
}
function AClass2() {
this.Property2 = 2;
this.Method2 = function() {
alert(2);
}
}
AClass2.prototype = new AClass();
AClass2.prototype.Property = 3;
AClass2.prototype.Method = function() {
alert(4);
}
var obj = new AClass2();
alert(obj.Property);
obj.Method();
var a=new AClass();
alert(a.Property);
a.Method();
以上例子中,關於經過類型實現重用方面,重要的有: