4

我希望有人能帮帮忙。

我正在使用 grunt-babel 将我的 ES6 模块代码转换为 ES5 AMD 模块代码。这是我的 ES6 代码:

乘法.js

export default function (x,y) {
    return x * y;
};

square.js

import multiply from 'multiply';
export default function (x) {
   return multiply(x,x);
};

应用程序.js

import square from 'square';

var myValue = square(2);
console.log(myValue);

正如你所看到的,我所做的只是创建一个模块'multiply',将它导入另一个模块'square',然后最后在我的主js文件中使用'square'。上面的 3 个文件然后被转换为以下内容:

乘法.js

define("multiply", ["exports", "module"], function (exports, module) {
    module.exports = function (x, y) {
        return x * y;
    };
});

square.js

define("square", ["exports", "module", "multiply"], function (exports, module, _resourcesJsEs6moduleExampleMultiply) {
    var _interopRequire = function (obj) { return obj && obj.__esModule ? obj["default"] : obj; };

    var multiply = _interopRequire(_resourcesJsEs6moduleExampleMultiply);

    module.exports = function (x) {
        return multiply(x, x);
    };
});

应用程序.js

define("app", ["exports", "square"], function (exports, _resourcesJsEs6moduleExampleSquare) {
    var _interopRequire = function (obj) { return obj && obj.__esModule ? obj["default"] : obj; };

    var square = _interopRequire(_resourcesJsEs6moduleExampleSquare);

    var myValue = square(2);
    console.log(myValue);
});

我遇到的问题是我希望将“app.js”文件转换为更像这样的东西:

requirejs(['square'],
    function (square) {
        var myValue = square(2);
        console.log(myValue);
    }
);

在我的 gruntfile.js 中,我的配置非常简单:

options: {
    moduleIds: true,
    modules: 'amd',
    blacklist: ['strict']
}

难道我做错了什么?

4

1 回答 1

1

经过进一步的挖掘,我终于意识到我错在哪里了。

在我当前的堆栈中,我被迫使用 Almond,而不是 RequireJS。正因为如此,Almond 期望有一个文件来初始化模块,因此我期望 Babel 为我生成一个。但事实证明,Babel 生成的代码在 RequireJS 中可以正常工作,但要让它与 Almond 一起工作,我需要创建一个单独的 es5 js 文件,只是为了初始化 Babel 生成的文件。

像这样的东西:

requirejs(['app'],
    function (app) {
        app();
    }
);
于 2015-03-13T12:04:20.893 回答