Custom Document
自定义 Document
可以更新用于渲染页面的 <html>
和 <body>
标签。
要覆盖默认的 Document
,请创建文件 pages/_document
,如下所示
pages/_document.tsx
import { Html, Head, Main, NextScript } from 'next/document'
export default function Document() {
return (
<Html lang="en">
<Head />
<body>
<Main />
<NextScript />
</body>
</Html>
)
}
须知:
_document
仅在服务器端渲染,因此onClick
等事件处理程序不能在此文件中使用。<Html>
、<Head />
、<Main />
和<NextScript />
是页面正确渲染所必需的。
注意事项
- 在
_document
中使用的<Head />
组件与next/head
不同。此处使用的<Head />
组件应仅用于所有页面通用的任何<head>
代码。对于所有其他情况,例如<title>
标签,我们建议在你的页面或组件中使用next/head
。 <Main />
之外的 React 组件不会被浏览器初始化。不要在此处添加应用程序逻辑或自定义 CSS(如styled-jsx
)。如果你的所有页面都需要共享组件(如菜单或工具栏),请阅读布局。Document
当前不支持 Next.js 数据获取方法,如getStaticProps
或getServerSideProps
。
自定义 renderPage
自定义 renderPage
是高级用法,仅当 CSS-in-JS 等库需要支持服务器端渲染时才需要。内置的 styled-jsx
支持不需要这样做。
我们不建议使用此模式。 相反,请考虑逐步采用 App Router,它使你可以更轻松地为页面和布局获取数据。
pages/_document.tsx
import Document, {
Html,
Head,
Main,
NextScript,
DocumentContext,
DocumentInitialProps,
} from 'next/document'
class MyDocument extends Document {
static async getInitialProps(
ctx: DocumentContext
): Promise<DocumentInitialProps> {
const originalRenderPage = ctx.renderPage
// Run the React rendering logic synchronously
ctx.renderPage = () =>
originalRenderPage({
// Useful for wrapping the whole react tree
enhanceApp: (App) => App,
// Useful for wrapping in a per-page basis
enhanceComponent: (Component) => Component,
})
// Run the parent `getInitialProps`, it now includes the custom `renderPage`
const initialProps = await Document.getInitialProps(ctx)
return initialProps
}
render() {
return (
<Html lang="en">
<Head />
<body>
<Main />
<NextScript />
</body>
</Html>
)
}
}
export default MyDocument
须知:
- 客户端转换期间不会调用
_document
中的getInitialProps
。_document
的ctx
对象等效于getInitialProps
中接收的对象,但添加了renderPage
。
这是否有帮助?