原型
程序员文章站
2022-06-12 20:44:55
...
- 实例可以从原型继承属性和方法
- 指定某个实例的原型
比如实例为a,存在一个原型A,将a的原型指定为A:
a.proto = A;
然后a就拥有A所有的属性和方法,并且a可以拥有自己的属性和方法,还可以重写原型的属性和方法。
JavaScript运行时期,可以将实例的原型变成任何对象,只需要使用__proto__。但实际工作中最好不要这样去使用; 而且低版本的IE也无法使用__proto__。 - 创建原型继承
Object.create()方法可以传入一个原型对象,并创建一个基于该原型的新对象,但是新对象什么属性都没有。
var Human = {
name: 'Webworker',
gender: 'male',
work: function() {
console.log(this.name + ' is coding...');
}
}
function createHuman(name) {
var s = Object.create(Human);
s.name = name;
return s;
}
var biu = createHuman('biu');
biu.work();
console.log(biu.__proto__ === Human) //true
- Array对象的原型链
arr ----> Array.prototype ----> Object.prototype ----> null
- 函数的原型链
foo ----> Function.prototype ----> Object.prototype ----> null
- 构造函数创建对象
将函数名大写,并使用关键字new,就可以创建一个新的对象。
function Student(name) {
this.name = name;
this.hello = function () {
alert('Hello, ' + this.name + '!');
}
}
var xiaoming = new Student('小明');
xiaoming.name; // '小明'
xiaoming.hello(); // Hello, 小明!
新创建的xiaoming的原型链是
xiaoming ----> Student.prototype ----> Object.prototype ----> null
xiaoming的原型指向函数Student的原型
用new Student()创建的对象还从原型上获得了一个constructor属性,它指向函数Student本身
xiaoming.constructor === Student.prototype.constructor; // true
Student.prototype.constructor === Student; // true
Object.getPrototypeOf(xiaoming) === Student.prototype; // true
xiaoming instanceof Student; // true