Vue-cli 命令列工具專案配置原始碼解析
阿新 • • 發佈:2018-12-12
我們都知道vue cli是vue.js 提供一個官方搭建專案命令列工具,可用於快速搭建大型單頁應用。以下是Vue-cli @2.9搭建專案的配置原始碼解析
相關目錄
├── build │ ├── build.js │ ├── utils.js │ ├── check-versions.js │ ├── vue-loader.conf.js │ ├── webpack.base.conf.js │ ├── webpack.dev.conf.js │ └── webpack.prod.conf.js ├── config │ ├── dev.env.js │ ├── index.js │ └── prod.env.js
一、build目錄
1、build.js(編譯入口)
'use strict' /* * 編譯入口 * */ require('./check-versions')() // 設定當前環境為生產環境 process.env.NODE_ENV = 'production' //loading...進度條 const ora = require('ora') //刪除檔案 'rm -rf' const rm = require('rimraf') // 使用 NodeJS 自帶的檔案路徑工具 const path = require('path') //stdout顏色設定 const chalk = require('chalk') // 使用 webpack const webpack = require('webpack') // 獲取 config/index.js 的預設配置 const config = require('../config') // 載入 webpack.base.conf const webpackConfig = require('./webpack.prod.conf') const spinner = ora('building for production...') spinner.start() // 清空資料夾 rm(path.join(config.build.assetsRoot, config.build.assetsSubDirectory), err => { if (err) throw err // 刪除完成回撥函式內執行編譯 webpack(webpackConfig, (err, stats) => { spinner.stop() if (err) throw err process.stdout.write(stats.toString({ colors: true, modules: false, children: false, // If you are using ts-loader, setting this to true will make TypeScript errors show up during build. chunks: false, chunkModules: false }) + '\n\n') //error if (stats.hasErrors()) { console.log(chalk.red(' Build failed with errors.\n')) process.exit(1) } //完成 console.log(chalk.cyan(' Build complete.\n')) console.log(chalk.yellow( ' Tip: built files are meant to be served over an HTTP server.\n' + ' Opening index.html over file:// won\'t work.\n' )) }) })
2、check-versions.js( 版本驗證工具)
'use strict' /* * 版本驗證工具 * */ //引入的是一個用來在命令列輸出不同顏色文字的模組,通過chalk.yellow("想新增顏色的文字......")來實現改變文字顏色的; const chalk = require('chalk') //引入的是一個語義化版本檔案的npm包,其實它就是用來控制版本的 const semver = require('semver') const packageConfig = require('../package.json') //用來執行unix命令的包。 const shell = require('shelljs') // 指令碼可以通過 child_process 模組新建子程序,從而執行 Unix 系統命令 //下面這段程式碼實際就是把cmd這個引數傳遞的值,轉化成前後沒有空格的字串,也就是版本號 function exec (cmd) { return require('child_process').execSync(cmd).toString().trim() } const versionRequirements = [ { name: 'node', // 當前環境版本,使用semver外掛把當前環境版本資訊轉化成規定格式,也就是 ‘ =v1.2.3 ‘ -> ‘1.2.3‘ 這種功能 currentVersion: semver.clean(process.version), // 要求的版本,這是規定的pakage.json中engines選項的node版本資訊 "node":">= 4.0.0" versionRequirement: packageConfig.engines.node } ] // npm環境中 if (shell.which('npm')) { versionRequirements.push({ name: 'npm', // 執行方法得到版本號 currentVersion: exec('npm --version'), // 要求的版本 versionRequirement: packageConfig.engines.npm }) } module.exports = function () { const warnings = [] for (let i = 0; i < versionRequirements.length; i++) { const mod = versionRequirements[i] //上面這個判斷就是如果版本號不符合package.json檔案中指定的版本號,就執行下面的程式碼 if (!semver.satisfies(mod.currentVersion, mod.versionRequirement)) { warnings.push(mod.name + ': ' + chalk.red(mod.currentVersion) + ' should be ' + chalk.green(mod.versionRequirement) ) } } if (warnings.length) { console.log('') console.log(chalk.yellow('To use this template, you must update following to modules:')) console.log() for (let i = 0; i < warnings.length; i++) { const warning = warnings[i] console.log(' ' + warning) } console.log() process.exit(1) } }
3、utils.js(實用程式碼段)
'use strict'
/*
* 實用程式碼段
*
*/
// 使用 NodeJS 自帶的檔案路徑工具
const path = require('path')
// 獲取 config/index.js 的預設配置
const config = require('../config')
//該外掛的主要是為了抽離css樣式,防止將樣式打包在js中引起頁面樣式載入錯亂的現象(提取樣式外掛)
const ExtractTextPlugin = require('extract-text-webpack-plugin')
const packageConfig = require('../package.json')
exports.assetsPath = function (_path) {
const assetsSubDirectory = process.env.NODE_ENV === 'production'
? config.build.assetsSubDirectory //'static'
: config.dev.assetsSubDirectory
// posix方法修正路徑
return path.posix.join(assetsSubDirectory, _path)
}
exports.cssLoaders = function (options) {
// 示例: ({ sourceMap: config.dev.cssSourceMap, usePostCSS: true })
options = options || {}
// cssLoader
const cssLoader = {
loader: 'css-loader',
options: {
sourceMap: options.sourceMap
}
}
// postcssLoader
const postcssLoader = {
loader: 'postcss-loader',
options: {
sourceMap: options.sourceMap
}
}
// generate loader string to be used with extract text plugin
function generateLoaders (loader, loaderOptions) {
// 設定預設loader
const loaders = options.usePostCSS ? [cssLoader, postcssLoader] : [cssLoader]
if (loader) {
loaders.push({
loader: loader + '-loader',
// 生成 options 物件
options: Object.assign({}, loaderOptions, {
sourceMap: options.sourceMap
})
})
}
// 生產模式中提取css
// 如果 options 中的 extract 為 true 配合生產模式
if (options.extract) {
return ExtractTextPlugin.extract({
use: loaders,
// 預設使用 vue-style-loader
fallback: 'vue-style-loader'
})
} else {
return ['vue-style-loader'].concat(loaders)
}
}
// 返回各種 loaders 物件
return {
css: generateLoaders(),
postcss: generateLoaders(),
less: generateLoaders('less'),
// 示例:[
// { loader: 'css-loader', options: { sourceMap: true/false } },
// { loader: 'postcss-loader', options: { sourceMap: true/false } },
// { loader: 'less-loader', options: { sourceMap: true/false } },
sass: generateLoaders('sass', { indentedSyntax: true }),
scss: generateLoaders('sass'),
stylus: generateLoaders('stylus'),
styl: generateLoaders('stylus')
}
}
// Generate loaders for standalone style files (outside of .vue)
exports.styleLoaders = function (options) {
const output = []
const loaders = exports.cssLoaders(options)
for (const extension in loaders) {
const loader = loaders[extension]
output.push({
test: new RegExp('\\.' + extension + '$'),
use: loader
})
// 示例:
// {
// test: new RegExp(\\.less$),
// use: {
// loader: 'less-loader', options: { sourceMap: true/false }
// }
// }
}
return output
}
// 配合 friendly-errors-webpack-plugin
exports.createNotifierCallback = () => {
// 基本用法:notifier.notify('message');
// 傳送跨平臺通知系統
const notifier = require('node-notifier')
return (severity, errors) => {
// 當前設定是隻有出現 error 錯誤時觸發 notifier 傳送通知
// 嚴重程度可以是 'error' 或 'warning'
if (severity !== 'error') return
const error = errors[0]
const filename = error.file && error.file.split('!').pop()
notifier.notify({
title: packageConfig.name,
message: severity + ': ' + error.name,
subtitle: filename || '',
// 通知圖示
icon: path.join(__dirname, 'logo.png')
})
}
}
4、vue-loader.conf.js(webpack的loader載入器)
'use strict'
/*
* webpack的loader載入器。
*
*/
// 使用一些小工具
const utils = require('./utils')
// 獲取 config/index.js 的預設配置
const config = require('../config')
//判斷是否是產品環境
const isProduction = process.env.NODE_ENV === 'production'
const sourceMapEnabled = isProduction
? config.build.productionSourceMap
: config.dev.cssSourceMap
module.exports = {
// 處理.vue檔案中的樣式
loaders: utils.cssLoaders({
// 是否開啟source-map
sourceMap: sourceMapEnabled,
// 是否提取樣式到單獨的檔案
extract: isProduction
}),
cssSourceMap: sourceMapEnabled,
// 快取破壞,特別是進行sourceMap debug時,設定成false是非常有幫助的
cacheBusting: config.dev.cacheBusting,
// 轉化請求的內容,video、source、img、image等的屬性進行配置
transformToRequire: {
video: ['src', 'poster'],
source: 'src',
img: 'src',
image: 'xlink:href'
}
}
5、webpack.base.conf.js(基礎配置檔案)
'use strict'
/*
* 基礎配置檔案
*
*/
// 使用 NodeJS 自帶的檔案路徑工具
const path = require('path')
// 使用一些小工具
const utils = require('./utils')
// 獲取 config/index.js 的預設配置
const config = require('../config')
const vueLoaderConfig = require('./vue-loader.conf')
function resolve (dir) {
return path.join(__dirname, '..', dir)
}
module.exports = {
// 基礎目錄
context: path.resolve(__dirname, '../'),
entry: {
// 編譯檔案入口
app: './src/main.js'
},
output: {
//編譯輸出的靜態資源根路徑 預設'../dist'
path: config.build.assetsRoot,
// 編譯輸出的檔名
filename: '[name].js',
publicPath: process.env.NODE_ENV === 'production'
? config.build.assetsPublicPath //生產模式publicpath
: config.dev.assetsPublicPath //開發模式publicpath
},
resolve: {
// 解析確定的拓展名,方便模組匯入
extensions: ['.js', '.vue', '.json'],
alias: {
// 建立別名
'vue$': 'vue/dist/vue.esm.js',
// 如 '@/components/HelloWorld'
'@': resolve('src'),
}
},
module: {
rules: [
{
// vue 要在babel之前
test: /\.vue$/,
loader: 'vue-loader',
//可選項: vue-loader 選項配置
options: vueLoaderConfig
},
{
// babel
test: /\.js$/,
loader: 'babel-loader',
include: [resolve('src'), resolve('test'), resolve('node_modules/webpack-dev-server/client')]
},
{
// url-loader 檔案大小低於指定的限制時,可返回 DataURL,即base64
// url-loader 圖片
test: /\.(png|jpe?g|gif|svg)(\?.*)?$/,
loader: 'url-loader',
// 相容性問題需要將query換成options
options: {
// 預設無限制
limit: 10000,
// hash:7 代表 7 位數的 hash
name: utils.assetsPath('img/[name].[hash:7].[ext]')
}
},
{
// url-loader 音視訊
test: /\.(mp4|webm|ogg|mp3|wav|flac|aac)(\?.*)?$/,
loader: 'url-loader',
options: {
limit: 10000,
name: utils.assetsPath('media/[name].[hash:7].[ext]')
}
},
{
// url-loader 字型
test: /\.(woff2?|eot|ttf|otf)(\?.*)?$/,
loader: 'url-loader',
options: {
limit: 10000,
name: utils.assetsPath('fonts/[name].[hash:7].[ext]')
}
}
]
},
// 是否 polyfill 或 mock
node: {
// prevent webpack from injecting useless setImmediate polyfill because Vue
// source contains it (although only uses it if it's native).
setImmediate: false,
// prevent webpack from injecting mocks to Node native modules
// that does not make sense for the client
dgram: 'empty',
fs: 'empty',
net: 'empty',
tls: 'empty',
child_process: 'empty'
}
}
6、webpack.dev.conf.js(開發模式配置檔案)
'use strict'
/*
* 開發模式配置檔案
*
*/
// 使用一些小工具
const utils = require('./utils')
// 使用 webpack
const webpack = require('webpack')
// 獲取 config/index.js 的預設配置
const config = require('../config')
// 使用 webpack 配置合併外掛
const merge = require('webpack-merge')
// 使用 NodeJS 自帶的檔案路徑工具
const path = require('path')
// 載入 webpack.base.conf
const baseWebpackConfig = require('./webpack.base.conf')
//在webpack中拷貝檔案和資料夾
const CopyWebpackPlugin = require('copy-webpack-plugin')
// 使用 html-webpack-plugin 外掛,這個外掛可以幫我們自動生成 html 並且注入到 .html 檔案中
const HtmlWebpackPlugin = require('html-webpack-plugin')
// webpack錯誤資訊提示外掛
const FriendlyErrorsPlugin = require('friendly-errors-webpack-plugin')
//檢視程序埠
const portfinder = require('portfinder')
//電腦預設的域名
const HOST = process.env.HOST
//電腦預設的埠
const PORT = process.env.PORT && Number(process.env.PORT)
// 將我們 webpack.dev.conf.js 的配置和 webpack.base.conf.js 的配置合併
const devWebpackConfig = merge(baseWebpackConfig, {
module: {
// 自動生成了 css, postcss, less 等規則,與自己一個個手寫一樣,預設包括了 css 和 postcss 規則
rules: utils.styleLoaders({ sourceMap: config.dev.cssSourceMap, usePostCSS: true })
},
// 使用 cheap-module-eval-source-map 模式作為開發工具 新增元資訊(meta info)增強除錯
devtool: config.dev.devtool,
// these devServer options should be customized in /config/index.js
devServer: {
// console 控制檯顯示的訊息,可能的值有 none, error, warning 或者 info
clientLogLevel: 'warning',
// History API 當遇到 404 響應時會被替代為 index.html
historyApiFallback: {
rewrites: [
{ from: /.*/, to: path.posix.join(config.dev.assetsPublicPath, 'index.html') },
],
},
// 模組熱替換
hot: true,
contentBase: false, // since we use CopyWebpackPlugin.
// gzip
compress: true,
// process.env 優先
host: HOST || config.dev.host,
// process.env 優先
port: PORT || config.dev.port,
// 是否自動開啟瀏覽器
open: config.dev.autoOpenBrowser,
// warning 和 error 都要顯示
overlay: config.dev.errorOverlay
? { warnings: false, errors: true }
: false,
// 配置publicPath
publicPath: config.dev.assetsPublicPath,
// 代理
proxy: config.dev.proxyTable,
// 控制檯是否禁止列印警告和錯誤 若使用 FriendlyErrorsPlugin 此處為 true
quiet: true,
watchOptions: {
// 檔案系統檢測改動
poll: config.dev.poll,
}
},
plugins: [
new webpack.DefinePlugin({
// 判斷生產環境或開發環境
'process.env': require('../config/dev.env')
}),
// 熱載入
new webpack.HotModuleReplacementPlugin(),
// 熱載入時直接返回更新的檔名,而不是id
new webpack.NamedModulesPlugin(),
// 跳過編譯時出錯的程式碼並記錄下來,主要作用是使編譯後執行時的包不出錯
new webpack.NoEmitOnErrorsPlugin(),
// 該外掛可自動生成一個 html5 檔案或使用模板檔案將編譯好的程式碼注入進去
new HtmlWebpackPlugin({
filename: 'index.html',
template: 'index.html',
// 可能的選項有 true, 'head', 'body', false
inject: true
}),
//拷貝檔案和資料夾
new CopyWebpackPlugin([
{
from: path.resolve(__dirname, '../static'),
to: config.dev.assetsSubDirectory,
ignore: ['.*']
}
])
]
})
module.exports = new Promise((resolve, reject) => {
//獲取當前設定的埠
portfinder.basePort = process.env.PORT || config.dev.port
portfinder.getPort((err, port) => {
if (err) {
reject(err)
} else {
// process 公佈埠
process.env.PORT = port
// 設定 devServer 埠
devWebpackConfig.devServer.port = port
// 錯誤提示外掛
devWebpackConfig.plugins.push(new FriendlyErrorsPlugin({
compilationSuccessInfo: {
messages: [`Your application is running here: http://${devWebpackConfig.devServer.host}:${port}`],
},
onErrors: config.dev.notifyOnErrors
? utils.createNotifierCallback()
: undefined
}))
resolve(devWebpackConfig)
}
})
})
7、webpack.prod.conf.js(生產模式配置檔案)
'use strict'
/*
* 生產模式配置檔案
*
*/
// 使用 NodeJS 自帶的檔案路徑工具
const path = require('path')
// 使用一些小工具
const utils = require('./utils')
// 使用 webpack
const webpack = require('webpack')
// 獲取 config/index.js 的預設配置
const config = require('../config')
// 使用 webpack 配置合併外掛
const merge = require('webpack-merge')
// 載入 webpack.base.conf
const baseWebpackConfig = require('./webpack.base.conf')
//在webpack中拷貝檔案和資料夾
const CopyWebpackPlugin = require('copy-webpack-plugin')
// 使用 html-webpack-plugin 外掛,這個外掛可以幫我們自動生成 html 並且注入到 .html 檔案中
const HtmlWebpackPlugin = require('html-webpack-plugin')
//該外掛的主要是為了抽離css樣式,防止將樣式打包在js中引起頁面樣式載入錯亂的現象(提取樣式外掛)
const ExtractTextPlugin = require('extract-text-webpack-plugin')
//壓縮提取出的css,並解決ExtractTextPlugin分離出的js重複問題(多個檔案引入同一css檔案)
const OptimizeCSSPlugin = require('optimize-css-assets-webpack-plugin')
//壓縮js
const UglifyJsPlugin = require('uglifyjs-webpack-plugin')
//產品環境
const env = require('../config/prod.env')
// 合併 webpack.base.conf.js
const webpackConfig = merge(baseWebpackConfig, {
module: {
// 自動生成了 css, postcss, less 等規則,與自己一個個手寫一樣,預設包括了 css 和 postcss 規則
rules: utils.styleLoaders({
// production 下生成 sourceMap
sourceMap: config.build.productionSourceMap,
// util 中 styleLoaders 方法內的 generateLoaders 函式
extract: true,
usePostCSS: true
})
},
// 是否使用 cheap-module-eval-source-map 模式作為開發工具
devtool: config.build.productionSourceMap ? config.build.devtool : false,
output: {
// 編譯輸出目錄
path: config.build.assetsRoot,
// 編譯輸出檔名
filename: utils.assetsPath('js/[name].[chunkhash].js'),
//沒有指定輸出名的檔案輸出的檔名
chunkFilename: utils.assetsPath('js/[id].[chunkhash].js')
},
plugins: [
// definePlugin 接收字串插入到程式碼當中, 所以你需要的話可以寫上 JS 的字串
new webpack.DefinePlugin({
'process.env': env
}),
// 壓縮 js (同樣可以壓縮 css)
new UglifyJsPlugin({
uglifyOptions: {
compress: {
warnings: false
}
},
sourceMap: config.build.productionSourceMap,
parallel: true
}),
// 將 css 檔案分離出來
new ExtractTextPlugin({
filename: utils.assetsPath('css/[name].[contenthash].css'),
// Setting the following option to `false` will not extract CSS from codesplit chunks.
// Their CSS will instead be inserted dynamically with style-loader when the codesplit chunk has been loaded by webpack.
// It's currently set to `true` because we are seeing that sourcemaps are included in the codesplit bundle as well when it's `false`,
// increasing file size: https://github.com/vuejs-templates/webpack/issues/1110
allChunks: true,
}),
// Compress extracted CSS. We are using this plugin so that possible
// duplicated CSS from different components can be deduped.
new OptimizeCSSPlugin({
cssProcessorOptions: config.build.productionSourceMap
? { safe: true, map: { inline: false } }
: { safe: true }
}),
// 構建要輸出的 index.html 檔案, HtmlWebpackPlugin 可以生成一個 html 並且在其中插入你構建生成的資源
new HtmlWebpackPlugin({
// 生成的 html 檔名
filename: config.build.index,
// 使用的模板
template: 'index.html',
// 是否注入 html (有多重注入方式,可以選擇注入的位置)
inject: true,
//壓縮的方式
minify: {
removeComments: true,
collapseWhitespace: true,
removeAttributeQuotes: true
// more options:
// https://github.com/kangax/html-minifier#options-quick-reference
},
// necessary to consistently work with multiple chunks via CommonsChunkPlugin
chunksSortMode: 'dependency'
}),
// keep module.id stable when vendor modules does not change
new webpack.HashedModuleIdsPlugin(),
// enable scope hoisting
new webpack.optimize.ModuleConcatenationPlugin(),
// CommonsChunkPlugin用於生成在入口點之間共享的公共模組(比如jquery,vue)的塊並將它們分成獨立的包。
// 而為什麼要new兩次這個外掛,這是一個很經典的bug的解決方案,
// 在webpack的一個issues有過深入的討論webpack/webpack#1315 .----為了將專案中的第三方依賴程式碼抽離出來,
// 官方文件上推薦使用這個外掛,當我們在專案裡實際使用之後,
// 發現一旦更改了 app.js 內的程式碼,vendor.js 的 hash 也會改變,那麼下次上線時,
// 使用者仍然需要重新下載 vendor.js 與 app.js
new webpack.optimize.CommonsChunkPlugin({
name: 'vendor',
minChunks (module) {
// 依賴的 node_modules 檔案會被提取到 vendor 中
return (
module.resource &&
/\.js$/.test(module.resource) &&
module.resource.indexOf(
path.join(__dirname, '../node_modules')
) === 0
)
}
}),
// extract webpack runtime and module manifest to its own file in order to
// prevent vendor hash from being updated whenever app bundle is updated
new webpack.optimize.CommonsChunkPlugin({
name: 'manifest',
minChunks: Infinity
}),
// This instance extracts shared chunks from code splitted chunks and bundles them
// in a separate chunk, similar to the vendor chunk
// see: https://webpack.js.org/plugins/commons-chunk-plugin/#extra-async-commons-chunk
new webpack.optimize.CommonsChunkPlugin({
name: 'app',
async: 'vendor-async',
children: true,
minChunks: 3
}),
// copy custom static assets
new CopyWebpackPlugin([
{
from: path.resolve(__dirname, '../static'),
to: config.build.assetsSubDirectory,
ignore: ['.*']
}
])
]
})
// 開啟 gzip 的情況下使用下方的配置
if (config.build.productionGzip) {
// 載入 compression-webpack-plugin 外掛
const CompressionWebpackPlugin = require('compression-webpack-plugin')
// 向webpackconfig.plugins中加入下方的外掛
webpackConfig.plugins.push(
// 使用 compression-webpack-plugin 外掛進行壓縮
new CompressionWebpackPlugin({
asset: '[path].gz[query]',
algorithm: 'gzip',
test: new RegExp(
'\\.(' +
config.build.productionGzipExtensions.join('|') +
')$'
),
// 10kb 以上大小的檔案才壓縮
threshold: 10240,
// 最小比例達到 .8 時才壓縮
minRatio: 0.8
})
)
}
// 視覺化分析包的尺寸
if (config.build.bundleAnalyzerReport) {
const BundleAnalyzerPlugin = require('webpack-bundle-analyzer').BundleAnalyzerPlugin
webpackConfig.plugins.push(new BundleAnalyzerPlugin())
}
module.exports = webpackConfig
二、config目錄
1、dev.env.js(開發模式)
'use strict'
/*
* 開發模式
*
*/
const merge = require('webpack-merge')
const prodEnv = require('./prod.env')
module.exports = merge(prodEnv, {
NODE_ENV: '"development"'
})
'use strict'
/*
* 配置檔案
*
*/
// 使用 NodeJS 自帶的檔案路徑工具
const path = require('path')
module.exports = {
dev: {
// 路徑
// path:用來存放打包後文件的輸出目錄
assetsSubDirectory: 'static',
// publicPath:指定資原始檔引用的目錄
assetsPublicPath: '/',
// 代理示例: proxy: [{context: ["/auth", "/api"],target: "http://localhost:3000",}]
proxyTable: {},
// 開發伺服器變數設定
host: 'localhost',
port: 8080,
// 開發伺服器變數設定
autoOpenBrowser: true,
// 瀏覽器錯誤提示 devServer.overlay
errorOverlay: true,
// 配合 friendly-errors-webpack-plugin
notifyOnErrors: true,
// 使用檔案系統(file system)獲取檔案改動的通知devServer.watchOptions
poll: false, // https://webpack.js.org/configuration/dev-server/#devserver-watchoptions-
/**
* Source Maps
*/
// // 增強除錯 可能的推薦值:eval, eval-source-map(推薦),
// cheap-eval-source-map, cheap-module-eval-source-map
// 詳細:<a rel="nofollow" href="https://doc.webpack-china.org/configuration/devtool" target="_blank">
// https://doc.webpack-china.org/configuration/devtool</a>
devtool: 'cheap-module-eval-source-map',
//快取破壞設定
cacheBusting: true,
// develop 下不生成 sourceMap
cssSourceMap: true
},
build: {
// index模板檔案
index: path.resolve(__dirname, '../dist/index.html'),
// 路徑
assetsRoot: path.resolve(__dirname, '../dist'),
assetsSubDirectory: 'static',
assetsPublicPath: '/',
/**
* Source Maps
*/
// production 下是生成 sourceMap
productionSourceMap: true,
// devtool: 'source-map' ?
devtool: '#source-map',
// Gzip off by default as many popular static hosts such as
// Surge or Netlify already gzip all static assets for you.
// Before setting to `true`, make sure to:
// npm install --save-dev compression-webpack-plugin
productionGzip: false,
productionGzipExtensions: ['js', 'css'],
// Run the build command with an extra argument to
// View the bundle analyzer report after build finishes:
// `npm run build --report`
// Set to `true` or `false` to always turn it on or off
bundleAnalyzerReport: process.env.npm_config_report
}
}
2、index.js配置檔案)
'use strict'
/*
* 配置檔案
*
*/
// 使用 NodeJS 自帶的檔案路徑工具
const path = require('path')
module.exports = {
dev: {
// 路徑
// path:用來存放打包後文件的輸出目錄
assetsSubDirectory: 'static',
// publicPath:指定資原始檔引用的目錄
assetsPublicPath: '/',
// 代理示例: proxy: [{context: ["/auth", "/api"],target: "http://localhost:3000",}]
proxyTable: {},
// 開發伺服器變數設定
host: 'localhost',
port: 8080,
// 開發伺服器變數設定
autoOpenBrowser: true,
// 瀏覽器錯誤提示 devServer.overlay
errorOverlay: true,
// 配合 friendly-errors-webpack-plugin
notifyOnErrors: true,
// 使用檔案系統(file system)獲取檔案改動的通知devServer.watchOptions
poll: false, // https://webpack.js.org/configuration/dev-server/#devserver-watchoptions-
/**
* Source Maps
*/
// // 增強除錯 可能的推薦值:eval, eval-source-map(推薦),
// cheap-eval-source-map, cheap-module-eval-source-map
// 詳細:<a rel="nofollow" href="https://doc.webpack-china.org/configuration/devtool" target="_blank">
// https://doc.webpack-china.org/configuration/devtool</a>
devtool: 'cheap-module-eval-source-map',
//快取破壞設定
cacheBusting: true,
// develop 下不生成 sourceMap
cssSourceMap: true
},
build: {
// index模板檔案
index: path.resolve(__dirname, '../dist/index.html'),
// 路徑
assetsRoot: path.resolve(__dirname, '../dist'),
assetsSubDirectory: 'static',
assetsPublicPath: '/',
/**
* Source Maps
*/
// production 下是生成 sourceMap
productionSourceMap: true,
// devtool: 'source-map' ?
devtool: '#source-map',
// Gzip off by default as many popular static hosts such as
// Surge or Netlify already gzip all static assets for you.
// Before setting to `true`, make sure to:
// npm install --save-dev compression-webpack-plugin
productionGzip: false,
productionGzipExtensions: ['js', 'css'],
// Run the build command with an extra argument to
// View the bundle analyzer report after build finishes:
// `npm run build --report`
// Set to `true` or `false` to always turn it on or off
bundleAnalyzerReport: process.env.npm_config_report
}
}
3、prod.env.js(生產模式)
'use strict'
/*
* 生產模式
*
*/
module.exports = {
NODE_ENV: '"production"'
}