当前位置:   article > 正文

五分钟学会前端打包工具webpack_webpackjs express

webpackjs express

可以做的事情

代码转换、文件优化、代码分割、模块合并、自动刷新、代码校验、自动发布

最终目的

  • webpack的基本配置
  • webpack的高级配置
  • webpack的优化策略
  • ast抽象语法树
  • webpackTapable
  • 掌握webpack的流程 手写webpack
  • 手写webpack中常见的loader
  • 手写webpack中常见的plugin

1. 安装webpack

  • webpack:提供了内置的东西 express plugin
  • webpack-cli: npx webpack
  • 服务:webpack-dev-server:启动服务 proxy beforeapp
    • 不会真正的打包文件, 只会在内存中打包 运行命令npx webpack-dev-server

2.配置文件

  1. let path = require("path");
  2. let HtmlWebpackPlugin = require("html-webpack-plugin");
  3. module.exports = {//webpack 是node中的一个模块 CommonJs
  4. devServer: {//静态服务器的配置
  5. port: 3000,
  6. progress: true,//进度提哦啊
  7. contentBase: "./dist",//静态资源路径
  8. compress:true//是否压缩Gzip
  9. },
  10. mode: "production",//环境
  11. entry: "./src/index.js",
  12. output: {
  13. filename: "bundle[hash:8].js",//设置hash之后会解决浏览器缓存问题
  14. path: path.resolve(__dirname, "dist")//解析 会把相对路径解析成绝对路径
  15. },
  16. plugins: [
  17. new HtmlWebpackPlugin({//打包的时候 自动把html打包到dist目录
  18. template: "./src/index.html",
  19. filename: "index.html",
  20. minify:{
  21. removeAttributeQuotes:true,//去除双引号
  22. collapseWhitespace:true//单行压缩
  23. },
  24. hash:true//是否加hash后缀
  25. })
  26. ]
  27. };

  • 思考1: 如何压缩html文件
  • 思考2: 如何实现命名的hash串
  1. plugins:[
  2. new HtmlWebpackPlugin({
  3. template: './src/index.html',
  4. filename: 'index.html',
  5. minify: {
  6. collapseWhitespace: true,
  7. removeAttributeQuotes: true
  8. },
  9. hash: true
  10. })
  11. ]

2.1 修改样式

2.2.1 loader配置

如果直接插入css文件会报一个这样的错误

解决: 下载两个loader

  1. module: {//模块
  2. rules: [//规则
  3. {
  4. test: /\.css$/,
  5. use: [{
  6. loader: 'style-loader',//将css插入到head中
  7. options: {
  8. insert: 'top'//head/top foot
  9. }
  10. }, 'css-loader']
  11. },
  12. {
  13. test: /\.scss$/,
  14. use: ['style-loader','css-loader', 'sass-loader']
  15. }
  16. ],
  17. },

2.1.1 分离css

但是 此时 我们打包后发现 css是插入在js里面的

为了解决这个问题 接下来我们引入 mini-css-extract-plugin这个插件

  1. let MiniCssExtractPlugin require('mini-css-extract-plugin')

  1. rules: [
  2. {
  3. test: /\.css$/,
  4. use: [{
  5. loader: MiniCssExtractPlugin.loader,
  6. }, 'css-loader']//loader顺序的规律
  7. },
  8. {
  9. test: /\.(sc|sa)ss$/,
  10. use: [{
  11. loader: MiniCssExtractPlugin.loader,
  12. }, 'css-loader', 'sass-loader']//loader顺序的规律
  13. }
  14. ]

当我们加入css3之后 新的问题出现了 没有前缀

2.1.3 引入前缀

此时 我们需要下载一个包autoprefixer以及一个loader文件postcss-loader

  1. {
  2. test: /\.css$/,
  3. use: [{
  4. loader: MiniCssExtractPlugin.loader,
  5. }, 'css-loader','postcss-loader']//loader顺序的规律
  6. },

  1. 创建一个配置文件 postcss.config.js
  1. module.exports = {
  2. plugins: [require('autoprefixer')]
  3. };

再次打包

需要注意的是 此设置项只能用早生产环境

mode: 'production',

2.1.4 压缩css文件

如何压缩文件呢

其中有个包 optimize-css-assets-webpack-plugin

此包主要是用来压缩css的 但是 引入这个包后出现了js没被压缩的问题

怎么解决呢

按照官网配置需要使用TerserJSPlugin

https://www.npmjs.com/package/mini-css-extract-plugin

  1. optimization: {//webpack4.0之后新出的优化项配置
  2. minimizer: [new TerserJSPlugin({}), new OptimizeCssAssetsPlugin({})]
  3. },

