A static.config.js
file is optional, but recommended at your project root to use react-static to its fullest potential. If present, it must default export
an object optionally containing any of the following properties:
- getRoutes
- route
- getSiteData
- siteRoot
- stagingSiteRoot
- basePath
- stagingBasePath
- devBasePath
- assetsPath
- devAssetsPath
- stagingAssetsPath
- extractCssChunks
- inlineCss
- Document
- devServer
- entry
- paths
- outputFileRate
- prefetchRate
- disableDuplicateRoutesWarning
- disableRoutePrefixing
- maxThreads
- minLoadTime
- disablePreload
- babelExcludes
- productionSourceMaps
- silent
An asynchronous function that should resolve an array of route objects. You'll probably want to use this function to request any dynamic data or information that is needed to build all of the routes for your site. It is also passed an object containing a dev
boolean indicating whether it's being run in a production build or not.
// static.config.js
export default {
getRoutes: async ({ dev }) => [...routes],
}
Awesome Tip: Changes made to static.config.js
while the development server is running will automatically run getRoutes
again and any changes to routes or routeData will be hot-reloaded instantly! Don't want to edit/resave your config file? Try using rebuildRoutes
!
A route is an object
that represents a unique location in your site and is the backbone of every React-Static site.
It supports the following properties:
path: String
- The path of the URL to match for this route, excluding search parameters and hash fragments, relative to yoursiteRoot + basePath
(if this is a child route, also relative to this route's parent path)template: String
- The path of the component to be used to render this route. (Relative to the root of your project or absolute)getData: async Function(resolvedRoute, { dev }) => Object
- An async function that returns or resolves an object of any necessary data for this route to render.- Arguments
resolvedRoute: Object
- This is the resolved route this function is handling.flags: Object{}
- An object of flags and meta information about the builddev: Boolean
- Indicates whether you are running a development or production build.
- Arguments
children: Array[Route]
- Routes can and should have nested routes when necessary. Route paths are inherited as they are nested, so there is no need to repeat a path prefix in nested routes.redirect: URL
- Setting this to a URL will perform the equivalent of a 301 redirect (as much as is possible within a static site) usinghttp-equiv
meta tags, canonicals, etc. This will force the page to render only the bare minimum to perform the redirect and nothing else.- Routes can also have other properties that may be used in plugins. Those properties will be listed in the plugin documentation.
Example:
// static.config.js
export default {
getRoutes: async ({ dev }) => [
// A simple route
{
path: 'about',
template: 'src/containers/About',
},
// A route with data
{
path: 'portfolio',
template: 'src/containers/Portfolio',
getData: async () => ({
portfolio,
}),
},
// A route with data and dynamically generated child routes
{
path: 'blog',
template: 'src/containers/Blog',
getData: async () => ({
posts,
}),
children: posts.map(post => ({
path: `post/${post.slug}`,
template: 'src/containers/BlogPost',
getData: async () => ({
post,
}),
})),
},
// A 404 component
{
path: '404',
template: 'src/containers/NotFound',
},
],
}
getSiteData
is very similar to a route's getData
function, but its result is made available to the entire site via the useSiteData
hook, SiteData
component and the getSiteData
HOC. Any data you return here, although loaded once per session, will be embedded in every page that is exported on your site. So tread lightly ;)
Example:
// static.config.js
export default {
getSiteData: async ({ dev }) => ({
title: 'My Awesome Website',
lastBuilt: Date.now(),
}),
}
Your siteRoot
in the format of protocol://domain.com
is highly recommended and is necessary for many things related to SEO to function for your site. So far, this includes:
- Automatically generating a
sitemap.xml
on export - Forcing absolute URLs in statically rendered links.
Make sure that you include
https
if you serve your site with it (which we highly recommend). Any trailing slashes including the pathname will be removed automatically. If you need to set a base path for your site (eg. if you're using github pages), you'll want to use thebasePath
option.
Example:
// static.config.js
export default {
siteRoot: 'https://mysite.com',
}
Works exactly like siteRoot
, but only when building with the --staging
build flag.
Your basePath
in the format of some/route
is necessary if you intend on hosting your app from a specific route on your domain (eg. When using Github Pages or for example: https://mysite.com/blog
where blog
would the basePath
)
All leading and trailing slashes are removed automatically.
Example:
// static.config.js
export default {
basePath: 'blog',
}
Works exactly like basePath
, but only when building with the --staging
build flag.
Works exactly like basePath
, but only when running the dev server.
Your assetsPath
determines where your bundled JS and CSS will be loaded from. This is helpful if you want to host your assets in an external location such as a CDN.
Works exactly like assetsPath
, but only when running the dev server.
Works exactly like assetsPath
, but only when building with the --staging
build flag.
extractCssChunks
replaces default ExtractTextPlugin
with ExtractCssChunks
. It enables automatic CSS splitting into separate files by routes as well as dynamic components (using react-universal-component
). More information about the plugin and why it is useful as a part of CSS delivery optimisation. Defaults to false
.
By using extractCssChunks
option and putting code splitting at appropriate places, your page related CSS file can be minimal. This option allows you to inline your page related CSS in order to speed up your application by reducing the number of requests required for a first paint. Default to false
.
It's never been easier to customize the root document of your website! Document
is an optional (and again, recommended) react component responsible for rendering the HTML shell of your website.
Things you may want to place here:
- Site-wide custom
head
and/ormeta
tags - Site-wide analytics scripts
- Site-wide stylesheets
Props
-
Html: ReactComponent
- Required - An enhanced version of the defaulthtml
tag. -
Head: ReactComponent
- Required - An enhanced version of the defaulthead
tag. -
Body: ReactComponent
- Required - An enhanced version of the defaultbody
tag. -
children: ReactComponent
- Required - The main content of your site, including layout, routes, etc. -
state: Object
- The current state of the export.routeInfo: Object
- All of the current route's information, including anyrouteData
.siteData: Object
- Any data optionally resolved via thegetSiteData
function in this config file.renderMeta: Object
- Any data optionally set via hooks or transformers during the render process.inlineScripts: Object
- The source and hash of inline scripts added byreact-static
, eg.:
{ "routeInfo": { "script": "script", "hash": "sha256-<base64-value>" } }
You can add the hashes as CSP directives to make the site work without
unsafe-inline
.
// static.config.js
export default {
Document: ({
Html,
Head,
Body,
children,
state: { siteData, renderMeta },
}) => (
<Html lang="en-US">
<Head>
<meta charSet="UTF-8" />
<meta name="viewport" content="width=device-width, initial-scale=1" />
</Head>
<Body>{children}</Body>
</Html>
),
}
Since JSX is now being used in this static.config.js file, you need to import React at the top of the file; add this: import React from 'react'
An Object
of options to be passed to the underlying webpack-dev-server
instance used for development.
Example:
// static.config.js
export default {
// An optional object for customizing the options for the
devServer: {
port: 3000,
host: '127.0.0.1',
},
}
This can also be used to enable HTTPS support for local development:
// static.config.js
export default {
devServer: {
// Enable HTTPS and provide certificates
https: true,
key: fs.readFileSync('/path/to/localhost.key'),
cert: fs.readFileSync('/path/to/localhost.crt'),
},
}
Warning: This option has been deprecated. Please use the Node API hook - beforeRenderToElement instead.
Warning: This option will be removed in a future version. Please use the Node API hook - beforeRenderToHtml instead
The name of the entry file as a string, relative to paths.src
. This defaults to:
// static.config.js
export default {
entry: 'index.js',
}
An object
of internal directories used by react-static that can be customized. Each path is relative to your project root and defaults to:
// static.config.js
export default {
paths: {
root: process.cwd(), // The root of your project. Don't change this unless you know what you're doing.
src: 'src', // The source directory. Must include an index.js entry file.
temp: 'tmp', // Temp output directory for build files not to be published.
dist: 'dist', // The production output directory.
devDist: 'tmp/dev-server', // The development scratch directory.
public: 'public', // The public directory (files copied to dist during build)
assets: 'dist', // The output directory for bundled JS and CSS
buildArtifacts: 'artifacts', // The output directory for generated (internal) resources
},
}
An optional Int
. The maximum number of files that can be concurrently written to disk during the build process.
// static.config.js
export default {
outputFileRate: 100,
}
An optional Int
. The maximum number of inflight requests for preloading route data on the client.
// static.config.js
export default {
prefetchRate: 10,
}
An optional Boolean
. Set to true
to disable warnings of duplicate routes during builds.
// static.config.js
export default {
disableDuplicateRoutesWarning: true,
}
An optional Boolean
. Set to true
to disable prefixing link href values and the browser history with config.basePath
.
Useful if you are using a variable basePath such as /country/language/basePath.
// static.config.js
export default {
disableRoutePrefixing: true,
}
An optional Number
of maximum threads to use when exporting your site's pages. By default this is set to Infinity
to use all available threads on the machine React Static is running on.
NOTE: This only affects the process that are rendering your pages to html files, not the initial bundling process.
// static.config.js
export default {
maxThreads: 1, // Will only use one thread to export your site
}
An optional Number
of milliseconds to show the loading spinner when templates, siteData or routeData are not immediately available. If you are preloading aggressively, you shouldn't see a loader at all, but if a loader is shown, it's a good user experience to make is as un-flashy as possible.
// static.config.js
export default {
minLoadTime: 200,
}
Set this boolean to true
to disable all preloading. This is mostly meant for debugging at this point, but the internal mechanics could soon be converted into a condition to either preload or not based on the client (mobile, slow-connection, etc)
// static.config.js
export default {
disablePreload: true,
}
We are running Babel seperately for your own sources and externals. The Babel configuration for your own sources can be manipulated the normal way. The one for node_modules
can not, since it's a bit special. We try to compile them with a bare minimum, but sometimes some modules gives you trouble (e.g. mapbox-gl)
This option gives you the ability to exclude some modules from babelifying.
See https://webpack.js.org/configuration/module/#condition for more details. To exclude e.g. mapboxgl
simply pass the following
// static.config.js
export default {
babelExcludes: [/mapbox-gl/],
}
Set this flag to true
to include source maps in production.
- Defaults to
false
// static.config.js
export default {
productionSourceMaps: true,
}
Set this flag to true
if you need to hide message 'React Static: Templates Reloaded' from console.
- Defaults to
false
// static.config.js
export default {
silent: true,
}
React Static has tons of other customization possibilities available through the Plugin system that are not possible through the configuration file. Some of these include:
- Webpack customizations
- Rendering pipeline customizations and transformations for React components, elements, the Document wrapper, etc.
- Head tag injection
Every React Static project can utilize the plugin API locally without needing to create a plugin by creating either node.api.js
or browser.api.js
files in the root of your project. See the Plugin Documentation for more information!