了解如何在Node.js中导出类或对象
Node.js生态系统中的许多模块只导出一个对象,该对象集合了模块的所有功能。为此,它们重新分配 modele.exports 对象,而不是向其添加属性。例如,查看下面模块 calculator.js 是如何定义的。
// Declare a factory function that returns an object literal
const createCalc = () => {
// The returned object has 4 methods
return {
add(x, y) {
return x + y;
},
substract(x, y) {
return x - y;
},
multiply(x, y) {
return x * y;
},
divide(x, y) {
return x / y;
}
};
};
// Export the factory function
module.exports = createCalc;
在这个模块中,唯一导出的元素是返回对象字面量的函数。在另一个文件(位于同一文件夹中)使用它,如下:
const calculator = require("./calculator.js");
// Create an object by calling the exported function of this module
const calc = calculator();
// Use the object's methods
console.log(`2 + 3 = ${calc.add(2, 3)}`); // "2 + 3 = 5"
require()调用的结果是存储在计算器变量中的一个函数,它引用了createCalc()函数。调用这个函数将返回一个带有多种方法的对象,这些方法可以随后使用。
只导出一个类当你希望模块仅导出特定类时,你可以重新分配 module.exports对象。
下面是一个user.js 定义和导出 User类的模块。
// Export a User class
module.exports = class User {
constructor(firstName, lastName) {
this.firstName = firstName;
this.lastName = lastName;
// Create user login by combining first letter of first name + last name
this.login = (firstName[0] + lastName).toLowerCase();
}
describe() {
return `${this.firstName} ${this.lastName} (login: ${this.login})`;
}
};
如何在另一个文件(同一文件夹中)中使用此类:
// Notice the first uppercase letter, since User is a class
const User = require("./user.js");
// Create an object from this class
const johnDoe = new User("John", "Doe");
// Use the created object
console.log(johnDoe.describe());
欢迎分享,转载请注明来源:内存溢出
评论列表(0条)