从所需模块构造新对象的模式或最佳方法?

时间:2016-11-23 17:20:33

标签: javascript node.js

我已将代码分解为许多Typescript类和接口,虽然它运行良好并且非常适合测试和维护,但我想知道是否有更好的方法来构造所需的对象。据我所知,我的选择是要求和构造如下:

const MyModule = require('./src/mymodule');
const myModule = new MyModule();

const myModule = new (require('./src/mymodule'))();

是否有其他解决方案或模式可以使其更具可读性/清洁性?

1 个答案:

答案 0 :(得分:2)

如果您需要在给定模块中创建多个对象,那么您将使用第一个方案,首先将模块句柄保存到局部变量,以便您可以多次引用它:

override func viewWillAppear(animated: Bool){

    //Doesn`t neeed to call super to work
    view.setNeedsLayout()
}

如果您只需要在给定模块中创建该类型的一个对象,并且该模块中没有该模块的其他导出,那么如您所示,您不需要存储构造函数/ module首先处理它自己的变量,这样你就可以直接使用它,如你所示:

const SomeConstructor = require('./src/mymodule');

const myObj1 = new SomeConstructor();
const myObj2 = new SomeConstructor();

由于此语法看起来有些尴尬,因此导出一个自动为您const myObj = new (require('./src/mymodule'))(); 应用的工厂函数是很常见的。例如,new模块公开了一个工厂函数来创建服务器:

http

在您的示例中,您可以执行以下任一操作:

const http = require('http');
const server = http.createServer(...);

Express服务器框架中的一个例子是:

// module constructor is a factory function for creating new objects
const myObj = require('./src/mymodule')();

// module exports a factory function for creating new objects
const myObj = require('./src/mymodule').createObj();

当然,如果您想从快递模块访问其他导出:

const app = require('express')();

在Express示例中,它导出工厂函数和作为工厂函数属性的其他方法。您可以选择仅使用工厂功能(上面的第一个示例),也可以保存工厂功能,这样您也可以访问其中的一些属性(第二个示例)。