TerserJSPlugin具体参数查看这个

  1. interface TerserPluginOptions {
  2. test?: string | RegExp | Array<string | RegExp>;
  3. include?: string | RegExp | Array<string | RegExp>;
  4. exclude?: string | RegExp | Array<string | RegExp>;
  5. chunkFilter?: (chunk: webpack.compilation.Chunk) => boolean;
  6. cache?: boolean | string;
  7. cacheKeys?: (defaultCacheKeys: any, file: any) => object;
  8. parallel?: boolean | number;
  9. sourceMap?: boolean;
  10. minify?: (file: any, sourceMap: any) => MinifyResult;
  11. terserOptions?: MinifyOptions;
  12. extractComments?: boolean
  13. | string
  14. | RegExp
  15. | ExtractCommentFn
  16. | ExtractCommentOptions;
  17. warningsFilter?: (warning: any, source: any) => boolean;
  18. }

2.2 处理js文件

2.2.1 babel核心模块

当我们尝试对写了es6语法的代码进行打包时候

并没有变成es5

接下来执行命令 babel

yarn add babel-loader @babel/core @babel/preset-env

  • babel-loader : babel加载器
  • @babel/core :babel的核心模块
  • @babel/preset-env : 将es6转换成es5
  • @babel/plugin-transform-runtime
  • @babel/runtime
  • @babel/polyfill
  1. {
  2. test: /\.js$/,
  3. use: [
  4. {
  5. loader: 'babel-loader',
  6. options: {//预设
  7. presets: ['@babel/preset-env']
  8. }
  9. }
  10. ]
  11. }

接下来 就是见证奇迹的时刻

2.2.2 处理箭头函数

@babel/preset-env

2.2.3 处理装饰器

当我们添加装饰器 会有如下提示

具体可以查看官网 https://babeljs.io/docs/en/babel-plugin-proposal-decorators

  1. {
  2. test: /\.js$/,
  3. use: [
  4. {
  5. loader: 'babel-loader',
  6. options: {//预设
  7. presets: ['@babel/preset-env'],
  8. plugins:[
  9. ["@babel/plugin-proposal-decorators", { "legacy": true }],
  10. ["@babel/plugin-proposal-class-properties", { "loose" : true }]
  11. ]
  12. }
  13. }
  14. ]
  15. },

index.js

  1. @log
  2. class A {
  3. a = 1;//es7 的语法(es6的变种语法) // let a = new A() a.a = 1
  4. }
  5. function log(target) {
  6. console.log(target,'21');
  7. }

2.2.4 处理es7语法

  1. {
  2. test: /\.js$/,
  3. use: [
  4. {
  5. loader: 'babel-loader',
  6. options: {//预设
  7. presets: ['@babel/preset-env'],
  8. plugins:['@babel/plugin-proposal-class-properties']
  9. }
  10. }
  11. ]
  12. }

a.js

  1. class B {
  2. }
  3. function* fnB() {
  4. yield 1;
  5. }
  6. console.log(fnB().next());
  7. module.exports = 'a';

接下来打包发现 每个文件都会打包一个_classCallCheck

写了generator运行也会报错

出现以上问题的原因是

  1. webpack运行时不会自动检测哪些方法重用了

    1. 一些es6的高级语法 比如generator和promise不会转换成es5

根据官方文档https://babeljs.io/docs/en/babel-plugin-transform-runtime#docsNav

需要下载两个包

yarn add @babel/plugin-transform-runtime @babel/runtime -D

执行npx webpack但是 报了一些警告

  1. {
  2. test: /\.js$/,
  3. use: [
  4. {
  5. loader: 'babel-loader',
  6. options: {//预设
  7. presets: ['@babel/preset-env'],
  8. plugins: [
  9. ["@babel/plugin-proposal-decorators", {"legacy": true}],
  10. ["@babel/plugin-proposal-class-properties", {"loose": true}],
  11. "@babel/plugin-transform-runtime"
  12. ]
  13. }
  14. }
  15. ],
  16. include: path.resolve(__dirname, 'src'),
  17. exclude: /node_modules/
  18. },

2.2.5 处理全局变量的问题

方法一 : 外置loader

require('expose-loader?$!jquery');

1

方法二 : 内置loader在每个模块都注入$

  1. // rules:
  2. {//内置loader
  3. test: require.resolve('jquery'),
  4. use: 'expose-loader?$'
  5. },
  6. // plugins:
  7. //提供者
  8. new webpack.ProvidePlugin({
  9. "$": "jquery"
  10. })

优化:

如果在html引入cdn路径并且在页面也 import $ from jquery 这就坏了, 即使引入cdn也会打包

  1. //排除之外 加入 在cdn引入了这个包 就不会打包这个包
  2. externals: {
  3. 'jquery': '$
  4. }

2.3 处理图片文件

