Nuxt/lib/builder/builder.js

583 lines
18 KiB
JavaScript
Raw Normal View History

const { promisify } = require('util')
const _ = require('lodash')
const chokidar = require('chokidar')
const { remove, readFile, writeFile, mkdirp, existsSync } = require('fs-extra')
const hash = require('hash-sum')
const webpack = require('webpack')
const serialize = require('serialize-javascript')
const { join, resolve, basename, extname, dirname } = require('path')
const MFS = require('memory-fs')
const webpackDevMiddleware = require('webpack-dev-middleware')
const webpackHotMiddleware = require('webpack-hot-middleware')
const Debug = require('debug')
const Glob = require('glob')
2018-01-04 15:53:06 +00:00
const { r, wp, wChunk, createRoutes, sequence, relativeTo, waitFor } = require('../common/utils')
2017-12-29 08:56:32 +00:00
const { Options } = require('../common')
const clientWebpackConfig = require('./webpack/client.config.js')
const serverWebpackConfig = require('./webpack/server.config.js')
const dllWebpackConfig = require('./webpack/dll.config.js')
2018-01-02 02:36:09 +00:00
const upath = require('upath')
2017-06-11 14:17:36 +00:00
2017-06-18 09:35:00 +00:00
const debug = Debug('nuxt:build')
2017-06-11 14:17:36 +00:00
debug.color = 2 // Force green color
const glob = promisify(Glob)
2017-06-11 14:17:36 +00:00
module.exports = class Builder {
2017-10-30 17:41:22 +00:00
constructor(nuxt) {
2017-06-11 14:17:36 +00:00
this.nuxt = nuxt
this.isStatic = false // Flag to know if the build is for a generated app
2017-06-11 14:17:36 +00:00
this.options = nuxt.options
// Fields that set on build
2017-11-07 09:46:29 +00:00
this.compilers = []
this.compilersWatching = []
this.webpackDevMiddleware = null
this.webpackHotMiddleware = null
this.filesWatcher = null
this.customFilesWatcher = null
// Mute stats on dev
this.webpackStats = this.options.dev ? false : this.options.build.stats
// Helper to resolve build paths
this.relativeToBuild = (...args) => relativeTo(this.options.buildDir, ...args)
this._buildStatus = STATUS.INITIAL
// Stop watching on nuxt.close()
2017-11-24 03:43:01 +00:00
if (this.options.dev) {
2017-11-24 08:21:08 +00:00
this.nuxt.hook('close', () => this.unwatch())
} else {
this.nuxt.hook('build:done', () => this.generateConfig())
}
2017-06-11 14:17:36 +00:00
}
2017-10-30 17:41:22 +00:00
get plugins() {
2017-12-07 09:57:07 +00:00
return _.uniqBy(this.options.plugins.map((p, i) => {
2017-07-10 22:53:06 +00:00
if (typeof p === 'string') p = { src: p }
2017-12-08 09:24:16 +00:00
const pluginBaseName = basename(p.src, extname(p.src)).replace(/[^a-zA-Z?\d\s:]/g, '')
return {
src: this.nuxt.resolvePath(p.src),
ssr: (p.ssr !== false),
2017-12-08 09:24:16 +00:00
name: 'nuxt_plugin_' + pluginBaseName + '_' + hash(p.src)
}
2017-12-07 09:57:07 +00:00
}), p => p.name)
2017-07-10 22:53:06 +00:00
}
2017-10-30 17:41:22 +00:00
vendor() {
return [
'vue',
'vue-router',
'vue-meta',
2017-08-21 19:12:41 +00:00
this.options.store && 'vuex'
].concat(this.options.build.vendor).filter(v => v)
}
2017-10-30 17:41:22 +00:00
vendorEntries() {
// Used for dll
const vendor = this.vendor()
const vendorEntries = {}
vendor.forEach(v => {
2017-08-21 19:40:06 +00:00
try {
require.resolve(v)
vendorEntries[v] = [ v ]
} catch (e) {
// Ignore
}
})
return vendorEntries
}
2017-10-30 17:41:22 +00:00
forGenerate() {
this.isStatic = true
2017-08-17 12:43:51 +00:00
}
2017-10-30 17:41:22 +00:00
async build() {
// Avoid calling build() method multiple times when dev:true
2017-06-19 15:47:31 +00:00
/* istanbul ignore if */
if (this._buildStatus === STATUS.BUILD_DONE && this.options.dev) {
2017-06-11 14:17:36 +00:00
return this
}
// If building
2017-06-19 15:47:31 +00:00
/* istanbul ignore if */
2017-06-11 14:17:36 +00:00
if (this._buildStatus === STATUS.BUILDING) {
await waitFor(1000)
return this.build()
2017-06-11 14:17:36 +00:00
}
this._buildStatus = STATUS.BUILDING
2017-06-13 17:58:04 +00:00
// Wait for nuxt ready
await this.nuxt.ready()
2017-10-30 21:39:08 +00:00
// Call before hook
await this.nuxt.callHook('build:before', this, this.options.build)
2017-07-03 11:11:40 +00:00
2017-06-11 14:17:36 +00:00
// Check if pages dir exists and warn if not
this._nuxtPages = typeof this.options.build.createRoutes !== 'function'
if (this._nuxtPages) {
if (!existsSync(join(this.options.srcDir, 'pages'))) {
2017-06-13 20:14:51 +00:00
let dir = this.options.srcDir
if (existsSync(join(this.options.srcDir, '..', 'pages'))) {
2017-06-13 22:09:03 +00:00
throw new Error(`No \`pages\` directory found in ${dir}. Did you mean to run \`nuxt\` in the parent (\`../\`) directory?`)
2017-06-11 14:17:36 +00:00
} else {
2017-06-13 22:09:03 +00:00
throw new Error(`Couldn't find a \`pages\` directory in ${dir}. Please create one under the project root`)
2017-06-11 14:17:36 +00:00
}
}
}
2017-06-13 17:58:04 +00:00
2017-06-11 14:17:36 +00:00
debug(`App root: ${this.options.srcDir}`)
debug(`Generating ${this.options.buildDir} files...`)
// Create .nuxt/, .nuxt/components and .nuxt/dist folders
await remove(r(this.options.buildDir))
await mkdirp(r(this.options.buildDir, 'components'))
if (!this.options.dev) {
await mkdirp(r(this.options.buildDir, 'dist'))
}
2017-06-11 14:17:36 +00:00
// Generate routes and interpret the template files
await this.generateRoutesAndFiles()
// Start webpack build
await this.webpackBuild()
2017-06-11 14:17:36 +00:00
// Flag to set that building is done
this._buildStatus = STATUS.BUILD_DONE
2017-10-30 21:39:08 +00:00
// Call done hook
await this.nuxt.callHook('build:done', this)
2017-10-30 17:41:22 +00:00
2017-06-11 14:17:36 +00:00
return this
}
getBabelOptions({ isServer }) {
const options = _.defaults({}, {
babelrc: false,
cacheDirectory: !!this.options.dev
}, this.options.build.babel)
if (typeof options.presets === 'function') {
options.presets = options.presets({ isServer })
}
if (!options.babelrc && !options.presets) {
options.presets = [
[
require.resolve('babel-preset-vue-app'),
{
targets: isServer ? { node: '8.0.0' } : { ie: 9, uglify: true }
}
]
]
}
return options
}
getFileName(name) {
let fileName = this.options.build.filenames[name]
// Don't use hashes when watching
// https://github.com/webpack/webpack/issues/1914#issuecomment-174171709
if (this.options.dev) {
fileName = fileName.replace(/\[(chunkhash|contenthash|hash)\]\./g, '')
}
return fileName
}
2017-10-30 17:41:22 +00:00
async generateRoutesAndFiles() {
2017-06-11 14:17:36 +00:00
debug('Generating files...')
// -- Templates --
let templatesFiles = [
'App.js',
2017-06-11 14:17:36 +00:00
'client.js',
'index.js',
'middleware.js',
'router.js',
'server.js',
'utils.js',
2017-07-10 22:53:06 +00:00
'empty.js',
2017-06-11 14:17:36 +00:00
'components/nuxt-error.vue',
'components/nuxt-loading.vue',
'components/nuxt-child.js',
'components/nuxt-link.js',
'components/nuxt.js',
2017-08-24 10:38:46 +00:00
'components/no-ssr.js',
2017-06-16 12:42:45 +00:00
'views/app.template.html',
'views/error.html'
2017-06-11 14:17:36 +00:00
]
const templateVars = {
options: this.options,
extensions: this.options.extensions.map((ext) => ext.replace(/^\./, '')).join('|'),
2017-09-01 16:30:49 +00:00
messages: this.options.messages,
2017-06-11 14:17:36 +00:00
uniqBy: _.uniqBy,
isDev: this.options.dev,
debug: this.options.debug,
2017-08-20 13:13:42 +00:00
mode: this.options.mode,
2017-06-13 17:58:04 +00:00
router: this.options.router,
2017-06-11 14:17:36 +00:00
env: this.options.env,
head: this.options.head,
middleware: existsSync(join(this.options.srcDir, 'middleware')),
store: this.options.store,
2017-06-11 14:17:36 +00:00
css: this.options.css,
2017-07-10 22:53:06 +00:00
plugins: this.plugins,
appPath: './App.js',
ignorePrefix: this.options.ignorePrefix,
2017-06-11 14:17:36 +00:00
layouts: Object.assign({}, this.options.layouts),
loading: typeof this.options.loading === 'string' ? this.relativeToBuild(this.options.srcDir, this.options.loading) : this.options.loading,
2017-06-11 14:17:36 +00:00
transition: this.options.transition,
2017-09-08 10:42:00 +00:00
layoutTransition: this.options.layoutTransition,
2017-06-11 14:17:36 +00:00
components: {
ErrorPage: this.options.ErrorPage ? this.relativeToBuild(this.options.ErrorPage) : null
2017-06-11 14:17:36 +00:00
}
}
// -- Layouts --
if (existsSync(resolve(this.options.srcDir, 'layouts'))) {
2018-01-05 12:19:26 +00:00
const layoutsFiles = await glob('layouts/**/*.{vue,js}', { cwd: this.options.srcDir, ignore: [`layouts/**/${this.options.ignorePrefix}*.{vue,js}`] })
2017-08-14 12:15:00 +00:00
let hasErrorLayout = false
2017-06-11 14:17:36 +00:00
layoutsFiles.forEach((file) => {
let name = file.split('/').slice(1).join('/').replace(/\.(vue|js)$/, '')
2017-08-14 12:15:00 +00:00
if (name === 'error') {
hasErrorLayout = true
return
}
if (!templateVars.layouts[name] || /\.vue$/.test(file)) {
templateVars.layouts[name] = this.relativeToBuild(this.options.srcDir, file)
}
2017-06-11 14:17:36 +00:00
})
2017-08-14 12:15:00 +00:00
if (!templateVars.components.ErrorPage && hasErrorLayout) {
2017-08-17 13:13:56 +00:00
templateVars.components.ErrorPage = this.relativeToBuild(this.options.srcDir, 'layouts/error.vue')
2017-06-11 14:17:36 +00:00
}
}
// If no default layout, create its folder and add the default folder
if (!templateVars.layouts.default) {
await mkdirp(r(this.options.buildDir, 'layouts'))
templatesFiles.push('layouts/default.vue')
2017-06-20 17:12:06 +00:00
templateVars.layouts.default = './layouts/default.vue'
2017-06-11 14:17:36 +00:00
}
// -- Routes --
debug('Generating routes...')
// If user defined a custom method to create routes
if (this._nuxtPages) {
// Use nuxt.js createRoutes bases on pages/
const files = {};
(await glob('pages/**/*.{vue,js}', { cwd: this.options.srcDir, ignore: [`pages/**/${this.options.ignorePrefix}*.{vue,js}`] })).forEach(f => {
const key = f.replace(/\.(js|vue)$/, '')
if (/\.vue$/.test(f) || !files[key]) {
files[key] = f
}
})
templateVars.router.routes = createRoutes(Object.values(files), this.options.srcDir)
2017-06-11 14:17:36 +00:00
} else {
templateVars.router.routes = this.options.build.createRoutes(this.options.srcDir)
}
2017-07-03 11:11:40 +00:00
2017-10-30 21:39:08 +00:00
await this.nuxt.callHook('build:extendRoutes', templateVars.router.routes, r)
2017-07-03 11:11:40 +00:00
2017-06-11 14:17:36 +00:00
// router.extendRoutes method
if (typeof this.options.router.extendRoutes === 'function') {
// let the user extend the routes
const extendedRoutes = this.options.router.extendRoutes(templateVars.router.routes, r)
// Only overwrite routes when something is returned for backwards compatibility
if (extendedRoutes !== undefined) {
templateVars.router.routes = extendedRoutes
}
2017-06-11 14:17:36 +00:00
}
// Make routes accessible for other modules and webpack configs
this.routes = templateVars.router.routes
2017-06-11 14:17:36 +00:00
// -- Store --
// Add store if needed
if (this.options.store) {
templatesFiles.push('store.js')
}
// Resolve template files
const customTemplateFiles = this.options.build.templates.map(t => t.dst || basename(t.src || t))
templatesFiles = templatesFiles.map(file => {
// Skip if custom file was already provided in build.templates[]
if (customTemplateFiles.indexOf(file) !== -1) {
return
}
// Allow override templates using a file with same name in ${srcDir}/app
const customPath = r(this.options.srcDir, 'app', file)
const customFileExists = existsSync(customPath)
2017-06-11 14:17:36 +00:00
return {
2017-06-16 12:42:45 +00:00
src: customFileExists
? customPath
2017-06-16 13:04:42 +00:00
: r(this.options.nuxtAppDir, file),
2017-06-11 14:17:36 +00:00
dst: file,
custom: customFileExists
}
}).filter(i => !!i)
// -- Custom templates --
// Add custom template files
templatesFiles = templatesFiles.concat(this.options.build.templates.map(t => {
return Object.assign({
src: r(this.options.srcDir, t.src || t),
dst: t.dst || basename(t.src || t),
custom: true
}, t)
}))
2017-08-18 10:26:19 +00:00
// -- Loading indicator --
if (this.options.loadingIndicator.name) {
const indicatorPath1 = resolve(this.options.nuxtAppDir, 'views/loading', this.options.loadingIndicator.name + '.html')
const indicatorPath2 = this.nuxt.resolvePath(this.options.loadingIndicator.name)
const indicatorPath = existsSync(indicatorPath1) ? indicatorPath1 : (existsSync(indicatorPath2) ? indicatorPath2 : null)
if (indicatorPath) {
templatesFiles.push({
src: indicatorPath,
dst: 'loading.html',
options: this.options.loadingIndicator
})
2017-08-18 12:23:10 +00:00
} else {
2017-11-24 15:44:07 +00:00
/* istanbul ignore next */
console.error(`Could not fetch loading indicator: ${this.options.loadingIndicator.name}`) // eslint-disable-line no-console
2017-08-18 10:26:19 +00:00
}
}
2017-10-30 21:39:08 +00:00
await this.nuxt.callHook('build:templates', { templatesFiles, templateVars, resolve: r })
2017-07-03 11:11:40 +00:00
2017-06-11 14:17:36 +00:00
// Interpret and move template files to .nuxt/
2017-06-15 22:19:53 +00:00
await Promise.all(templatesFiles.map(async ({ src, dst, options, custom }) => {
2017-06-11 14:17:36 +00:00
// Add template to watchers
this.options.build.watch.push(src)
// Render template to dst
const fileContent = await readFile(src, 'utf8')
let content
try {
const template = _.template(fileContent, {
imports: {
serialize,
hash,
r,
wp,
wChunk,
resolvePath: this.nuxt.resolvePath.bind(this.nuxt),
relativeToBuild: this.relativeToBuild
}
})
content = template(Object.assign({}, templateVars, {
options: options || {},
custom,
src,
dst
}))
} catch (err) {
2017-11-24 15:44:07 +00:00
/* istanbul ignore next */
throw new Error(`Could not compile template ${src}: ${err.message}`)
}
2017-06-11 14:17:36 +00:00
const path = r(this.options.buildDir, dst)
// Ensure parent dir exits
await mkdirp(dirname(path))
// Write file
await writeFile(path, content, 'utf8')
}))
}
2017-10-30 17:41:22 +00:00
async webpackBuild() {
debug('Building files...')
2017-07-10 22:53:06 +00:00
const compilersOptions = []
// Client
2017-07-10 22:53:06 +00:00
const clientConfig = clientWebpackConfig.call(this)
compilersOptions.push(clientConfig)
// Server
let serverConfig = null
2017-07-11 00:24:39 +00:00
if (this.options.build.ssr) {
serverConfig = serverWebpackConfig.call(this)
2017-07-11 00:24:39 +00:00
compilersOptions.push(serverConfig)
}
2017-07-10 22:53:06 +00:00
// Alias plugins to their real path
this.plugins.forEach(p => {
const src = this.relativeToBuild(p.src)
// Client config
if (!clientConfig.resolve.alias[p.name]) {
clientConfig.resolve.alias[p.name] = src
}
// Server config
if (serverConfig && !serverConfig.resolve.alias[p.name]) {
2017-07-10 22:53:06 +00:00
// Alias to noop for ssr:false plugins
serverConfig.resolve.alias[p.name] = p.ssr ? src : './empty.js'
}
})
// Make a dll plugin after compile to make nuxt dev builds faster
if (this.options.build.dll && this.options.dev) {
compilersOptions.push(dllWebpackConfig.call(this, clientConfig))
}
// Initialize shared FS and Cache
const sharedFS = this.options.dev && new MFS()
const sharedCache = {}
// Initialize compilers
2017-11-07 09:46:29 +00:00
this.compilers = compilersOptions.map(compilersOption => {
const compiler = webpack(compilersOption)
// In dev, write files in memory FS (except for DLL)
if (sharedFS && !compiler.name.includes('-dll')) {
compiler.outputFileSystem = sharedFS
}
compiler.cache = sharedCache
2017-11-07 09:46:29 +00:00
return compiler
})
2017-06-15 22:19:53 +00:00
// Start Builds
await sequence(this.compilers, (compiler) => new Promise(async (resolve, reject) => {
const name = compiler.options.name
2017-10-30 21:39:08 +00:00
await this.nuxt.callHook('build:compile', { name, compiler })
// Resolve only when compiler emit done event
compiler.plugin('done', async (stats) => {
2017-10-30 21:39:08 +00:00
await this.nuxt.callHook('build:compiled', { name, compiler, stats })
2017-10-31 17:33:25 +00:00
// Reload renderer if available
this.nuxt.renderer.loadResources(sharedFS || require('fs'))
2017-10-31 17:33:25 +00:00
// Resolve on next tick
process.nextTick(resolve)
})
// --- Dev Build ---
2017-06-15 14:53:00 +00:00
if (this.options.dev) {
// Client Build, watch is started by dev-middleware
2017-06-15 22:19:53 +00:00
if (compiler.options.name === 'client') {
return this.webpackDev(compiler)
}
// DLL build, should run only once
if (compiler.options.name.includes('-dll')) {
compiler.run((err, stats) => {
if (err) return reject(err)
debug('[DLL] updated')
2017-06-18 11:50:43 +00:00
})
return
2017-06-15 22:19:53 +00:00
}
// Server, build and watch for changes
this.compilersWatching.push(
compiler.watch(this.options.watchers.webpack, (err) => {
/* istanbul ignore if */
if (err) return reject(err)
})
)
return
2017-06-15 14:53:00 +00:00
}
// --- Production Build ---
compiler.run((err, stats) => {
/* istanbul ignore if */
if (err) {
console.error(err) // eslint-disable-line no-console
return reject(err)
}
2017-07-03 11:28:10 +00:00
// Show build stats for production
console.log(stats.toString(this.webpackStats)) // eslint-disable-line no-console
/* istanbul ignore if */
if (stats.hasErrors()) {
return reject(new Error('Webpack build exited with errors'))
}
})
}))
2017-06-11 14:17:36 +00:00
}
2017-10-30 17:41:22 +00:00
webpackDev(compiler) {
2017-06-15 22:19:53 +00:00
debug('Adding webpack middleware...')
// Create webpack dev middleware
this.webpackDevMiddleware = promisify(webpackDevMiddleware(compiler, Object.assign({
2017-06-15 14:53:00 +00:00
publicPath: this.options.build.publicPath,
2017-06-11 14:17:36 +00:00
stats: this.webpackStats,
2017-12-15 07:03:33 +00:00
logLevel: 'silent',
2017-06-11 14:17:36 +00:00
watchOptions: this.options.watchers.webpack
}, this.options.build.devMiddleware)))
this.webpackDevMiddleware.close = promisify(this.webpackDevMiddleware.close)
2017-11-24 03:43:01 +00:00
this.webpackHotMiddleware = promisify(webpackHotMiddleware(compiler, Object.assign({
log: false,
2017-09-11 20:35:09 +00:00
heartbeat: 10000
}, this.options.build.hotMiddleware)))
2017-06-11 14:17:36 +00:00
// Inject to renderer instance
if (this.nuxt.renderer) {
this.nuxt.renderer.webpackDevMiddleware = this.webpackDevMiddleware
this.nuxt.renderer.webpackHotMiddleware = this.webpackHotMiddleware
}
2017-06-15 22:19:53 +00:00
// Start watching files
this.watchFiles()
2017-06-11 14:17:36 +00:00
}
2017-10-30 17:41:22 +00:00
watchFiles() {
2017-11-24 03:43:01 +00:00
const src = this.options.srcDir
2018-01-02 02:36:09 +00:00
let patterns = [
2017-11-24 03:43:01 +00:00
r(src, 'layouts'),
r(src, 'store'),
r(src, 'middleware'),
r(src, 'layouts/*.{vue,js}'),
r(src, 'layouts/**/*.{vue,js}')
2017-06-11 14:17:36 +00:00
]
2017-11-24 08:21:08 +00:00
if (this._nuxtPages) {
patterns.push(
r(src, 'pages'),
r(src, 'pages/*.{vue,js}'),
r(src, 'pages/**/*.{vue,js}')
2017-11-24 08:21:08 +00:00
)
}
2018-01-02 02:36:09 +00:00
patterns = _.map(patterns, p => upath.normalizeSafe(p))
2017-06-11 14:17:36 +00:00
const options = Object.assign({}, this.options.watchers.chokidar, {
ignoreInitial: true
})
/* istanbul ignore next */
const refreshFiles = _.debounce(() => this.generateRoutesAndFiles(), 200)
2017-06-15 22:19:53 +00:00
// Watch for src Files
this.filesWatcher = chokidar.watch(patterns, options)
2017-06-11 14:17:36 +00:00
.on('add', refreshFiles)
.on('unlink', refreshFiles)
2017-06-15 22:19:53 +00:00
2017-06-11 14:17:36 +00:00
// Watch for custom provided files
2018-01-02 02:36:09 +00:00
const watchFiles = _.map(_.uniq(this.options.build.watch), p => upath.normalizeSafe(p))
this.customFilesWatcher = chokidar.watch(watchFiles, options)
2017-06-11 14:17:36 +00:00
.on('change', refreshFiles)
}
2017-11-24 03:43:01 +00:00
async unwatch() {
if (this.filesWatcher) {
this.filesWatcher.close()
}
if (this.customFilesWatcher) {
this.customFilesWatcher.close()
}
this.compilersWatching.forEach(watching => watching.close())
// Stop webpack middleware
await this.webpackDevMiddleware.close()
}
async generateConfig() {
const config = resolve(this.options.buildDir, 'build.config.js')
const options = _.omit(this.options, Options.unsafeKeys)
await writeFile(config, `module.exports = ${JSON.stringify(options, null, ' ')}`, 'utf8')
}
2017-06-11 14:17:36 +00:00
}
const STATUS = {
INITIAL: 1,
BUILD_DONE: 2,
BUILDING: 3
}