我想继承将覆盖javascript函数的继承对象。
从我想要调用基本方法的方法。
在这种情况下,我从reader
继承了对象Person
,现在我想覆盖函数getName
,这意味着在读者中我首先要调用Person
上的函数,然后再调用做一些改变。
<script>
/* Class Person. */
function Person(name) {
this.name = name;
}
Person.prototype.getName = function() {
return this.name;
}
var reader = new Person('John Smith');
reader.getName = function() {
// call to base function of Person, is it possible?
return('Hello reader');
}
alert(reader.getName());
</script>
答案 0 :(得分:31)
Vincent回答了你的直接问题,但是如果你想建立一个真正的继承层次结构,你可以做什么,你可以进一步扩展Reader
。
创建你的人员课程:
function Person(name) {
this.name = name;
}
Person.prototype.getName = function(){
alert('Person getName called for ' + this.name);
return this.name;
}
创建一个Reader类:
function Reader(name) {
// Calls the person constructor with `this` as its context
Person.call(this, name);
}
// Make our prototype from Person.prototype so we inherit Person's methods
Reader.prototype = Object.create(Person.prototype);
// Override Persons's getName
Reader.prototype.getName = function() {
alert('READER getName called for ' + this.name);
// Call the original version of getName that we overrode.
Person.prototype.getName.call(this);
return 'Something';
}
Reader.prototype.constructor = Reader;
现在我们可以重复一个类似的过程,用一个VoraciousReader扩展Reader:
function VoraciousReader(name) {
// Call the Reader constructor which will then call the Person constructor
Reader.call(this, name);
}
// Inherit Reader's methods (which will also inherit Person's methods)
VoraciousReader.prototype = Object.create(Reader.prototype);
VoraciousReader.prototype.constructor = VoraciousReader;
// define our own methods for VoraciousReader
//VoraciousReader.prototype.someMethod = ... etc.
小提琴: http://jsfiddle.net/7BJNA/1/
Object.create:https://developer.mozilla.org/en/JavaScript/Reference/Global_Objects/Object/create
Object.create(arg)
正在创建一个新对象,其原型是作为参数传递的。
修改强>
自从这个原始答案以来已经有好几年了,现在Javascript支持class
关键字,如果您来自Java或C ++等语言,它可以正常运行。 https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Classes
答案 1 :(得分:27)
由于您正确地覆盖了对象本身的函数而不是其原型,您仍然可以使用对象调用原型函数。
reader.getName = function() {
var baseName = Person.prototype.getName.call(this);
...
}
答案 2 :(得分:4)
我使用John Resig的这种技术来获取继承和方法覆盖。它甚至允许您通过调用this._super()来访问重写的方法。
答案 3 :(得分:3)
这是一种方法:
function Person(name) {
this.name = name;
}
Person.prototype.getName = function(){
return this.name;
}
var reader = new Person('John Smith');
reader.oldGetName = reader.getName;
reader.getName = function() {
//call to base function of Person , is it possible ?
return this.oldGetName();
}
alert(reader.getName());