Skip to content

Instantly share code, notes, and snippets.

@rw3iss
Last active June 10, 2023 20:29
Show Gist options
  • Star 5 You must be signed in to star a gist
  • Fork 1 You must be signed in to fork a gist
  • Save rw3iss/0ff97e07c22a70761d3267445768bd73 to your computer and use it in GitHub Desktop.
Save rw3iss/0ff97e07c22a70761d3267445768bd73 to your computer and use it in GitHub Desktop.
esbuild.js frontend build script
var fs = require("fs");
var path = require("path");
// Config params (relative to where npm/script is called from):
const APP_BASE = './src';
const ENTRY_FILE = `index.tsx`;
const OUTPUT_DIR = './build';
const OUTPUT_FILE = 'app.js';
const IS_DEV = false;
const TARGET = 'es2018';
// --------------------------------------------------------------------------------
function build(entryFile, outFile) {
require('esbuild').build({
entryPoints: [entryFile],
outfile: outFile,
bundle: true,
target: TARGET,
logLevel: 'silent',
loader: { // built-in loaders: js, jsx, ts, tsx, css, json, text, base64, dataurl, file, binary
'.ttf': 'file',
'.otf': 'file'
},
plugins: [envFilePlugin, scssPlugin, copyPlugin], // optional
sourcemap: IS_DEV ? true : false
})
.then(r => { console.log(`Build ${entryFile} to ${outFile} succeeded.`) })
.catch((e) => {
console.log("Error building:", e.message);
process.exit(1)
})
}
function mkDirSync(dir) {
if (fs.existsSync(dir)) {
return;
}
try {
fs.mkdirSync(dir);
} catch (err) {
if (err.code == 'ENOENT') {
mkdirSync(path.dirname(dir))
mkdirSync(dir)
}
}
}
////////////////////////////////////////////////////////////////////
// THESE PLUGINS ARE OPTIONAL:
// Looks for a .env file in current file's directory, or any parent, and concatenates with process.env.
let envFilePlugin = {
name: 'env',
setup(build) {
function _findEnvFile(dir) {
if (!fs.existsSync(dir))
return false;
let filePath = `${dir}/.env`;
if ((fs.existsSync(filePath))) {
return filePath;
} else {
return _findEnvFile(path.resolve(dir, '../'));
}
}
build.onResolve({ filter: /^env$/ }, async (args) => {
// find a .env file in current directory or any parent:
return ({
path: _findEnvFile(args.resolveDir),
namespace: 'env-ns',
})
})
build.onLoad({ filter: /.*/, namespace: 'env-ns'}, async (args) => {
// read in .env file contents and combine with regular .env:
let data = await fs.promises.readFile(args.path, 'utf8')
const buf = Buffer.from(data)
const config = require('dotenv').parse(buf);
return ({
contents: JSON.stringify( { ...process.env, ...config }),
loader: 'json'
});
})
}
}
// Allows importing of .scss files, and outputting to {build}/{outputFile}.css
let scssPlugin = {
name: 'scss',
setup(build) {
const fs = require('fs');
const sass = require('node-sass');
const path = require('path');
//const aliasImporter = require("node-sass-alias-importer");
build.onLoad({ filter: /\.(scss)$/ }, async (args) => {
let filePath = path.resolve(args.path);
let data = await fs.promises.readFile(filePath, 'utf8')
let contents = '';
try {
if (data) {
let result = sass.renderSync({
data,
//includePaths: [], // todo: dynamically add global imports??
sourceComments: true,
sourceMap: true,
// importer: [
// aliasImporter({
// app: "./src",
// styles: "./src/styles"
// })
// ]
});
contents = result.css;
}
return {
contents: contents,
loader: 'css'
};
} catch (e) {
//throw e;
throw new Error("\n\nError rendering SCSS file:\n " + filePath + " => \n\n" + e.formatted);//, { path: filePath });
}
})
}
};
// Copies assets from one directory to another (ie. src/static to build/static, and index.html file, etc).
let copyPlugin = {
name: 'copy',
setup(build) {
let fs = require('fs');
// todo: pull config array of files/directories
fs.copyFile(`${APP_BASE}/index.html`, `${OUTPUT_DIR}/index.html`, (err) => {
if (err) throw err;
});
// todo: copy src/static folder to build/static... if it differs?
// fs.copyFile('src/index.html', 'build/index.html', (err) => {
// if (err) throw err;
// });
}
}
// make sure build directory exists
mkDirSync(OUTPUT_DIR);
// run the build
build(`${APP_BASE}/${ENTRY_FILE}`, `${OUTPUT_DIR}/${OUTPUT_FILE}`);
//
//
//"scripts": {
// "setup": "sudo npm install -g browser-sync nodemon && npm install",
// "dev": "concurrently --kill-others \"npm run start-build-watcher\" \"npm run start-browser-sync\"",
// "start-build-watcher": "nodemon --watch './src/**/*' -e ts,tsx,js,jsx,scss,html,json --exec \"npm run build\"",
// "start-browser-sync": "node scripts/launch",
// "build": "node scripts/build",
// "serve": "serve -l 4500 build"
// },
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment