在Mootools中,我可以使用this.parent()
来调用父类中的当前执行方法:
foo: function() {
this.parent(); // Equals to super.foo() in Java
}
但是如果我想调用我在子类中重写的另一个父方法呢?
bar: function() {
// Overriden bar() method
},
foo: function() {
??? // Equals to super.bar() in Java
}
答案 0 :(得分:3)
你仍然可以按照javascript
进行操作又名。
Super.prototype.foo.apply(this, args);
所以在一个小例子中
var Foo = new Class({
name: 'Foo',
foo: function(){
console.log(this.name, '=>foo');
},
baz: function(){
console.log('baz');
}
});
var Bar = new Class({
Extends: Foo,
name: 'Bar',
foo: function(){
console.log(this.name, '=>foo own');
this.parent();
},
bar: function(){
console.log(this.name, '=>bar');
// less DRY and knowledge, apply to my instance
this.$constructor.parent.prototype.foo.call(this);
// without applying to my instance... as static:
this.$constructor.parent.prototype.foo();
Foo.prototype.foo.apply(this); // normal JS way
}
});
var b = new Bar();
b.bar();
不是很好。不幸的是,它很糟糕。你可以把它变成一个mixin来调用来自上游proto的任何方法而不是依赖proto链...
http://jsfiddle.net/dimitar/oraa1mgb/1/
var Super = new Class({
Super: function(method){
var superMethod = this.$constructor.parent.prototype[method],
args = Array.prototype.slice.call(arguments, 1);
if (!superMethod){
console.log('No ' + method + ' found or no parent proto');
return this;
}
else {
return superMethod.apply(this, args);
}
}
});
通过Implements: [Super]
然后this.Super('foo', arg1, arg2)
。如果在父级上找不到它,你可以使它return this[method](args)
。
这可能无法扩展到多个扩展类,它无法知道您真正意味着哪个父级 - 解析流应该是自然的。
另外,如果你扩展一个类并覆盖一个方法但仍然需要来自其他方法的原始方法,那么在创建可能违反LSP的过程中,你可能做错了。
我会重构以指出my.bar
与parent.bar
之间的区别,例如my.barClub
vs my.bar
或parent.bar
,具有明确的语义含义理解和维护。您的本地方法会知道bar
和barClub
的存在,而父母只关心“正常”bar
。您可以通过子类中的条件确定要调用的内容。
在您当地的barClub
内,您也可以this.bar()
拨打超级电话。
按原样,跟踪/理解/调试行为可能非常困难。善待你未来的自我:)
玩得开心