RequireJS:如何定义包含单个“类”的模块?

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

有没有更好的方法来做到这一点,而不是定义每个导出一个类的模块? 如果没有,如何命名模块导出的内容? 一个模块“员工”出口class级“员工”,如下面的例子,对我来说感觉不够干 。

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"); }); 

AMD的build议允许您只为导出的对象返回一个值。 但是请注意,这是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"); }); 

作为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这个例子中显示的模式。