68

我有许多 JavaScript “类”,每个类都在自己的 JavaScript 文件中实现。对于开发,这些文件是单独加载的,对于生产它们是连接的,但是在这两种情况下,我都必须手动定义加载顺序,确保如果 B 使用 A,则 B 在 A 之后。我计划使用RequireJS作为CommonJS Modules/AsynchronousDefinition自动为我解决这个问题。

有没有比定义每个导出一个类的模块更好的方法来做到这一点?如果不是,您如何命名模块导出的内容?如下例所示,导出类“Employee”的模块“employee”对我来说不够干。

define("employee", ["exports"], function(exports) {
    exports.Employee = function(first, last) {
        this.first = first;
        this.last = last;
    };
});

define("main", ["employee"], function (employee) {
    var john = new employee.Employee("John", "Smith");
});
4

2 回答 2

114

AMD 提议允许您只为导出的对象返回一个值。但请注意,这是 AMD 提案的一个特性,它只是一个 API 提案,并且会使将模块转换回常规 CommonJS 模块变得更加困难。我认为这没关系,但有用的信息要知道。

因此,您可以执行以下操作:

我更喜欢导出构造函数的模块以大写名称开头,因此该模块的非优化版本也将在 Employee.js 中

define("Employee", function () {
    //You can name this function here,
    //which can help in debuggers but
    //has no impact on the module name.
    return function Employee(first, last) {
        this.first = first; 
        this.last = last;
    };
});

现在在另一个模块中,您可以像这样使用 Employee 模块:

define("main", ["Employee"], function (Employee) {
    var john = new Employee("John", "Smith");
});
于 2011-02-02T18:19:28.680 回答
106

作为 jrburke 答案的补充,请注意您不必直接返回构造函数。对于最有用的类,您还需要通过原型添加方法,您可以这样做:

define('Employee', function() {
    // Start with the constructor
    function Employee(firstName, lastName) {
        this.firstName = firstName;
        this.lastName = lastName;
    }

    // Now add methods
    Employee.prototype.fullName = function() {
        return this.firstName + ' ' + this.lastName;
    };

    // etc.

    // And now return the constructor function
    return Employee;
});

事实上,这正是requirejs.org 示例中显示的模式。

于 2012-04-23T12:39:40.503 回答