This is a How To tutorial on setting up a react app without using create-react-app. We will use Webpack for bundling and transpiling our JS. In this tutorial we will go over several dev dependencies you will need to add for your App to function and several optimizations for a production ready app. We will try to take you from knowing a little bit about React and Webpack, to being able to write your own webpack.config.js files to manage Webpack. Let’s go to work!
mkdir react_app_example && cd $_
yarn init -y
yarn add react react-dom
Initialize our repository, but first create a .gitignore:
touch .gitignore
# .gitignore
node_modules
# Generated by webpack during compiliation process. Does not need to be committed. Will be generated in production during compilation.
dist
git init
git add .
git commmit -m "init"
mkdir -p src/public && touch src/index.js src/index.css src/public/index.html
# src/public/index.html
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>React App</title>
</head>
<body>
<div id="app"></div>
</body>
</html>
# src/index.js
import React from 'react';
import ReactDOM from 'react-dom';
import './index.css';
class App extends React.Component{
render(){
return(
<div>Hello World</div>
)
}
}
ReactDOM.render(<App />, document.getElementById('app'))
We’re using JSX syntax, ES6 Syntax. None of this is understood by the browser… yet. We’ll use Webpack to bundle our JS. Webpack has a powerful ability to transform resources using loaders. We’ll use these loaders to convert our ES6 and ReactJSX syntax into bundles that are understood by the browser.
Add these as dev dependencies… they’re dependencies required to develop your app or to build your bundle.
yarn add -D @babel/core @babel/preset-env @babel/preset-react
yarn add -D webpack webpack-cli webpack-dev-server babel-loader css-loader style-loader html-webpack-plugin
yarn add -D http-server
webpack is a module bundler. Its main purpose is to bundle JavaScript files for usage in a browser, yet it is also capable of transforming, bundling, or packaging just about any resource or asset.
This package allows transpiling JavaScript files using Babel and webpack.
Click here for an explanation of what a transpiler is.
Allows you to write import / require() to load css files.
Adds CSS to the dom by injecting style tag inside
<head></head>
By default, this plugin will remove all files inside webpack’s output.path directory, as well as all unused webpack assets after every successful rebuild.
This is a handy plugin that will tear down dist
folder on each build. Remember we added dist
to our .gitignore
. This folder is built when we transpile and bundle our application using webpack. This plugin will help remove dist
before a new rebuild of our application - just good house cleaning.
This is a webpack plugin that simplifies creation of HTML files to serve your webpack bundles. Useful for webpack bundles that contain hash that changes every compilation. Plugin will generate html file for you and inject bundled js file.
Our application isn’t just serving a bundled JS file, but an html page with our bundled js inside of it. When we move to production builds, we’ll often fingerprint our bundled JS to let the browser know to grab a fresh copy instead of using a cached version of our application. How terribly sad it would be if every time we had an update to our production application we had to enter the html file and edit the script url - so lame. This plugin solves that.
Use webpack with a development server that provides live reloading (for development).
This is our development server. It runs in memory so you won’t see the dist
folder at all. To see the files you’ll want to run the webpack
command. This development server further creates a socket with the browser and watches our application files. Whenever there is a change to one of the files, it will re-bundle our application and immediately refresh the page - called hot reloading. Pretty neat.
http-server
is a simple, zero-configuration command-line http server. It is powerful enough for production usage, but it’s simple and hackable enough to be used for testing, local development, and learning.
Optionally, to view our application in development, we can run webpack
to build our application bundle and dist
folder and simply run http-server ./dist
. For example, we may want to run our production build and test it out on our local machine before deployment. http-server
is a ready-to-use tool for that.
Although we’ve imported all these dev dependencies, we still haven’t configured webpack
.
Webpack needs to be told what to do, so we’ll create a webpack.config.js
file. It does nothing more than export a JS object with some configuration for webpack.
touch webpack.config.js
# webpack.config.js
var path = require('path');
const { CleanWebpackPlugin } = require('clean-webpack-plugin');
var HtmlWebpackPlugin = require('html-webpack-plugin');
module.exports = {
entry : './src/index.js',
output : {
path : path.resolve(__dirname , 'dist'),
filename: 'index_bundle.js'
},
module : {
rules : [
{
test: /\.m?jsx?$/,
exclude: /(node_modules|bower_components)/,
use: {
loader: 'babel-loader',
options: {
presets: ['@babel/preset-env', '@babel/preset-react']
}
}
},
{
test: /\.css$/i,
use: ['style-loader', 'css-loader'],
},
]
},
mode:'development',
plugins : [
new CleanWebpackPlugin({
verbose: true
}),
new HtmlWebpackPlugin ({
template : './src/public/index.html'
})
]
}
In the above config we are telling webpack to use the babel-loader
on files ending in /\.m?jsx?$/
, we still need to tell the transpiler (babel-loader) that we are compiling React and ES6 syntax. There are several ways of doing this:
# .babelrc
{
"presets": [
"@babel/preset-env",
"@babel/preset-react"
]
}
# package.json
"babel": {
"presets": [
"@babel/preset-env",
"@babel/preset-react"
]
},
# webpack.config.js - just after specifying babel-loader (this is what I did above)
options: {
presets: ['@babel/preset-env', '@babel/preset-react']
}
Good! Now our transpiler knows our presets
. You can learn more about cool presets that are out there so you can be on the bleeding edge of all that’s happening with JS.
Our webpack has
The entry tells webpack where to start, what is the root of our application. Webpack supports multiple entries.
The output will be our dist
folder. Once webpack has completed its job, that’s where the bundled js and everything will live.
The rules are a collection of regex tests against file paths as webpack goes about bundling our code. If the rule is true, then it executes our specified loader that we’ve attached. NOTE: while rules can return true, we can also exclude certain files. Our node_modules
have already been transpiled and minified by their creator, so we do not need to run our transpiler on them a second time. We’ve excluded them from our babel-loader. Here we’ve also told webpack to use the babel-loader with preset-env
and preset-react
. Preset-env allows you to use latest ES6 syntax. Preset-react allows you to use JSX syntax.
Plugins are useful utilities. We’ve included one that generates the html page required to serve our bundled js file.
While we can write out the command to webpack
bundle or run our webpack-dev-server
right in the terminal - seriously, what a pain. Let’s write them once under “scripts” inside our package.json
object and on the command line we’ll simply type yarn
followed by the alias we’ve defined.
Here are some examples you can add there now:
# package.json
{
...
"scripts": {
"start": "node_modules/.bin/http-server ./dist",
"start:dev": "node_modules/.bin/webpack-dev-server --config webpack.config.js --open --hot",
"dev": "node_modules/.bin/webpack --config webpack.config.js",
"build": "node_modules/.bin/webpack -p --config webpack.config.js",
}
}
Now run yarn start:dev
and we’ll have our application automatically bundled and served by webpack-dev-server
. Hurray! You’ll notice, there may not be a dist
folder. That’s because webpack-dev-server does everything in memory. To see the bundle, run yarn dev
. Then to serve that bundle using http-server
run yarn start
.
Likely, we will be using less or sass/scss. We need to add a loader that will check the file extension and transpile into regular old css. sass-loader
is the solution I’ve gone with.
yarn add -D sass-loader node-sass
If we plan on importing svg, png, jpeg, fonts, etc… Then we need a loader for that.
yarn add -D file-loader url-loader
will encode files to base64 and include them inline rather than having them loaded as separate files with another request.
For small files it totally makes sense. No need to make unnecessary requests to the server if you can just base64 inline the image instead. NOTE: Specify the limit in bytes to try and base64 the image; if above this threshold, it will by default fallback to file-loader
.
will copy files to the build folder and insert links to them where they are included.
A handy fallback to url-loader
. It will copy the image over to the output path and generate the correct url path so the image can be included in your app.
This plugin allows you to add new “root” directories that contain your modules. It also allows you to setup a custom alias for directories, specific files, or even other npm modules.
This handy plugin will allow you to avoid using relative paths in your imports. We’ll be able to define custom aliases for directories to resolve our imports.
We’ll replace nasty relative path hell imports like this…
import mario from '../../public/images/super_mario.png';
And turn them into this…
import mario from 'images/super_mario.png';
Not a loader, but a feature of webpack we should enable in development
When we’re running our app and need to do some debugging of styling, it helps to know where in our css and scss files the style rules are from (file and line number). Source Maps are what provide that in the browser and we can enable them in webpack by adding a devtool
property inside our webpack.config.js
.
# webpack.config.js
devtool: 'eval-source-map',
NOTE: I’ve only gotten the source maps to show up on Chrome. Not sure why FF is not listing Source Maps correctly.
# webpack.config.js
var path = require('path');
const { CleanWebpackPlugin } = require('clean-webpack-plugin');
var HtmlWebpackPlugin = require('html-webpack-plugin');
module.exports = {
entry : './src/index.js',
output : {
path : path.resolve(__dirname , 'dist'),
filename: 'index_bundle.js'
},
mode:'development',
devtool: 'eval-source-map',
module : {
rules : [
{
test: /\.m?jsx?$/,
exclude: /(node_modules|bower_components)/,
use: {
loader: 'babel-loader',
options: {
presets: ['@babel/preset-env', '@babel/preset-react']
}
}
},
// Using both Pure CSS: import './index.scss'
{
test: /\.(sa|sc|c)ss$/i,
exclude: /\.module\.(sa|sc|c)ss$/i,
use: [
'style-loader',
{
loader: 'css-loader',
options: {
sourceMap: true,
}
},
{
loader: 'sass-loader',
},
],
},
// And CSS modules: import styles from './index.module.css'
{
test: /\.module\.(sa|sc|c)ss$/i,
use: [
'style-loader',
{
loader: 'css-loader',
options: {
sourceMap: true,
localsConvention: 'camelCase',
modules: true
}
},
{
loader: 'sass-loader',
},
],
},
// File Loader & Url Loader
{
test: /\.(png|jpe?g|gif|svg|eot|ttf|woff|woff2)$/i,
loader: 'url-loader',
options: {
limit: 8192,
outputPath: 'assets'
},
},
]
},
plugins : [
new CleanWebpackPlugin({
verbose: true
}),
new HtmlWebpackPlugin ({
template : './src/public/index.html'
})
]
}
Congratulations! By now you should be able to develop your application. We’ve setup webpack, several loaders, and plugins. You should have a rudimentary understanding of webpack that hopefully will provide you with a foundation to take the next leap. One lingering question is, how to bundle for production? I personally, like to have my production setup early on so that I can continously ship code. What’s the point of learning and developing locally if we can’t share our creations in a production environment?
There are a couple things involved in doing this. First, we need to tell webpack to bundle and transpile our code for production, that means optimizing and minifying it so our bundles load faster. It also means fingerprinting files so that the browser knows when we’ve made changes.
One solution is to create multiple webpack.config.js
files: one for production, one for development. But the issue with this is there is a lot of overlapping configuration that applies to both production and development. A better solution…
webpack-merge provides a merge function that concatenates arrays and merges objects creating a new object.
yarn add -D webpack-merge
This handy tool will merge configuration objects to create a new configuration object. Common configuration will be inside of webpack.common.js
and we’ll create two separate files webpack.prod.js
and webpack.dev.js
. Each will require the webpack.common.js
and use webpack-merge
to join our common configuration with our configuration specific to that environment.
To convert your code into a smaller form that takes up less bytes and thereby loads faster on the browser.
This plugin extracts CSS into separate files. It creates a CSS file per JS file which contains CSS. It supports On-Demand-Loading of CSS and SourceMaps.
The benefit of this handy plugin is it creates a separate css file that can be loaded in parallel to the bundled JS, so is ideal in production. Note: Cannot be used with style-loader, which is incompatible.
A Webpack plugin to optimize \ minimize CSS assets.
UglifyJS is a popular older minifier, but today, the new kid on the block is terser - an actively maintained fork of Uglify-es. Webpack in production mode minifies using terser by default. Webpack includes the plugin behind the scenes if you only add the -p
flag to the webpack command. Including the plugin manually, however, you can configure it how you like. Plus it’s more explicit knowing what exactly you are doing.
yarn add -D terser-webpack-plugin optimize-css-assets-webpack-plugin mini-css-extract-plugin
We haven’t talked about webpack mode much, but here is the gist of it. Development tells webpack to run our application with NODE_ENV
set to development, enables debugging, devtools (source maps). Production sets NODE_ENV
to production and runs some handy defaults for optimizing for production environments, like minifying your JS. In the command line you can add these flags:
-d
shortcut for --debug --devtool eval-cheap-module-source-map --output-pathinfo
-p
shortcut for --optimize-minimize --define process.env.NODE_ENV="production"
NOTE:
--optimize-minimize
will include TerserPlugin behind the scenes.
--define process.env.NODE_ENV="'production'"
will do the same for the DefinePlugin.
One important caveat that confuses many: -p sets the NODE_ENV inside your application, but not inside your webpack.config.js
. Therefore, you cannot use conditionals inside your config like process.env.NODE_ENV === 'production'
because they will not work. see
Use webpack environment variables instead.
# webpack.prod.js
const merge = require('webpack-merge');
const common = require('./webpack.common.js');
const TerserPlugin = require('terser-webpack-plugin');
const OptimizeCSSAssetsPlugin = require('optimize-css-assets-webpack-plugin');
module.exports = env => merge(common(env), {
mode:'production',
devtool:'source-map',
optimization: {
minimize: true,
minimizer: [new TerserPlugin({}), new OptimizeCSSAssetsPlugin({})],
},
})
# webpack.dev.js
const merge = require('webpack-merge');
const common = require('./webpack.common.js');
module.exports = env => merge(common(env), {
mode: 'development',
devtool: 'eval-source-map',
devServer: {
historyApiFallback: true
}
})
# webpack.common.js
var path = require('path');
const { CleanWebpackPlugin } = require('clean-webpack-plugin');
var HtmlWebpackPlugin = require('html-webpack-plugin');
var MiniCssExtractPlugin = require('mini-css-extract-plugin');
module.exports = env => {
console.log('Production', env.production)
return {
entry : './src/index.js',
output : {
path : path.resolve(__dirname , 'dist'),
filename: 'index_bundle.js',
publicPath: "/"
},
module : {
rules : [
{
test: /\.m?js$/,
exclude: /(node_modules|bower_components)/,
use: {
loader: 'babel-loader',
options: {
presets: ['@babel/preset-env', '@babel/preset-react'],
plugins: [
["module-resolver", {
root: ["./src"],
alias: {
images: "./src/public/images"
}
}]
],
}
}
},
// Using both Pure CSS: import './index.scss'
{
test: /\.(sa|sc|c)ss$/i,
exclude: /\.module\.(sa|sc|c)ss$/i,
use: [
env.production
? MiniCssExtractPlugin.loader
: 'style-loader',
{
loader: 'css-loader',
options: {
sourceMap: env.production ? false : true,
}
},
{
loader: 'sass-loader',
},
],
},
// And CSS modules: import styles from './index.module.css'
{
test: /\.module\.(sa|sc|c)ss$/i,
use: [
env.production
? MiniCssExtractPlugin.loader
: 'style-loader',
{
loader: 'css-loader',
options: {
sourceMap: env.production ? false : true,
localsConvention: 'camelCase',
modules: true
}
},
{
loader: 'sass-loader',
},
],
},
// File Loader & Url Loader
{
test: /\.(png|jpe?g|gif|svg|eot|ttf|woff|woff2)$/i,
loader: 'url-loader',
options: {
limit: 8192,
outputPath: 'assets'
},
},
]
},
plugins : [
new CleanWebpackPlugin({
verbose: true
}),
new HtmlWebpackPlugin ({
template : './src/public/index.html',
favicon: 'src/public/favicon.ico'
}),
new MiniCssExtractPlugin({
filename: env.production ? '[name].[hash].css' : '[name].css',
chunkFilename: env.production ? '[id].[hash].css' : '[id].css',
ignoreOrder: false,
}),
]
}
}
# package.json
{
...
"scripts": {
"test": "echo \"Error: no test specified\" && exit 1",
"start": "node server.js",
"start:dev": "node_modules/.bin/webpack-dev-server --env.production=0 -d --config webpack.dev.js --open --hot",
"dev": "node_modules/.bin/webpack --env.production=0 -d --config webpack.dev.js",
"build": "node_modules/.bin/webpack --env.production -p --config webpack.prod.js --progress",
"serve": "node_modules/.bin/http-server ./dist",
},
}
Let’s add express
as our production server:
yarn add express
# server.js
const express = require('express');
const path = require('path');
const port = process.env.PORT || 8080;
const app = express();
app.use(express.static(__dirname + '/dist'));
// always send requests to index.html file
app.get('*', (req, res) => {
res.sendFile(path.resolve(__dirname, 'index.html'));
});
app.listen(port);
Heroku is great! There is a free tier that allows you to test out deployment. Go ahead and create an account if you don’t already have one.
Follow these basic commands and they should be enough to have your app up and running in a production environment in the cloud:
# package.json
{
...
"scripts": {
...
"heroku-postbuild": "node_modules/.bin/webpack --env.production -p --config webpack.prod.js --progress"
}
}
curl https://cli-assets.heroku.com/install-ubuntu.sh | sh
heroku login
heroku create
git add .
git commit -m "Deployment of app"
git push heroku master
Heroku is smart enough to know what type of application you are running and will download dependencies. The heroku-postbuild
is a command heroku will run after downloading your dependencies and setting up your environment and server.
We’ve used webpack with several loaders and plugins. We’ve shown you how to write the webpack config file needed to inform webpack how to transpile and bundle. We’ve shown you how to use webpack environment variables for conditionals inside of webpack config files. We’ve discussed how to make a production build of our application.
I hope you’ve enjoyed this basic tutorial and this code is useful to you. Thank you.