//parent class
module.exports = class Parser {
constructor() {}
tokenize(s) {}
fixDates(rule) {}
}
//child class
const Parser = require('./parser');
module.exports = class ParserEn extends Parser {
constructor() {}
run(str) {
super.tokenize(str.toLowerCase()).forEach(function (s) {
//here i want to acces to another function in the parent class
super.fixDates(rule); //I get this error: 'super' keyword unexpected here
});
}
}
嗨, 如您在上面的代码中看到的,我在父类中有两个函数,在子类中有一个函数。在子类内部的运行功能中,我可以使用关键字“ super”访问令牌化。但是,我也需要访问fixDates函数,但确实收到此错误:“'super'关键字意外在这里”。如果有人帮助我,那就太好了。预先感谢
答案 0 :(得分:1)
您需要在子类的构造函数中调用super()
。您还应该在forEach
回调中使用箭头函数,以保留this
上下文:
class Parser {
constructor() {}
tokenize(s) { return [...s]; }
fixDates(rule) { console.log(rule); }
}
class ParserEn extends Parser {
constructor() {
super();
}
run(str) {
super.tokenize(str.toLowerCase()).forEach((s) => {
super.fixDates(s);
});
}
}
const parseren = new ParserEn();
parseren.run('foo');