当前位置:   article > 正文

Vue性能优化之——引用CDN,提高首屏加载速度_elementui cnd方式引入导致加载慢

elementui cnd方式引入导致加载慢
  Vue 项目*打包后的 vendor.js 过大,将导致打包速度慢,首屏加载慢 *。其原因是第三方库比如(vue、vue-router、vuex、axios等)都会被打包到 vendor.js 文件里面,而浏览器是在加载该文件之后,才开始显示首屏的。
  CDN优化是指,把第三方库比如(vue、vue-router、vuex、axios等)通过cdn的方式引入到项目中。这样浏览器可以开启多个线程,将vendor.js、外部js、css等加载下来(bootcdn等资源,或其他服务器资源),使得vendor.js文件减少,从而提升首屏加载速度。
  • 1
  • 2

1…vue.config.js中配置如下:

const path = require('path');
const resolve = (dir) => path.resolve(__dirname, dir);

// 开启gzip压缩,先下载 npm i -D compression-webpack-plugin@5.0.0 
const CompressionWebpackPlugin = require("compression-webpack-plugin");

// 是否是生产环境
const isProduction = process.env.NODE_ENV === 'production';

// 是否需要使用cdn
const isNeedCdn = false

// 是否需要进行 资源树 分析。安装 npm i -D webpack-bundle-analyzer
const isNeedAnalyzer = false

const assetsCDN = {
	/**
		externals对象的属性名为package.json中,对应的库的名称(固定写法),属性值为引入时你自定义的名称
	*/
    externals: {
      vue: 'Vue',
      'vue-router': 'VueRouter',
      vuex: 'Vuex',
      axios: 'axios'
    },
    css: [],
    js: [
      'https://cdn.bootcdn.net/ajax/libs/vue/3.2.0/vue.global.min.js',
      'https://cdn.bootcdn.net/ajax/libs/vuex/4.0.2/vuex.global.min.js',
      'https://cdn.bootcdn.net/ajax/libs/vue-router/4.0.14/vue-router.global.min.js',
      'https://cdn.bootcdn.net/ajax/libs/axios/0.25.0/axios.min.js'
    ]
}

module.exports = {
	lintOnSave: false,
    productionSourceMap: false,
    assetsDir: 'assets',
    publicPath: isProduction ? '/subroot' : '/', // subroot 项目部署在 子目录subroot下
    devServer: {
        proxy: {
            '/api': {
                target: serve,
                changeOrigin: true,
                pathRewrite: {
                    '^/api': ''
                }
            }
        }
    },

    css: {
        extract: false, // 不使用css分离插件
        loaderOptions: {
            css: {},
            postcss: {
                plugins: [
                    require('postcss-px2rem')({ // 自适应
                        // 以设计稿750为例, 750 / 10 = 75
                        remUnit: 37.5
                    }),
                ]
            }
        },
    },
    configureWebpack: (config) => {
        // 生产环境,则添加不参与打包的包名和依赖包的名称
        if (isProduction || isNeedCDN) {
          config.externals = assetsCDN.externals;
        }
        if (isProduction) {
          config.plugins.push(
            new CompressionWebpackPlugin({
              filename: "[path].gz[query]",
              algorithm: "gzip",
              test: /\.(js|css)(\?.*)?$/i,
              threshold: 10240, //只对10K以上进行压缩
              minRatio: 0.8,
            })
          );
        }
    },
    chainWebpack: (config) => {
    	// 优化首屏加载速度--移除 preload、prefetch 插件
        config.plugins.delete('preload');
        config.plugins.delete('prefetch');
        
        // 生产环境或需要cdn时,才注入cdn
        if (isProduction || isNeedCdn) {
            config.plugin('html').tap(args => {
                args[0].cdn = assetsCDN
                return args
            })
        }
        // 资源树分析
        if (isNeedAnalyzer) {
		    config.plugin('webpack-bundle-analyzer').use(require('webpack-bundle-analyzer').BundleAnalyzerPlugin).end()
		}
		// splitChunks抽离公共文件,避免重复请求
		config.when(isProductions, (config) => {
            config.optimization.splitChunks({
                    chunks: 'all',
                    cacheGroups: {
                        libs: {
                            name: 'chunk-libs',
                            test: /[\\/]node_modules[\\/]/,
                            priority: 10,
                            chunks: 'initial'                        },
                        commons: {
                            name: 'chunk-commons',
                            test: resolve('src/components'),
                            minChunks: 3,
                            priority: 5,
                            reuseExistingChunk: true // 是否使用已有的 chunk,如果为 true, 则表示如果当前的 chunk 包含的模块已经被抽取出去了,那么将不会重新生成新的。
                        }
                    }
                })
                // https:// webpack.js.org/configuration/optimization/#optimizationruntimechunk
            config.optimization.runtimeChunk('single')
        })
    }
}
  • 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
  • 100
  • 101
  • 102
  • 103
  • 104
  • 105
  • 106
  • 107
  • 108
  • 109
  • 110
  • 111
  • 112
  • 113
  • 114
  • 115
  • 116
  • 117
  • 118
  • 119
  • 120
  • 121
  • 122

2.在public/index.html中引入资源js、css

<!DOCTYPE html>
<html lang="">
<head>
    <meta charset="utf-8">
    <meta http-equiv="X-UA-Compatible" content="IE=edge">
    <meta name="viewport" content="width=device-width,initial-scale=1.0,minimum-scale=1.0,maximum-scale=1.0,user-scalable=no,viewport-fit=cover">
    <meta http-equiv="Cache-Control" content="no-cache, no-store, must-revalidate" />
    <meta http-equiv="Pragma" content="no-cache" />
    <meta http-equiv="Expires" content="0" />
    <meta http-equiv="Cache" content="no-cache">
    <title>引用CDN静态资源</title>
    <style>
        body {
            width: 100vw;
            height: 100vh;
        }
    </style>
    <!-- 使用CDN的CSS文件 -->
    <% for (var i in htmlWebpackPlugin.options.cdn && htmlWebpackPlugin.options.cdn.css) { %>
    <link rel="stylesheet" href="<%= htmlWebpackPlugin.options.cdn.css[i] %>" />
    <% } %>
</head>
<body>
    <div id="app"></div>
    <!-- 使用CDN的JS文件 -->
    <% for (var i in htmlWebpackPlugin.options.cdn && htmlWebpackPlugin.options.cdn.js) { %>
    <script src="<%= htmlWebpackPlugin.options.cdn.js[i] %>"></script>
    <% } %>
</body>
</html>
  • 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

3.验证
打包部署到服务器上,打开开发者工具 network,如果看到请求的资源中有自己引入的cdn链接,则配置成功。
或者在console打印台输入this 可以看到
在这里插入图片描述
需注意的是:CDN虽然可以提供首屏加载速度,但没有本地打包稳定

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/羊村懒王/article/detail/165441?site
推荐阅读
相关标签
  

闽ICP备14008679号