亚洲乱码中文字幕综合,中国熟女仑乱hd,亚洲精品乱拍国产一区二区三区,一本大道卡一卡二卡三乱码全集资源,又粗又黄又硬又爽的免费视频

JavaScript中的prototype和constructor簡(jiǎn)明總結(jié)

 更新時(shí)間:2014年04月05日 10:29:21   作者:  
一直沒(méi)弄清楚JavaScript中的prototype和constructor屬性,今天看了看書,總算有點(diǎn)眉目了

一、constructor
constructor的值是一個(gè)函數(shù)。在JavaScript中,除了null和undefined外的類型的值、數(shù)組、函數(shù)以及對(duì)象,都有一個(gè)constructor屬性,constructor屬性的值是這個(gè)值、數(shù)組、函數(shù)或者對(duì)象的構(gòu)造函數(shù)。如:

復(fù)制代碼 代碼如下:
var a = 12, // 數(shù)字
    b = 'str', // 字符串
    c = false, // 布爾值
    d = [1, 'd', function() { return 5; }], // 數(shù)組
    e = { name: 'e' }, // 對(duì)象
    f = function() { return 'function'; }; // 函數(shù)

console.log('a: ', a.constructor); // Number()
console.log('b: ', b.constructor); // String()
console.log('c: ', c.constructor); // Boolean()
console.log('d: ', d.constructor); // Array()
console.log('e: ', e.constructor); // Object()
console.log('f: ', f.constructor); // Function()

以上的構(gòu)造函數(shù)都是JavaScript內(nèi)置的,我們也可以自定義構(gòu)造函數(shù),如:

復(fù)制代碼 代碼如下:

function A(name) {
    this.name = name;
}

var a = new A('a');

console.log(a.constructor); // A(name)

調(diào)用構(gòu)造函數(shù)時(shí),需要用new關(guān)鍵字,構(gòu)造函數(shù)返回的是一個(gè)對(duì)象,看下面的代碼就知道了:

復(fù)制代碼 代碼如下:
var a = 4;
var b = new Number(4);

console.log('a: ', typeof a); // a: number
console.log('b: ', typeof b); // b: object

二、 prototype
prototype是函數(shù)的一個(gè)屬性,默認(rèn)情況下,一個(gè)函數(shù)的prototype屬性的值是一個(gè)與函數(shù)同名的空對(duì)象,匿名函數(shù)的prototype屬性名為Object。如:

復(fù)制代碼 代碼如下:
function fn() {}

console.log(fn.prototype); // fn { }

prototype屬性主要用來(lái)實(shí)現(xiàn)JavaScript中的繼承,如:

復(fù)制代碼 代碼如下:
function A(name) {
    this.name = name;
}

A.prototype.show = function() {
    console.log(this.name);
};

function B(name) {
    this.name = name;
}

B.prototype = A.prototype;

var test = new B('test');

test.show(); // test

這兒有一個(gè)問(wèn)題,test的構(gòu)造函數(shù)其實(shí)是A函數(shù)而不是B函數(shù):

復(fù)制代碼 代碼如下:
console.log(test.constructor); // A(name)


這是因?yàn)锽.prototype = A.prototype把B.prototype的構(gòu)造函數(shù)改成了A,所以需要還原B.prototype的構(gòu)造函數(shù):
復(fù)制代碼 代碼如下:
function A(name) {
    this.name = name;
}

A.prototype.show = function() {
    console.log(this.name);
};

function B(name) {
    this.name = name;
}

B.prototype = A.prototype;
B.prototype.constructor = B;

var test = new B('test');

test.show(); // test
console.log(test.constructor); // B(name)

之所以要這么做,是因?yàn)閜rototype的值是一個(gè)對(duì)象,且它的構(gòu)造函數(shù)也就是它的constructor屬性的值就是它所在的函數(shù),即:

復(fù)制代碼 代碼如下:
console.log(A.prototype.constructor === A); // true

相關(guān)文章

最新評(píng)論