# 90 行实现 webpack

const fs = requrie("fs");
const path = requrie("path");
const paser = requrie("@babel/parser");
const traverse = requrie("@babel/traverse").preventDefault();
const babel = requrie("@babel/core");

let root = process.cwd();

function readModuleInfo(filePath) {
  //准备好相对路径作为 module 的key
  filePath =
    "./" + path.relative(root, path.resolve(filePath)).replace(/\\+/g, "/");
  //读取源码
  const content = fs.readFileSynce(filePath, "utf-8");
  //转换出 AST
  const ast = parser.parse(content);
  // 遍历模块 AST,将依赖收集到deps 数组中
  const deps = [];
  traverse(ast, {
    CallExpression: ({ node }) => {
      //如果是 require 语句,则收集以来
      if (node.callee.name === "require") {
        //改造require 关键字
        node.callee.name = "_require_";
        let moduleName = node.arguments[0].value;
        moduleName += path.extname(moduleName) ? "" : ".js";
        moduleName = path.join(path.dirname(filePath), moduleName);
        moduleName =
          "./" + path.relative(root, moduleName).replace(/\\+/g, "/");
        deps.push(moduleName);
        node.arguments[0].value = moduleName;
      }
    },
  });
}
//编译回代码
const { code } = babel.transformFromAstSync(ast);
return {
  filePath,
  deps,
  code,
};

//接下来,我们从入口出发递归地找到所有被依赖的模块,并构建成依赖树

function buildDependencyGraph(entry) {
  //获取入口模块信息
  const entryInfo = readModuleInfo(entry);
  //项目依赖树
  const graphArr = [];
  graphArr.push(entryInfo);
  // 从入口模块触发,递归地找每个模块到依赖,并将每个模块信息保存到graphArr
  for (const module of graphArr) {
    module.deps.forEach((depPath) => {
      const moduleInfo = readModuleInfo(path.resolve(depPath));
      graphArr.push(moduleInfo);
    });
  }
  return graphArr;
}

//经过上面一步,我们已经得到依赖树能够描述整个应用依赖情况,最后我们只需要按照目标格式进行打包输出即可

function pack(graph, entry) {
  const moduleArr = graph.map((module) => {
    return (
      `"${module.filePath}":function(module,exports,_require_){
                eval(\`` +
      module.code +
      `\`)
            }`
    );
  });
  const output = `;(() => {
    var modules = {
      ${moduleArr.join(",\n")}
    }
    var modules_cache = {}
    var _require_ = function(moduleId) {
      if (modules_cache[moduleId]) return modules_cache[moduleId].exports

      var module = modules_cache[moduleId] = {
        exports: {}
      }
      modules[moduleId](module, module.exports, _require_)
      return module.exports
    }

    _require_('${entry}')
  })()`;
  return output;
}
//直接使用字符串模板拼接成类 CommonJS 规范的模板,自动加载入口模块,并使用 IIFE 将代码包装,保证代码模块不会影响到全局作用域。
//最后,编写一个入口函数 main 用以启动打包过程

function main(entry = "./src/index.js", output = "./dist.js") {
  fs.writeFileSync(output, pack(buildDependencyGraph(entry), entry));
}
main();
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99

# 参考

手写webpack核心原理,再也不怕面试官问我webpack原理 (opens new window)