我正在使用Node.js中的extends
。我创建了一个名为Person
的类,另一个类扩展了Person
一个名为Worker
的类。 Worker
类具有work
函数,该函数完美运行(它显示getName()
结果,在Person
中定义)。我想为Worker
构造函数添加另一个参数。
我尝试在constructor
添加Worker
功能,如下所示:
"use strict";
class Person {
constructor (name) {
this.name = name;
}
getName () {
return this.name;
}
}
class Worker extends Person {
// Without this constructor, everything works correctly
// But I want to add the type field
constructor (name, type) {
console.log(1);
// this.type = type;
}
work () {
console.log(this.getName() + " is working.");
}
}
var w = new Worker("Johnny", "builder");
w.work();
运行时,我收到以下错误:
path/to/my/index.js:14
console.log(1);
^
ReferenceError: this is not defined
at Worker (/path/to/my/index.js:14:17)
at Object.<anonymous> (/path/to/my/index.js:22:9)
at Module._compile (module.js:434:26)
at Object.Module._extensions..js (module.js:452:10)
at Module.load (module.js:355:32)
at Function.Module._load (module.js:310:12)
at Function.Module.runMain (module.js:475:10)
at startup (node.js:117:18)
at node.js:951:3
为什么会出现这种情况?另外,我怎样才能正确地做到这一点?
我想在type
实例中访问w
字段:
console.log(w.type);
答案 0 :(得分:3)
您需要在扩展构造函数中调用super()
。没有它,它不会在Person
类中调用构造函数。
class Person {
constructor (name) {
this.name = name;
}
getName () {
return this.name;
}
}
class Worker extends Person {
constructor (name, type) {
super(name);
this.type = type;
}
work () {
console.log(this.getName() + " is working.");
}
}
现在应该可以使用以下内容:
var w = new Worker("Johnny", "builder");
w.work();
console.log(w.type); //builder