服务器端渲染和注水
服务器端渲染 (SSR)
服务器端渲染 (SSR) 是一种技术,它帮助我们在服务器上将组件渲染成 HTML 字符串,直接发送到浏览器,最后在客户端将静态标记"注水"成一个完全交互式的应用。
React
假设我们想要使用 React 渲染一个无状态的应用。为了做到这一点,我们需要使用 express
,react
和 react-dom/server
。由于它是一个无状态的应用,我们不需要 react-dom/client
。
让我们深入了解一下:
express
帮助我们构建一个可以使用 Node 运行的 web 应用,react
帮助我们构建应用中使用的 UI 组件,react-dom/server
帮助我们在服务器上渲染组件。
// tsconfig.json
{
"compilerOptions": {
"noImplicitAny": false,
"noEmitOnError": true,
"removeComments": false,
"sourceMap": true,
"target": "esnext"
},
"include": ["**/*"]
}
**注意:**不要忘记从你的
tsconfig.json
文件中删除所有注释。
// app.tsx
export const App = () => {
return (
<html>
<head>
<meta charSet="utf-8" />
<meta name="viewport" content="width=device-width, initial-scale=1" />
<title>静态服务器端渲染应用</title>
</head>
<body>
<div>你好,世界!</div>
</body>
</html>
)
}
// server.tsx
import express from 'express'
import React from 'react'
import ReactDOMServer from 'react-dom/server'
import { App } from './app.tsx'
const port = Number.parseInt(process.env.PORT || '3000', 10)
const app = express()
app.get('/', (_, res) => {
const { pipe } = ReactDOMServer.renderToPipeableStream(<App />, {
onShellReady() {
res.setHeader('content-type', 'text/html')
pipe(res)
},
})
})
app.listen(port, () => {
console.log(`服务器正在监听 ${port} 端口`)
})
tsc --build
node server.js