vite/docs/guide/ssr.md

273 lines
12 KiB
Markdown
Raw Normal View History

2021-01-26 15:56:03 +00:00
# Server-Side Rendering
2021-02-03 03:53:18 +00:00
:::tip Note
SSR specifically refers to front-end frameworks (for example React, Preact, Vue, and Svelte) that support running the same application in Node.js, pre-rendering it to HTML, and finally hydrating it on the client. If you are looking for integration with traditional server-side frameworks, check out the [Backend Integration guide](./backend-integration) instead.
The following guide also assumes prior experience working with SSR in your framework of choice, and will only focus on Vite-specific integration details.
:::
:::warning Low-level API
This is a low-level API meant for library and framework authors. If your goal is to create an application, make sure to check out the higher-level SSR plugins and tools at [Awesome Vite SSR section](https://github.com/vitejs/awesome-vite#ssr) first. That said, many applications are successfully built directly on top of Vite's native low-level API.
:::
:::tip Help
If you have questions, the community is usually helpful at [Vite Discord's #ssr channel](https://discord.gg/PkbxgzPhJv).
:::
2021-02-03 03:53:18 +00:00
## Example Projects
2021-02-03 21:26:05 +00:00
Vite provides built-in support for server-side rendering (SSR). The Vite playground contains example SSR setups for Vue 3 and React, which can be used as references for this guide:
2021-02-03 03:53:18 +00:00
2022-05-09 07:36:14 +00:00
- [Vue 3](https://github.com/vitejs/vite/tree/main/playground/ssr-vue)
- [React](https://github.com/vitejs/vite/tree/main/playground/ssr-react)
2021-02-03 03:53:18 +00:00
## Source Structure
A typical SSR application will have the following source file structure:
```
- index.html
- server.js # main application server
2021-02-03 03:53:18 +00:00
- src/
- main.js # exports env-agnostic (universal) app code
- entry-client.js # mounts the app to a DOM element
2021-02-04 14:49:03 +00:00
- entry-server.js # renders the app using the framework's SSR API
2021-02-03 03:53:18 +00:00
```
The `index.html` will need to reference `entry-client.js` and include a placeholder where the server-rendered markup should be injected:
```html
2021-02-04 14:49:03 +00:00
<div id="app"><!--ssr-outlet--></div>
2021-02-03 03:53:18 +00:00
<script type="module" src="/src/entry-client.js"></script>
```
2021-02-04 14:49:03 +00:00
You can use any placeholder you prefer instead of `<!--ssr-outlet-->`, as long as it can be precisely replaced.
2021-02-03 03:53:18 +00:00
2021-02-03 21:26:05 +00:00
## Conditional Logic
If you need to perform conditional logic based on SSR vs. client, you can use
```js
if (import.meta.env.SSR) {
// ... server only logic
}
```
This is statically replaced during build so it will allow tree-shaking of unused branches.
2021-02-03 03:53:18 +00:00
## Setting Up the Dev Server
2021-02-03 23:16:21 +00:00
When building an SSR app, you likely want to have full control over your main server and decouple Vite from the production environment. It is therefore recommended to use Vite in middleware mode. Here is an example with [express](https://expressjs.com/):
2021-02-03 03:53:18 +00:00
**server.js**
2022-07-24 11:24:46 +00:00
```js{15-18}
2022-07-08 09:05:58 +00:00
import fs from 'fs'
import path from 'path'
import { fileURLToPath } from 'url'
2022-07-08 09:05:58 +00:00
import express from 'express'
import { createServer as createViteServer } from 'vite'
const __dirname = path.dirname(fileURLToPath(import.meta.url))
2021-02-03 03:53:18 +00:00
async function createServer() {
const app = express()
// Create Vite server in middleware mode and configure the app type as
// 'custom', disabling Vite's own HTML serving logic so parent server
// can take control
2021-02-03 03:53:18 +00:00
const vite = await createViteServer({
server: { middlewareMode: true },
appType: 'custom'
2021-02-03 03:53:18 +00:00
})
2021-02-03 03:53:18 +00:00
// use vite's connect instance as middleware
// if you use your own express router (express.Router()), you should use router.use
2021-02-03 03:53:18 +00:00
app.use(vite.middlewares)
app.use('*', async (req, res) => {
// serve index.html - we will tackle this next
})
app.listen(5173)
2021-02-03 03:53:18 +00:00
}
createServer()
```
Here `vite` is an instance of [ViteDevServer](./api-javascript#vitedevserver). `vite.middlewares` is a [Connect](https://github.com/senchalabs/connect) instance which can be used as a middleware in any connect-compatible Node.js framework.
The next step is implementing the `*` handler to serve server-rendered HTML:
```js
app.use('*', async (req, res, next) => {
2021-02-03 03:53:18 +00:00
const url = req.originalUrl
try {
// 1. Read index.html
let template = fs.readFileSync(
path.resolve(__dirname, 'index.html'),
'utf-8'
)
// 2. Apply Vite HTML transforms. This injects the Vite HMR client, and
2021-02-03 03:53:18 +00:00
// also applies HTML transforms from Vite plugins, e.g. global preambles
// from @vitejs/plugin-react
2021-02-03 03:53:18 +00:00
template = await vite.transformIndexHtml(url, template)
// 3. Load the server entry. vite.ssrLoadModule automatically transforms
// your ESM source code to be usable in Node.js! There is no bundling
// required, and provides efficient invalidation similar to HMR.
const { render } = await vite.ssrLoadModule('/src/entry-server.js')
// 4. render the app HTML. This assumes entry-server.js's exported `render`
// function calls appropriate framework SSR APIs,
2021-02-24 03:31:13 +00:00
// e.g. ReactDOMServer.renderToString()
2021-02-03 03:53:18 +00:00
const appHtml = await render(url)
// 5. Inject the app-rendered HTML into the template.
const html = template.replace(`<!--ssr-outlet-->`, appHtml)
// 6. Send the rendered HTML back.
res.status(200).set({ 'Content-Type': 'text/html' }).end(html)
} catch (e) {
2022-07-01 11:11:28 +00:00
// If an error is caught, let Vite fix the stack trace so it maps back to
2021-02-03 03:53:18 +00:00
// your actual source code.
vite.ssrFixStacktrace(e)
next(e)
2021-02-03 03:53:18 +00:00
}
})
```
The `dev` script in `package.json` should also be changed to use the server script instead:
```diff
"scripts": {
- "dev": "vite"
+ "dev": "node server"
}
```
## Building for Production
To ship an SSR project for production, we need to:
1. Produce a client build as normal;
2022-07-08 09:05:58 +00:00
2. Produce an SSR build, which can be directly loaded via `import()` so that we don't have to go through Vite's `ssrLoadModule`;
2021-02-03 03:53:18 +00:00
Our scripts in `package.json` will look like this:
```json
{
"scripts": {
"dev": "node server",
"build:client": "vite build --outDir dist/client",
"build:server": "vite build --outDir dist/server --ssr src/entry-server.js "
}
}
```
Note the `--ssr` flag which indicates this is an SSR build. It should also specify the SSR entry.
Then, in `server.js` we need to add some production specific logic by checking `process.env.`<wbr>`NODE_ENV`:
2021-02-03 03:53:18 +00:00
2021-02-04 14:49:03 +00:00
- Instead of reading the root `index.html`, use the `dist/client/index.html` as the template instead, since it contains the correct asset links to the client build.
2021-02-03 03:53:18 +00:00
2022-07-08 09:05:58 +00:00
- Instead of `await vite.ssrLoadModule('/src/entry-server.js')`, use `import('./dist/server/entry-server.js')` instead (this file is the result of the SSR build).
2021-02-03 03:53:18 +00:00
- Move the creation and all usage of the `vite` dev server behind dev-only conditional branches, then add static file serving middlewares to serve files from `dist/client`.
2022-08-21 19:05:55 +00:00
Refer to the [Vue](https://github.com/vitejs/vite/tree/main/playground/ssr-vue) and [React](https://github.com/vitejs/vite/tree/main/playground/ssr-react) demos for a working setup.
2021-02-03 03:53:18 +00:00
2021-02-03 21:26:05 +00:00
## Generating Preload Directives
2021-02-03 03:53:18 +00:00
2021-02-03 21:26:05 +00:00
`vite build` supports the `--ssrManifest` flag which will generate `ssr-manifest.json` in build output directory:
2021-02-03 03:53:18 +00:00
```diff
- "build:client": "vite build --outDir dist/client",
+ "build:client": "vite build --outDir dist/client --ssrManifest",
```
2021-02-03 21:26:05 +00:00
The above script will now generate `dist/client/ssr-manifest.json` for the client build (Yes, the SSR manifest is generated from the client build because we want to map module IDs to client files). The manifest contains mappings of module IDs to their associated chunks and asset files.
To leverage the manifest, frameworks need to provide a way to collect the module IDs of the components that were used during a server render call.
2021-02-03 03:53:18 +00:00
2021-02-03 21:26:05 +00:00
`@vitejs/plugin-vue` supports this out of the box and automatically registers used component module IDs on to the associated Vue SSR context:
2021-02-03 03:53:18 +00:00
```js
2021-02-03 21:26:05 +00:00
// src/entry-server.js
2021-02-03 03:53:18 +00:00
const ctx = {}
2021-02-03 21:26:05 +00:00
const html = await vueServerRenderer.renderToString(app, ctx)
2021-02-03 03:53:18 +00:00
// ctx.modules is now a Set of module IDs that were used during the render
```
2022-08-21 19:05:55 +00:00
In the production branch of `server.js` we need to read and pass the manifest to the `render` function exported by `src/entry-server.js`. This would provide us with enough information to render preload directives for files used by async routes! See [demo source](https://github.com/vitejs/vite/blob/main/playground/ssr-vue/src/entry-server.js) for a full example.
2021-02-03 03:53:18 +00:00
## Pre-Rendering / SSG
2022-05-09 07:36:14 +00:00
If the routes and the data needed for certain routes are known ahead of time, we can pre-render these routes into static HTML using the same logic as production SSR. This can also be considered a form of Static-Site Generation (SSG). See [demo pre-render script](https://github.com/vitejs/vite/blob/main/playground/ssr-vue/prerender.js) for working example.
2021-02-03 03:53:18 +00:00
2021-02-03 21:26:05 +00:00
## SSR Externals
2021-02-03 03:53:18 +00:00
Dependencies are "externalized" from Vite's SSR transform module system by default when running SSR. This speeds up both dev and build.
2021-02-03 03:53:18 +00:00
If a dependency needs to be transformed by Vite's pipeline, for example, because Vite features are used untranspiled in them, they can be added to [`ssr.noExternal`](../config/ssr-options.md#ssr-noexternal).
2021-02-03 03:53:18 +00:00
For linked dependencies, they are not externalized by default to take advantage of Vite's HMR. If this isn't desired, for example, to test dependencies as if they aren't linked, you can add it to [`ssr.external`](../config/ssr-options.md#ssr-external).
2021-02-03 21:26:05 +00:00
:::warning Working with Aliases
2022-08-21 19:05:55 +00:00
If you have configured aliases that redirect one package to another, you may want to alias the actual `node_modules` packages instead to make it work for SSR externalized dependencies. Both [Yarn](https://classic.yarnpkg.com/en/docs/cli/add/#toc-yarn-add-alias) and [pnpm](https://pnpm.js.org/en/aliases) support aliasing via the `npm:` prefix.
2021-02-03 21:26:05 +00:00
:::
2021-02-03 03:53:18 +00:00
## SSR-specific Plugin Logic
2022-08-21 19:05:55 +00:00
Some frameworks such as Vue or Svelte compile components into different formats based on client vs. SSR. To support conditional transforms, Vite passes an additional `ssr` property in the `options` object of the following plugin hooks:
2021-02-03 03:53:18 +00:00
- `resolveId`
- `load`
- `transform`
**Example:**
```js
export function mySSRPlugin() {
return {
name: 'my-ssr',
transform(code, id, options) {
if (options?.ssr) {
2021-02-03 03:53:18 +00:00
// perform ssr-specific transform...
}
}
}
}
2021-02-03 21:26:05 +00:00
```
2021-05-07 06:18:11 +00:00
The options object in `load` and `transform` is optional, rollup is not currently using this object but may extend these hooks with additional metadata in the future.
:::tip Note
Before Vite 2.7, this was informed to plugin hooks with a positional `ssr` param instead of using the `options` object. All major frameworks and plugins are updated but you may find outdated posts using the previous API.
:::
2021-05-07 06:18:11 +00:00
## SSR Target
The default target for the SSR build is a node environment, but you can also run the server in a Web Worker. Packages entry resolution is different for each platform. You can configure the target to be Web Worker using the `ssr.target` set to `'webworker'`.
## SSR Bundle
In some cases like `webworker` runtimes, you might want to bundle your SSR build into a single JavaScript file. You can enable this behavior by setting `ssr.noExternal` to `true`. This will do two things:
- Treat all dependencies as `noExternal`
- Throw an error if any Node.js built-ins are imported
## Vite CLI
The CLI commands `$ vite dev` and `$ vite preview` can also be used for SSR apps. You can add your SSR middlewares to the development server with [`configureServer`](/guide/api-plugin#configureserver) and to the preview server with [`configurePreviewServer`](/guide/api-plugin#configurepreviewserver).
:::tip Note
Use a post hook so that your SSR middleware runs _after_ Vite's middlewares.
:::
## SSR Format
2022-08-21 19:05:55 +00:00
By default, Vite generates the SSR bundle in ESM. There is experimental support for configuring `ssr.format`, but it isn't recommended. Future efforts around SSR development will be based on ESM, and CommonJS remains available for backward compatibility. If using ESM for SSR isn't possible in your project, you can set `legacy.buildSsrCjsExternalHeuristics: true` to generate a CJS bundle using the same [externalization heuristics of Vite v2](https://v2.vitejs.dev/guide/ssr.html#ssr-externals).