编程语言
首页 > 编程语言> > 【面试说】Javascript 中的 CJS, AMD, UMD 和 ESM是什么?

【面试说】Javascript 中的 CJS, AMD, UMD 和 ESM是什么?

作者:互联网

最初,Javascript 没有导入/导出模块的方法, 这是让人头疼的问题。 想象一下,只用一个文件编写应用程序——这简直是噩梦!

然后,很多比我聪明得多的人试图给 Javascript 添加模块化。其中就有 CJSAMDUMDESM。你可能听说过其中的一些方法(还有其他方法,但这些是比较通用的)。

我将介绍它们:它们的语法、目的和基本行为。我的目标是帮助读者在看到它们时认出它们

CJS

CJSCommonJS 的缩写。经常我们这么使用:

// importing 
const doSomething = require('./doSomething.js'); 

// exporting
module.exports = function doSomething(n) {
  // do something
}
复制代码

AMD

AMD 代表异步模块定义。下面是一个示例代码

define(['dep1', 'dep2'], function (dep1, dep2) {
    //Define the module value by returning a value.
    return function () {};
});
复制代码

或者

// "simplified CommonJS wrapping" https://requirejs.org/docs/whyamd.html
define(function (require) {
    var dep1 = require('dep1'),
        dep2 = require('dep2');
    return function () {};
});
复制代码

UMD

UMD 代表通用模块定义(Universal Module Definition)。下面是它可能的样子(来源)

(function (root, factory) {
    if (typeof define === "function" && define.amd) {
        define(["jquery", "underscore"], factory);
    } else if (typeof exports === "object") {
        module.exports = factory(require("jquery"), require("underscore"));
    } else {
        root.Requester = factory(root.$, root._);
    }
}(this, function ($, _) {
    // this is where I defined my module implementation

    var Requester = { // ... };

    return Requester;
}));
复制代码

ESM

ESM 代表 ES 模块。这是 Javascript 提出的实现一个标准模块系统的方案。我相信你们很多人都看到过这个:

import React from 'react';
复制代码

或者其他更多的

import {foo, bar} from './myLib';

...

export default function() {
  // your Function
};
export const function1() {...};
export const function2() {...};
复制代码
<script type="module">
  import {func1} from 'my-lib';

  func1();
</script>

本文首发于前端黑洞网,博客园同步跟新



标签:function,require,Javascript,AMD,UMD,模块,CJS
来源: https://www.cnblogs.com/pythonzhilian/p/14485555.html