使用 create-next-app 脚手架创建一个新的 Next.js 项目:
npx create-next-app my-app cd my-app
在 Next.js 中,.js 或 .jsx 文件的每个组件都会自动处理为 SSR 页面。例如,创建一个pages/index.js文件:
// pages/index.js import React from 'react'; function Home() { return ( <div> <h1>Welcome to Next.js with SSR!</h1> <p>This is rendered on the server.</p> </div> ); } export default Home;
运行 npm run dev 启动开发服务器,访问http://localhost:3000,你会发现HTML已经包含了服务器渲染的内容。
Next.js支持动态路由,例如pages/posts/[id].js。在 getStaticPaths 和 getStaticProps 或 getServerSideProps 中获取数据:
// pages/posts/[id].js import { useRouter } from 'next/router'; import { getPostById } from '../lib/api'; // Custom API to obtain data export async function getServerSideProps(context) { const id = context.params.id; const post = await getPostById(id); return { props: { post, }, }; } function Post({ post }) { const router = useRouter(); if (!router.isFallback && !post) { router.push('/404'); return null; } return ( <div> <h1>{post.title}</h1> <p>{post.content}</p> </div> ); } export default Post;
Next.js 还支持静态优化和预渲染(静态站点生成,SSG)。在 getStaticPaths 和 getStaticProps 中配置:
// pages/posts/[id].js export async function getStaticPaths() { // Get all possible dynamic paths const paths = await getPostIds(); return { paths: paths.map((id) => `/posts/${id}`), fallback: false, // Or 'true' to return 404 for non-prerendered paths }; } export async function getStaticProps(context) { const id = context.params.id; const post = await getPostById(id); return { props: { post, }, }; }
Next.js 支持动态导入,有助于按需加载代码并减少初始加载时间:
// pages/index.js import dynamic from 'next/dynamic'; const DynamicComponent = dynamic(() => import('../components/Dynamic'), { ssr: false, // Avoid rendering on the server }); function Home() { return ( <div> <h1>Welcome to Next.js with SSR!</h1> <DynamicComponent /> </div> ); } export default Home;
使用 next/image 组件优化图像加载、自动压缩和调整大小:
// pages/index.js import Image from 'next/image'; function Home() { return ( <div> <h1>Welcome to Next.js with SSR!</h1> <Image src="/example.jpg" alt="Example Image" width={500} height={300} /> </div> ); } export default Home;
如果您需要更细粒度的控制,可以创建自定义服务器:
// server.js const { createServer } = require('http'); const { parse } = require('url'); const next = require('next'); const dev = process.env.NODE_ENV !== 'production'; const app = next({ dev }); const handle = app.getRequestHandler(); app.prepare().then(() => { createServer((req, res) => { // Be sure to pass `true` as the second argument to `url.parse`. // This tells it to parse the query portion of the URL. const parsedUrl = parse(req.url, true); const { pathname } = parsedUrl; if (pathname === '/api') { // Custom API route handling // ... } else { handle(req, res, parsedUrl); } }).listen(3000, (err) => { if (err) throw err; console.log('> Ready on http://localhost:3000'); }); });
Next.js 可以让你轻松集成第三方库和框架,例如 Redux、MobX、Apollo 等:
// pages/_app.js import React from 'react'; import App from 'next/app'; import { Provider } from 'react-redux'; import store from '../store'; function MyApp({ Component, pageProps }) { return ( <Provider store={store}> <Component {...pageProps} /> </Provider> ); } export default MyApp;
Next.js 的 SSR 功能对 SEO 友好,但您也可以通过元标记对其进行优化:
// pages/index.js import Head from 'next/head'; function Home() { return ( <> <Head> <title>My Next.js App</title> <meta name="description" content="This is an example of using Next.js with SEO." /> </Head> <h1>Welcome to Next.js with SEO!</h1> </> ); } export default Home;
Next.js 10 引入了内置 i18n 支持,可以轻松实现多语言网站:
// next.config.js module.exports = { i18n: { locales: ['en', 'fr'], defaultLocale: 'en', }, };
Next.js 支持 Serverless 模式,该模式在 Vercel 上默认启用。在这种模式下,您的应用程序将按需运行,从而节省资源成本。
在 Next.js 中使用 Web Workers 处理密集型计算任务,以避免阻塞主线程:
// components/Worker.js import { useEffect } from 'react'; import { createWorker } from 'workerize-loader!./my-worker.js'; // Use workerize-loader to load worker files function MyComponent() { const worker = createWorker(); useEffect(() => { const result = worker.calculate(100000); // Calling worker methods result.then(console.log); return () => worker.terminate(); // Cleaning up workers }, []); return <div>Loading...</div>; } export default MyComponent;
Next.js 支持 TypeScript,为您的项目添加类型安全性:
安装 typescript 和 @types/react。
创建 tsconfig.json 配置文件。
修改 next.config.js 以启用 TypeScript 支持。
创建pages/_error.js自定义错误页面:
npx create-next-app my-app cd my-app
Next.js 与 Vercel 完美集成。您只需几个简单的步骤即可部署它:
创建帐户或登录 Vercel 网站。
授权 Vercel 访问您的 GitHub 或 GitLab 存储库。
选择要部署的项目,Vercel 将自动检测 Next.js 配置。
设置项目域名和环境变量(如有必要)。
单击“部署”按钮,Vercel 将自动构建并部署应用程序。
使用Next.js内置的Lighthouse插件或Google PageSpeed Insights等第三方工具进行性能评估。根据报告优化代码、图片等资源,提高加载速度和用户体验。
以上是Next.js 和 SSR:构建高性能服务器渲染应用程序的详细内容。更多信息请关注PHP中文网其他相关文章!