在每一毫秒都至關重要的世界裡,伺服器端渲染已成為前端應用程式的基本功能。
本指南將引導您了解使用 React 建立可用於生產的 SSR 的基本模式。您將了解具有內建 SSR(例如 Next.js)的基於 React 的框架背後的原理,並學習如何創建自己的自訂解決方案。
提供的程式碼是生產就緒的,具有客戶端和伺服器部分的完整建置流程,包括 Dockerfile。在此實作中,Vite 用於建立用戶端和 SSR 程式碼,但您可以使用您選擇的任何其他工具。 Vite也為客戶端提供了開發模式下的熱重載。
如果您對此設定的無 Vite 版本感興趣,請隨時與我們聯繫。
伺服器端渲染 (SSR) 是 Web 開發中的一種技術,伺服器在將網頁傳送到瀏覽器之前產生網頁的 HTML 內容。與傳統的用戶端渲染 (CSR) 不同,JavaScript 在載入空白 HTML shell 後在使用者裝置上建立內容,SSR 直接從伺服器提供完全渲染的 HTML。
SSR 的主要優點:
使用 SSR 的應用程式流程遵循以下步驟:
我更喜歡使用pnpm和react-swc-ts Vite模板,但你可以選擇任何其他設定。
pnpm create vite react-ssr-app --template react-swc-ts
安裝依賴項:
pnpm create vite react-ssr-app --template react-swc-ts
在典型的 React 應用程式中,index.html 有一個 main.tsx 入口點。使用 SSR,您需要兩個入口點:一個用於伺服器,一個用於客戶端。
Node.js 伺服器將運行您的應用程式並透過將 React 元件渲染為字串 (renderToString) 來產生 HTML。
pnpm install
瀏覽器將水合伺服器產生的 HTML,將其與 JavaScript 連接以使頁面具有互動性。
Hydration 是將事件偵聽器和其他動態行為附加到伺服器呈現的靜態 HTML 的過程。
// ./src/entry-server.tsx import { renderToString } from 'react-dom/server' import App from './App' export function render() { return renderToString(<App />) }
更新專案根目錄中的index.html 檔案。 ;佔位符是伺服器將注入產生的 HTML 的位置。
// ./src/entry-client.tsx import { hydrateRoot } from 'react-dom/client' import { StrictMode } from 'react' import App from './App' import './index.css' hydrateRoot( document.getElementById('root')!, <StrictMode> <App /> </StrictMode>, )
伺服器所需的所有依賴項都應作為開發依賴項(devDependency)安裝,以確保它們不包含在客戶端捆綁包中。
接下來,在專案的根目錄中建立一個名為 ./server 的資料夾並新增以下檔案。
重新匯出主伺服器檔案。這使得運行命令更加方便。
<!doctype html> <html lang="en"> <head> <meta charset="UTF-8" /> <link rel="icon" type="image/svg+xml" href="/vite.svg" /> <meta name="viewport" content="width=device-width, initial-scale=1.0" /> <title>Vite + React + TS</title> </head> <body> <div> <h3> Create Server </h3> <p>First, install the dependencies:<br> </p> <pre class="brush:php;toolbar:false">pnpm install -D express compression sirv tsup vite-node nodemon @types/express @types/compression
HTML_KEY常數必須與index.html中的佔位符註解相符。其他常量管理環境設定。
// ./server/index.ts export * from './app'
為開發和生產環境設定不同配置的 Express 伺服器。
// ./server/constants.ts export const NODE_ENV = process.env.NODE_ENV || 'development' export const APP_PORT = process.env.APP_PORT || 3000 export const PROD = NODE_ENV === 'production' export const HTML_KEY = `<!--app-html-->`
開發中,使用Vite的中間件處理請求,並透過熱重載動態轉換index.html檔案。伺服器將載入 React 應用程式並將其渲染為每個請求的 HTML。
// ./server/app.ts import express from 'express' import { PROD, APP_PORT } from './constants' import { setupProd } from './prod' import { setupDev } from './dev' export async function createServer() { const app = express() if (PROD) { await setupProd(app) } else { await setupDev(app) } app.listen(APP_PORT, () => { console.log(`http://localhost:${APP_PORT}`) }) } createServer()
在生產中,使用壓縮來優化效能,使用 Sirv 來提供靜態文件,並使用預先建置的伺服器套件來渲染應用程式。
// ./server/dev.ts import { Application } from 'express' import fs from 'fs' import path from 'path' import { HTML_KEY } from './constants' const HTML_PATH = path.resolve(process.cwd(), 'index.html') const ENTRY_SERVER_PATH = path.resolve(process.cwd(), 'src/entry-server.tsx') export async function setupDev(app: Application) { // Create a Vite development server in middleware mode const vite = await ( await import('vite') ).createServer({ root: process.cwd(), server: { middlewareMode: true }, appType: 'custom', }) // Use Vite middleware for serving files app.use(vite.middlewares) app.get('*', async (req, res, next) => { try { // Read and transform the HTML file let html = fs.readFileSync(HTML_PATH, 'utf-8') html = await vite.transformIndexHtml(req.originalUrl, html) // Load the entry-server.tsx module and render the app const { render } = await vite.ssrLoadModule(ENTRY_SERVER_PATH) const appHtml = await render() // Replace the placeholder with the rendered HTML html = html.replace(HTML_KEY, appHtml) res.status(200).set({ 'Content-Type': 'text/html' }).end(html) } catch (e) { // Fix stack traces for Vite and handle errors vite.ssrFixStacktrace(e as Error) console.error((e as Error).stack) next(e) } }) }
要遵循建立應用程式的最佳實踐,您應該排除所有不必要的套件並僅包含應用程式實際使用的套件。
更新您的 Vite 設定以最佳化建置流程並處理 SSR 依賴項:
// ./server/prod.ts import { Application } from 'express' import fs from 'fs' import path from 'path' import compression from 'compression' import sirv from 'sirv' import { HTML_KEY } from './constants' const CLIENT_PATH = path.resolve(process.cwd(), 'dist/client') const HTML_PATH = path.resolve(process.cwd(), 'dist/client/index.html') const ENTRY_SERVER_PATH = path.resolve(process.cwd(), 'dist/ssr/entry-server.js') export async function setupProd(app: Application) { // Use compression for responses app.use(compression()) // Serve static files from the client build folder app.use(sirv(CLIENT_PATH, { extensions: [] })) app.get('*', async (_, res, next) => { try { // Read the pre-built HTML file let html = fs.readFileSync(HTML_PATH, 'utf-8') // Import the server-side render function and generate HTML const { render } = await import(ENTRY_SERVER_PATH) const appHtml = await render() // Replace the placeholder with the rendered HTML html = html.replace(HTML_KEY, appHtml) res.status(200).set({ 'Content-Type': 'text/html' }).end(html) } catch (e) { // Log errors and pass them to the error handler console.error((e as Error).stack) next(e) } }) }
更新 tsconfig.json 以包含伺服器檔案並適當配置 TypeScript:
pnpm create vite react-ssr-app --template react-swc-ts
使用 TypeScript 捆綁器 tsup 來建立伺服器程式碼。 noExternal 選項指定要與伺服器捆綁的套件。 請務必包含您的伺服器所使用的任何其他軟體包。
pnpm install
// ./src/entry-server.tsx import { renderToString } from 'react-dom/server' import App from './App' export function render() { return renderToString(<App />) }
開發:使用以下命令以熱重載啟動應用程式:
// ./src/entry-client.tsx import { hydrateRoot } from 'react-dom/client' import { StrictMode } from 'react' import App from './App' import './index.css' hydrateRoot( document.getElementById('root')!, <StrictMode> <App /> </StrictMode>, )
生產:建立應用程式並啟動生產伺服器:
<!doctype html> <html lang="en"> <head> <meta charset="UTF-8" /> <link rel="icon" type="image/svg+xml" href="/vite.svg" /> <meta name="viewport" content="width=device-width, initial-scale=1.0" /> <title>Vite + React + TS</title> </head> <body> <div> <h3> Create Server </h3> <p>First, install the dependencies:<br> </p> <pre class="brush:php;toolbar:false">pnpm install -D express compression sirv tsup vite-node nodemon @types/express @types/compression
要驗證 SSR 是否正常運作,請檢查伺服器的第一個網路請求。回應應包含應用程式的完全呈現的 HTML。
要為您的應用程式新增不同的頁面,您需要正確配置路由並在客戶端和伺服器入口點處理它。
// ./server/index.ts export * from './app'
在客戶端入口點使用 BrowserRouter 包裝您的應用程式以啟用客戶端路由。
// ./server/constants.ts export const NODE_ENV = process.env.NODE_ENV || 'development' export const APP_PORT = process.env.APP_PORT || 3000 export const PROD = NODE_ENV === 'production' export const HTML_KEY = `<!--app-html-->`
在伺服器入口點使用 StaticRouter 處理伺服器端路由。將 url 作為 prop 傳遞,以根據請求呈現正確的路線。
// ./server/app.ts import express from 'express' import { PROD, APP_PORT } from './constants' import { setupProd } from './prod' import { setupDev } from './dev' export async function createServer() { const app = express() if (PROD) { await setupProd(app) } else { await setupDev(app) } app.listen(APP_PORT, () => { console.log(`http://localhost:${APP_PORT}`) }) } createServer()
更新您的開發和生產伺服器設置,以將請求 URL 傳遞給渲染函數:
// ./server/dev.ts import { Application } from 'express' import fs from 'fs' import path from 'path' import { HTML_KEY } from './constants' const HTML_PATH = path.resolve(process.cwd(), 'index.html') const ENTRY_SERVER_PATH = path.resolve(process.cwd(), 'src/entry-server.tsx') export async function setupDev(app: Application) { // Create a Vite development server in middleware mode const vite = await ( await import('vite') ).createServer({ root: process.cwd(), server: { middlewareMode: true }, appType: 'custom', }) // Use Vite middleware for serving files app.use(vite.middlewares) app.get('*', async (req, res, next) => { try { // Read and transform the HTML file let html = fs.readFileSync(HTML_PATH, 'utf-8') html = await vite.transformIndexHtml(req.originalUrl, html) // Load the entry-server.tsx module and render the app const { render } = await vite.ssrLoadModule(ENTRY_SERVER_PATH) const appHtml = await render() // Replace the placeholder with the rendered HTML html = html.replace(HTML_KEY, appHtml) res.status(200).set({ 'Content-Type': 'text/html' }).end(html) } catch (e) { // Fix stack traces for Vite and handle errors vite.ssrFixStacktrace(e as Error) console.error((e as Error).stack) next(e) } }) }
透過這些更改,您現在可以在 React 應用程式中建立與 SSR 完全相容的路由。然而,這種基本方法不處理延遲載入的元件(React.lazy)。有關管理延遲載入的模組,請參閱我的另一篇文章,使用串流和動態資料的高級 React SSR 技術,連結在底部。
這是一個用於容器化您的應用程式的 Dockerfile:
// ./server/prod.ts import { Application } from 'express' import fs from 'fs' import path from 'path' import compression from 'compression' import sirv from 'sirv' import { HTML_KEY } from './constants' const CLIENT_PATH = path.resolve(process.cwd(), 'dist/client') const HTML_PATH = path.resolve(process.cwd(), 'dist/client/index.html') const ENTRY_SERVER_PATH = path.resolve(process.cwd(), 'dist/ssr/entry-server.js') export async function setupProd(app: Application) { // Use compression for responses app.use(compression()) // Serve static files from the client build folder app.use(sirv(CLIENT_PATH, { extensions: [] })) app.get('*', async (_, res, next) => { try { // Read the pre-built HTML file let html = fs.readFileSync(HTML_PATH, 'utf-8') // Import the server-side render function and generate HTML const { render } = await import(ENTRY_SERVER_PATH) const appHtml = await render() // Replace the placeholder with the rendered HTML html = html.replace(HTML_KEY, appHtml) res.status(200).set({ 'Content-Type': 'text/html' }).end(html) } catch (e) { // Log errors and pass them to the error handler console.error((e as Error).stack) next(e) } }) }
建置並執行 Docker 映像
// ./vite.config.ts import { defineConfig } from 'vite' import react from '@vitejs/plugin-react-swc' import { dependencies } from './package.json' export default defineConfig(({ mode }) => ({ plugins: [react()], ssr: { noExternal: mode === 'production' ? Object.keys(dependencies) : undefined, }, }))
{ "include": [ "src", "server", "vite.config.ts" ] }
在本指南中,我們為使用 React 建立生產就緒的 SSR 應用程式奠定了堅實的基礎。您已經學習如何設定專案、設定路由和建立 Dockerfile。此設定非常適合高效建立登陸頁面或小型應用程式。
這是我的 React SSR 系列的一部分。更多文章敬請期待!
我總是樂於接受回饋、合作或討論技術想法 - 請隨時與我們聯繫!
以上是建立生產就緒的 SSR React 應用程式的詳細內容。更多資訊請關注PHP中文網其他相關文章!