我有两个类:首先检查文件是否存在并且有效。第二个人用该文件制作一些东西:
class Validator {
constructor(){
this.file = './file.json';
}
check(){ ... }
}
class Modificator {
action1(){ ... }
action2(){ ... }
}
我想要的是第一类的方法,该方法自动在第二类的每个方法内部调用。 这有点棘手,但是我真的不想手动操作,就像这样:
class Validator {
constructor(){
this.file = './file.json';
}
static check(){ ... }
}
class Modificator {
action1(){
let status = Validator.check();
...
}
action2(){
let status = Validator.check();
...
}
}
答案 0 :(得分:0)
class Validator {
static check () {console.log('checked')}
static checkCbk (fn) {
return _ => {
this.check()
//then callback
fn()
}
}
}
class Modificator {
//via public instance field
action1 = Validator.checkCbk(function () {
console.log('mod::action1')
})
}
//or by prototype
Modificator.prototype.action2 = Validator.checkCbk(function(){
console.log('mod::action2')
})
var m = new Modificator()
m.action1()
m.action2()
但是请注意,如果要继承Modificator
的子类,您可能会忘记重新包装方法...
更常见的做法是订立合同,并在达成合同后委派给隐含物。
这样一来,您就不必担心扩展,因为无论如何都是在基类中进行检查的。
class Validator {
static check () {console.log('checked')}
}
class Contract {
action1 () {
Validator.check()
this._action1()
}
}
class M2 extends Contract {
_action1 () {
console.log('mod2::action1')
}
}
var m = new M2()
m.action1()