2.3.1 处理js中的图片

  1. index.js
  2. import logo from './logo.png';
  3. <img src=logo/>
  4. webpack.config.js:
  5. {
  6. test: /\.(png|jpg|gif)$/,
  7. use: [{
  8. loader: 'file-loader',
  9. options: {
  10. esModule: false,
  11. },
  12. }
  13. }

2.3.2 处理css中图片文件

因为css-loader中已经对图片做loader处理了 所以 只需要引入相应路径就行了

2.3.3 处理html中的图片

  1. //1. 下载依赖
  2. yarn add html-withimg-plugin -D
  3. //2. 配置
  4. {
  5. test:/\.html$/,
  6. use:['html-withimg-plugin']
  7. }

2.4 多入口多出口

2.5 webpack小插件

  • clean-webpack-plugin
  1. let {CleanWebpackPlugin} = require('clean-webpack-plugin');
  2. //使用:
  3. plugins:[
  4. new CleanWebpackPlugin()
  5. ]

  • copy-webpack-plugin
  1. const CopyPlugin = require('copy-webpack-plugin');
  2. module.exports = {
  3. plugins: [
  4. new CopyPlugin([
  5. { from: 'source', to: 'dest' },
  6. { from: 'other', to: 'public' },
  7. ]),
  8. ],
  9. };

2.6 resolve、分离

2.6.1 resolve

  1. resolve:{
  2. modules:[path.resolve(__dirname,'node_modules')],//只从当前这个node_modules查找相应的包
  3. alise:{//别名
  4. "bootstrapcss":"bootstrap/dist/css/bootstrap.css"
  5. },
  6. extensions:['js','jsx','vue','json','css']
  7. }

2.6.2 分离文件 dev、 prod、base

  1. let {smart} = require('webpack-merge')
  2. let base = require('./webpack.config.js')
  3. module.exports = smart(base,{
  4. mode:'production'
  5. })

2.7 分离打包文件

2.8 跨域

  • 方式一:在devServer中配置
  1. devServer: {
  2. port: 8080,
  3. host: '0.0.0.0',
  4. quiet: true,
  5. proxy: {
  6. // '/api': 'http://127.0.0.1:3000',
  7. '/api': {
  8. target: 'http://127.0.0.1:3000',
  9. pathRewrite:{
  10. '^/api': ''
  11. }
  12. },
  13. },
  14. before(app) {
  15. //app就是express对象
  16. app.get('/list', function (req, res) {
  17. res.send({code: 1, msg: 'hello'});
  18. });
  19. }
  20. },

  • 方式二 : 在服务端配置(node/express)
//1: npm i webpack-dev-middleware

  1. let middleDevWebpack = require('webpack-dev-middleware')
  2. let config = require('./webpack.config.js')
  3. app.use(middleDevWebpack(config))

2.9 懒加载和热更新实时监听

  • 热更新

    1. devServer:{
    2. hot:true,
    3. quite:true//安静启动
    4. }

  • 实时监听

    1. watch:true,
    2. wathcOptions:{
    3. poll:1000,
    4. aggregateTimeout:500,
    5. ignore:/note_modules/
    6. }

3. webpack优化

打包优化,可以从几个出发点点

  • 打包体积

  • 加载速度

  • 打包速度

  • webpack自带优化

    • tree-sharking : import 把没用的代码自动删除掉
    • scope-hoisting : 作用域提升
  • 优化网络解析时长和执行时长

    • 添加DNS预解析
    • 延时执行影响页面渲染的代码
  • 优化webpack产出

    • 优化代码重复打包
    • 去掉不必要的import
    • babel-preset-env 和 autoprefix 配置优化
    • webpack runtime文件inline
    • 去除不必要的async语句
    • 优化第三方依赖
    • lodash按需引入
  • webpack 知识点

    • hash、contenthash、chunkhash的区别
    • splitChunks详解
  • 必杀技--动态链接库

  • 多进程打包之HappyPack

  • 提取公共代码

3.1 webpack自带优化

  • tree-sharking
  • scope-hoisting

3.2 多线程打包

需要用到happypack实现多线程打包

注意: 如果体积较小会使打包时间更长

第一步:下载

npm install happypack --save-dev

  1. const HappyPack = require('happypack');
  2. module.exports = {
  3. ...
  4. }

第二步: 将常用的 loader 替换为 happypack/loader

  1. const HappyPack = require('happypack');
  2. module.exports = {
  3. ...
  4. module: {
  5. rules: [
  6. test: /\.js$/,
  7. // use: ['babel-loader?cacheDirectory'] 之前是使用这种方式直接使用 loader
  8. // 现在用下面的方式替换成 happypack/loader,并使用 id 指定创建的 HappyPack 插件
  9. use: ['happypack/loader?id=babel'],
  10. // 排除 node_modules 目录下的文件
  11. exclude: /node_modules/
  12. ]
  13. }
  14. }

三、创建 HappyPack 插件

  1. module.exports = {
  2. ...
  3. module: {
  4. rules: [
  5. test: /\.js$/,
  6. // use: ['babel-loader?cacheDirectory'] 之前是使用这种方式直接使用 loader
  7. // 现在用下面的方式替换成 happypack/loader,并使用 id 指定创建的 HappyPack 插件
  8. use: ['happypack/loader?id=babel'],
  9. // 排除 node_modules 目录下的文件
  10. exclude: /node_modules/
  11. ]
  12. },
  13. plugins: [
  14. ...,
  15. new HappyPack({
  16. /*
  17. * 必须配置
  18. */
  19. // id 标识符,要和 rules 中指定的 id 对应起来
  20. id: 'babel',
  21. // 需要使用的 loader,用法和 rules 中 Loader 配置一样
  22. // 可以直接是字符串,也可以是对象形式
  23. loaders: ['babel-loader?cacheDirectory']
  24. })
  25. ]
  26. }

3.3 关于语言包的打包

有些包自带语言包,有时候不需要把所有的语言包跟着打包比如 moment,那么我们就需要把这个包特殊对待,

主要是通过webpack自导的IgnorePlugin

src下某.js

  1. import moment from 'moment';
  2. import 'moment/locale/zh-cn';
  3. moment.locale('zh-cn');
  4. let r = moment().endOf('day').fromNow();
  5. console.log(r);

webpack.config.js

  1. plugins: [
  2. ...
  3. new webpack.IgnorePlugin(/\.\/locale/,/moment/),
  4. ]

3.3 不打包某个文件

有些文件我们不希望打包,比如已经在cdn中引入了的文件,此时要用externals进行配置

  1. modules:{
  2. noParse:/jquery/,
  3. ...
  4. }
  5. plugins: [
  6. ...
  7. new webpack.ProvidePlugin({
  8. '$': 'jquery'
  9. }),
  10. ]
  11. //忽略打包的文件
  12. externals:{
  13. 'jquery': '$'
  14. }

3.4 关于css前缀的处理

3.5 关于js新语法的处理

3.6 关于文件拆分的处理

3.7 关于别名和扩展名的处理

3.8 webpack必杀技 : 动态链接库

  • 什么是动态链接库: 用dll链接的方式提取固定的js文件,并链接这个js文件

    当我们引入一个js文件的时候,这个js文件比较大,那我们是否可以单独打包,发布到cdn上,直接引用

  • 比如 当我们想要把react打包的时候,希望将react和reactdom放到一个js文件打包的时候 不打包这两个文件,而是直接引用js的cdn路径

新建一个webpack的js配置文件

webpack.react.js

  1. var path = require('path');
  2. let webpack = require("webpack");
  3. module.exports = {
  4. mode: 'development',
  5. entry: {
  6. react: ['react', 'react-dom']
  7. },
  8. output:{
  9. filename: '_dll_[name].js',
  10. path: path.resolve(__dirname, 'dist'),
  11. library: '_dll_[name]',
  12. // "var" | "assign" | "this" | "window" | "self" | "global" | "commonjs" | "commonjs2" | "commonjs-module" | "amd" | "amd-require" | "umd" | "umd2" | "jsonp" | "system"
  13. // libraryTarget: 'commonjs2'//默认 var
  14. },
  15. plugins: [
  16. new webpack.DllPlugin({
  17. name: '_dll_[name]',
  18. path: path.resolve(__dirname, 'dist', 'manifest.json')
  19. })
  20. ]
  21. };

npx webpack --config webpack.react.js

此时就会生成一个manifest.json文件

最后 在webpack.prod.config.js线上配置文件中引入插件

  1. new webpack.DllReferencePlugin({
  2. manifest: path.resolve(__dirname, 'dist', 'manifest.json')
  3. })

3.9 抽离公共代码块

  1. optimization: {//webpack4.0之后出现的优化项
  2. minimizer: [new TerserPlugin({}), new OptimizeCssAssetsWebpackPlugin({})],//压缩css
  3. //缺陷 可以压缩css 但是 js压缩又出现了问题
  4. splitChunks:{//分割代码块
  5. cacheGroups:{//缓存组
  6. common:{//公共的逻辑
  7. chunks: 'initial',//从入口文件开始查找
  8. minSize: 0,//最小分包体积
  9. minChunks: 2,//
  10. },
  11. vendor:{
  12. priority: 1,
  13. test:/node_modules/,
  14. chunks: 'initial',
  15. minSize: 0,
  16. minChunks: 2
  17. }
  18. }
  19. }
  20. },

4. webpack打包原理

webpack 构建流程

Webpack 的运行流程是一个串行的过程,从启动到结束会依次执行以下流程 :

  1. 初始化参数:从配置文件和 Shell 语句中读取与合并参数,得出最终的参数。
  2. 开始编译:用上一步得到的参数初始化 Compiler 对象,加载所有配置的插件,执行对象的 run 方法开始执行编译。
  3. 确定入口:根据配置中的 entry 找出所有的入口文件。
  4. 编译模块:从入口文件出发,调用所有配置的 Loader 对模块进行翻译,再找出该模块依赖的模块,再递归本步骤直到所有入口依赖的文件都经过了本步骤的处理。
  5. 完成模块编译:在经过第 4 步使用 Loader 翻译完所有模块后,得到了每个模块被翻译后的最终内容以及它们之间的依赖关系。
  6. 输出资源:根据入口和模块之间的依赖关系,组装成一个个包含多个模块的 Chunk,再把每个 Chunk 转换成一个单独的文件加入到输出列表,这步是可以修改输出内容的最后机会。
  7. 输出完成:在确定好输出内容后,根据配置确定输出的路径和文件名,把文件内容写入到文件系统。

在以上过程中,Webpack 会在特定的时间点广播出特定的事件,插件在监听到感兴趣的事件后会执行特定的逻辑,并且插件可以调用 Webpack 提供的 API 改变 Webpack 的运行结果。

实践加深理解,撸一个简易 webpack

1. 定义 Compiler 类

  1. class Compiler {
  2. constructor(options) {
  3. // webpack 配置
  4. const { entry, output } = options
  5. // 入口
  6. this.entry = entry
  7. // 出口
  8. this.output = output
  9. // 模块
  10. this.modules = []
  11. }
  12. // 构建启动
  13. run() {}
  14. // 重写 require函数,输出bundle
  15. generate() {}
  16. }

2. 解析入口文件,获取 AST

我们这里使用@babel/parser,这是 babel7 的工具,来帮助我们分析内部的语法,包括 es6,返回一个 AST 抽象语法树。

  1. // webpack.config.js
  2. const path = require('path')
  3. module.exports = {
  4. entry: './src/index.js',
  5. output: {
  6. path: path.resolve(__dirname, './dist'),
  7. filename: 'main.js'
  8. }
  9. }
  10. //
  11. const fs = require('fs')
  12. const parser = require('@babel/parser')
  13. const options = require('./webpack.config')
  14. const Parser = {
  15. getAst: path => {
  16. // 读取入口文件
  17. const content = fs.readFileSync(path, 'utf-8')
  18. // 将文件内容转为AST抽象语法树
  19. return parser.parse(content, {
  20. sourceType: 'module'
  21. })
  22. }
  23. }
  24. class Compiler {
  25. constructor(options) {
  26. // webpack 配置
  27. const { entry, output } = options
  28. // 入口
  29. this.entry = entry
  30. // 出口
  31. this.output = output
  32. // 模块
  33. this.modules = []
  34. }
  35. // 构建启动
  36. run() {
  37. const ast = Parser.getAst(this.entry)
  38. }
  39. // 重写 require函数,输出bundle
  40. generate() {}
  41. }
  42. new Compiler(options).run()

3. 找出所有依赖模块

Babel 提供了@babel/traverse(遍历)方法维护这 AST 树的整体状态,我们这里使用它来帮我们找出依赖模块。

  1. const fs = require('fs')
  2. const path = require('path')
  3. const options = require('./webpack.config')
  4. const parser = require('@babel/parser')
  5. const traverse = require('@babel/traverse').default
  6. const Parser = {
  7. getAst: path => {
  8. // 读取入口文件
  9. const content = fs.readFileSync(path, 'utf-8')
  10. // 将文件内容转为AST抽象语法树
  11. return parser.parse(content, {
  12. sourceType: 'module'
  13. })
  14. },
  15. getDependecies: (ast, filename) => {
  16. const dependecies = {}
  17. // 遍历所有的 import 模块,存入dependecies
  18. traverse(ast, {
  19. // 类型为 ImportDeclaration 的 AST 节点 (即为import 语句)
  20. ImportDeclaration({ node }) {
  21. const dirname = path.dirname(filename)
  22. // 保存依赖模块路径,之后生成依赖关系图需要用到
  23. const filepath = './' + path.join(dirname, node.source.value)
  24. dependecies[node.source.value] = filepath
  25. }
  26. })
  27. return dependecies
  28. }
  29. }
  30. class Compiler {
  31. constructor(options) {
  32. // webpack 配置
  33. const { entry, output } = options
  34. // 入口
  35. this.entry = entry
  36. // 出口
  37. this.output = output
  38. // 模块
  39. this.modules = []
  40. }
  41. // 构建启动
  42. run() {
  43. const { getAst, getDependecies } = Parser
  44. const ast = getAst(this.entry)
  45. const dependecies = getDependecies(ast, this.entry)
  46. }
  47. // 重写 require函数,输出bundle
  48. generate() {}
  49. }
  50. new Compiler(options).run()

4. AST 转换为 code

将 AST 语法树转换为浏览器可执行代码,我们这里使用@babel/core 和 @babel/preset-env。

  1. const fs = require('fs')
  2. const path = require('path')
  3. const options = require('./webpack.config')
  4. const parser = require('@babel/parser')
  5. const traverse = require('@babel/traverse').default
  6. const { transformFromAst } = require('@babel/core')
  7. const Parser = {
  8. getAst: path => {
  9. // 读取入口文件
  10. const content = fs.readFileSync(path, 'utf-8')
  11. // 将文件内容转为AST抽象语法树
  12. return parser.parse(content, {
  13. sourceType: 'module'
  14. })
  15. },
  16. getDependecies: (ast, filename) => {
  17. const dependecies = {}
  18. // 遍历所有的 import 模块,存入dependecies
  19. traverse(ast, {
  20. // 类型为 ImportDeclaration 的 AST 节点 (即为import 语句)
  21. ImportDeclaration({ node }) {
  22. const dirname = path.dirname(filename)
  23. // 保存依赖模块路径,之后生成依赖关系图需要用到
  24. const filepath = './' + path.join(dirname, node.source.value)
  25. dependecies[node.source.value] = filepath
  26. }
  27. })
  28. return dependecies
  29. },
  30. getCode: ast => {
  31. // AST转换为code
  32. const { code } = transformFromAst(ast, null, {
  33. presets: ['@babel/preset-env']
  34. })
  35. return code
  36. }
  37. }
  38. class Compiler {
  39. constructor(options) {
  40. // webpack 配置
  41. const { entry, output } = options
  42. // 入口
  43. this.entry = entry
  44. // 出口
  45. this.output = output
  46. // 模块
  47. this.modules = []
  48. }
  49. // 构建启动
  50. run() {
  51. const { getAst, getDependecies, getCode } = Parser
  52. const ast = getAst(this.entry)
  53. const dependecies = getDependecies(ast, this.entry)
  54. const code = getCode(ast)
  55. }
  56. // 重写 require函数,输出bundle
  57. generate() {}
  58. }
  59. new Compiler(options).run()

5. 递归解析所有依赖项,生成依赖关系图

  1. const fs = require('fs')
  2. const path = require('path')
  3. const options = require('./webpack.config')
  4. const parser = require('@babel/parser')
  5. const traverse = require('@babel/traverse').default
  6. const { transformFromAst } = require('@babel/core')
  7. const Parser = {
  8. getAst: path => {
  9. // 读取入口文件
  10. const content = fs.readFileSync(path, 'utf-8')
  11. // 将文件内容转为AST抽象语法树
  12. return parser.parse(content, {
  13. sourceType: 'module'
  14. })
  15. },
  16. getDependecies: (ast, filename) => {
  17. const dependecies = {}
  18. // 遍历所有的 import 模块,存入dependecies
  19. traverse(ast, {
  20. // 类型为 ImportDeclaration 的 AST 节点 (即为import 语句)
  21. ImportDeclaration({ node }) {
  22. const dirname = path.dirname(filename)
  23. // 保存依赖模块路径,之后生成依赖关系图需要用到
  24. const filepath = './' + path.join(dirname, node.source.value)
  25. dependecies[node.source.value] = filepath
  26. }
  27. })
  28. return dependecies
  29. },
  30. getCode: ast => {
  31. // AST转换为code
  32. const { code } = transformFromAst(ast, null, {
  33. presets: ['@babel/preset-env']
  34. })
  35. return code
  36. }
  37. }
  38. class Compiler {
  39. constructor(options) {
  40. // webpack 配置
  41. const { entry, output } = options
  42. // 入口
  43. this.entry = entry
  44. // 出口
  45. this.output = output
  46. // 模块
  47. this.modules = []
  48. }
  49. // 构建启动
  50. run() {
  51. // 解析入口文件
  52. const info = this.build(this.entry)
  53. this.modules.push(info)
  54. this.modules.forEach(({ dependecies }) => {
  55. // 判断有依赖对象,递归解析所有依赖项
  56. if (dependecies) {
  57. for (const dependency in dependecies) {
  58. this.modules.push(this.build(dependecies[dependency]))
  59. }
  60. }
  61. })
  62. // 生成依赖关系图
  63. const dependencyGraph = this.modules.reduce(
  64. (graph, item) => ({
  65. ...graph,
  66. // 使用文件路径作为每个模块的唯一标识符,保存对应模块的依赖对象和文件内容
  67. [item.filename]: {
  68. dependecies: item.dependecies,
  69. code: item.code
  70. }
  71. }),
  72. {}
  73. )
  74. }
  75. build(filename) {
  76. const { getAst, getDependecies, getCode } = Parser
  77. const ast = getAst(filename)
  78. const dependecies = getDependecies(ast, filename)
  79. const code = getCode(ast)
  80. return {
  81. // 文件路径,可以作为每个模块的唯一标识符
  82. filename,
  83. // 依赖对象,保存着依赖模块路径
  84. dependecies,
  85. // 文件内容
  86. code
  87. }
  88. }
  89. // 重写 require函数,输出bundle
  90. generate() {}
  91. }
  92. new Compiler(options).run()

6. 重写 require 函数,输出 bundle

  1. const fs = require('fs')
  2. const path = require('path')
  3. const options = require('./webpack.config')
  4. const parser = require('@babel/parser')
  5. const traverse = require('@babel/traverse').default
  6. const { transformFromAst } = require('@babel/core')
  7. const Parser = {
  8. getAst: path => {
  9. // 读取入口文件
  10. const content = fs.readFileSync(path, 'utf-8')
  11. // 将文件内容转为AST抽象语法树
  12. return parser.parse(content, {
  13. sourceType: 'module'
  14. })
  15. },
  16. getDependecies: (ast, filename) => {
  17. const dependecies = {}
  18. // 遍历所有的 import 模块,存入dependecies
  19. traverse(ast, {
  20. // 类型为 ImportDeclaration 的 AST 节点 (即为import 语句)
  21. ImportDeclaration({ node }) {
  22. const dirname = path.dirname(filename)
  23. // 保存依赖模块路径,之后生成依赖关系图需要用到
  24. const filepath = './' + path.join(dirname, node.source.value)
  25. dependecies[node.source.value] = filepath
  26. }
  27. })
  28. return dependecies
  29. },
  30. getCode: ast => {
  31. // AST转换为code
  32. const { code } = transformFromAst(ast, null, {
  33. presets: ['@babel/preset-env']
  34. })
  35. return code
  36. }
  37. }
  38. class Compiler {
  39. constructor(options) {
  40. // webpack 配置
  41. const { entry, output } = options
  42. // 入口
  43. this.entry = entry
  44. // 出口
  45. this.output = output
  46. // 模块
  47. this.modules = []
  48. }
  49. // 构建启动
  50. run() {
  51. // 解析入口文件
  52. const info = this.build(this.entry)
  53. this.modules.push(info)
  54. this.modules.forEach(({ dependecies }) => {
  55. // 判断有依赖对象,递归解析所有依赖项
  56. if (dependecies) {
  57. for (const dependency in dependecies) {
  58. this.modules.push(this.build(dependecies[dependency]))
  59. }
  60. }
  61. })
  62. // 生成依赖关系图
  63. const dependencyGraph = this.modules.reduce(
  64. (graph, item) => ({
  65. ...graph,
  66. // 使用文件路径作为每个模块的唯一标识符,保存对应模块的依赖对象和文件内容
  67. [item.filename]: {
  68. dependecies: item.dependecies,
  69. code: item.code
  70. }
  71. }),
  72. {}
  73. )
  74. this.generate(dependencyGraph)
  75. }
  76. build(filename) {
  77. const { getAst, getDependecies, getCode } = Parser
  78. const ast = getAst(filename)
  79. const dependecies = getDependecies(ast, filename)
  80. const code = getCode(ast)
  81. return {
  82. // 文件路径,可以作为每个模块的唯一标识符
  83. filename,
  84. // 依赖对象,保存着依赖模块路径
  85. dependecies,
  86. // 文件内容
  87. code
  88. }
  89. }
  90. // 重写 require函数 (浏览器不能识别commonjs语法),输出bundle
  91. generate(code) {
  92. // 输出文件路径
  93. const filePath = path.join(this.output.path, this.output.filename)
  94. // 懵逼了吗? 没事,下一节我们捋一捋
  95. const bundle = `(function(graph){
  96. function require(module){
  97. function localRequire(relativePath){
  98. return require(graph[module].dependecies[relativePath])
  99. }
  100. var exports = {};
  101. (function(require,exports,code){
  102. eval(code)
  103. })(localRequire,exports,graph[module].code);
  104. return exports;
  105. }
  106. require('${this.entry}')
  107. })(${JSON.stringify(code)})`
  108. // 把文件内容写入到文件系统
  109. fs.writeFileSync(filePath, bundle, 'utf-8')
  110. }
  111. }
  112. new Compiler(options).run()

7. 看完这节,彻底搞懂 bundle 实现

我们通过下面的例子来进行讲解,先死亡凝视 30 秒

  1. ;(function(graph) {
  2. function require(moduleId) {
  3. function localRequire(relativePath) {
  4. return require(graph[moduleId].dependecies[relativePath])
  5. }
  6. var exports = {}
  7. ;(function(require, exports, code) {
  8. eval(code)
  9. })(localRequire, exports, graph[moduleId].code)
  10. return exports
  11. }
  12. require('./src/index.js')
  13. })({
  14. './src/index.js': {
  15. dependecies: { './hello.js': './src/hello.js' },
  16. code: '"use strict";\n\nvar _hello = require("./hello.js");\n\ndocument.write((0, _hello.say)("webpack"));'
  17. },
  18. './src/hello.js': {
  19. dependecies: {},
  20. code:
  21. '"use strict";\n\nObject.defineProperty(exports, "__esModule", {\n value: true\n});\nexports.say = say;\n\nfunction say(name) {\n return "hello ".concat(name);\n}'
  22. }
  23. })

step 1 : 从入口文件开始执行

  1. // 定义一个立即执行函数,传入生成的依赖关系图
  2. ;(function(graph) {
  3. // 重写require函数
  4. function require(moduleId) {
  5. console.log(moduleId) // ./src/index.js
  6. }
  7. // 从入口文件开始执行
  8. require('./src/index.js')
  9. })({
  10. './src/index.js': {
  11. dependecies: { './hello.js': './src/hello.js' },
  12. code: '"use strict";\n\nvar _hello = require("./hello.js");\n\ndocument.write((0, _hello.say)("webpack"));'
  13. },
  14. './src/hello.js': {
  15. dependecies: {},
  16. code:
  17. '"use strict";\n\nObject.defineProperty(exports, "__esModule", {\n value: true\n});\nexports.say = say;\n\nfunction say(name) {\n return "hello ".concat(name);\n}'
  18. }
  19. })

step 2 : 使用 eval 执行代码

  1. // 定义一个立即执行函数,传入生成的依赖关系图
  2. ;(function(graph) {
  3. // 重写require函数
  4. function require(moduleId) {
  5. ;(function(code) {
  6. console.log(code) // "use strict";\n\nvar _hello = require("./hello.js");\n\ndocument.write((0, _hello.say)("webpack"));
  7. eval(code) // Uncaught TypeError: Cannot read property 'code' of undefined
  8. })(graph[moduleId].code)
  9. }
  10. // 从入口文件开始执行
  11. require('./src/index.js')
  12. })({
  13. './src/index.js': {
  14. dependecies: { './hello.js': './src/hello.js' },
  15. code: '"use strict";\n\nvar _hello = require("./hello.js");\n\ndocument.write((0, _hello.say)("webpack"));'
  16. },
  17. './src/hello.js': {
  18. dependecies: {},
  19. code:
  20. '"use strict";\n\nObject.defineProperty(exports, "__esModule", {\n value: true\n});\nexports.say = say;\n\nfunction say(name) {\n return "hello ".concat(name);\n}'
  21. }
  22. })

可以看到,我们在执行"./src/index.js"文件代码的时候报错了,这是因为 index.js 里引用依赖 hello.js,而我们没有对依赖进行处理,接下来我们对依赖引用进行处理。

step 3 : 依赖对象寻址映射,获取 exports 对象

  1. // 定义一个立即执行函数,传入生成的依赖关系图
  2. ;(function(graph) {
  3. // 重写require函数
  4. function require(moduleId) {
  5. // 找到对应moduleId的依赖对象,调用require函数,eval执行,拿到exports对象
  6. function localRequire(relativePath) {
  7. return require(graph[moduleId].dependecies[relativePath]) // {__esModule: true, say: ƒ say(name)}
  8. }
  9. // 定义exports对象
  10. var exports = {}
  11. ;(function(require, exports, code) {
  12. // commonjs语法使用module.exports暴露实现,我们传入的exports对象会捕获依赖对象(hello.js)暴露的实现(exports.say = say)并写入
  13. eval(code)
  14. })(localRequire, exports, graph[moduleId].code)
  15. // 暴露exports对象,即暴露依赖对象对应的实现
  16. return exports
  17. }
  18. // 从入口文件开始执行
  19. require('./src/index.js')
  20. })({
  21. './src/index.js': {
  22. dependecies: { './hello.js': './src/hello.js' },
  23. code: '"use strict";\n\nvar _hello = require("./hello.js");\n\ndocument.write((0, _hello.say)("webpack"));'
  24. },
  25. './src/hello.js': {
  26. dependecies: {},
  27. code:
  28. '"use strict";\n\nObject.defineProperty(exports, "__esModule", {\n value: true\n});\nexports.say = say;\n\nfunction say(name) {\n return "hello ".concat(name);\n}'
  29. }
  30. })

这下应该明白了吧 ~ 可以直接复制上面代码到控制台输出哦~

https://www.wpsshop.cn/w/繁依Fanyi0/article/detail/120329

推荐阅读
相关标签
  

闽ICP备14008679号