NextJS 介绍

Next.js 是一个用于构建 React 应用程序的 React 框架。它的目标是使 React 应用的开发变得更简单、更灵活。下面是一些 Next.js 的关键特性:

服务器渲染 (SSR): Next.js 支持服务器渲染,这意味着页面可以在服务器上生成,然后再发送到浏览器,有助于提高应用程序的性能和搜索引擎优化(SEO)。

静态生成 (Static Generation): 除了服务器渲染外,Next.js 还支持静态生成,可以在构建时预先生成页面,然后将它们作为静态文件提供,这对于构建性能高效的静态网站非常有用。

自动代码拆分 (Automatic Code Splitting): Next.js 会自动将应用程序的代码拆分成小块,只加载当前页面所需的代码,提高加载速度。

热模块替换 (Hot Module Replacement): 在开发模式下,Next.js 支持热模块替换,允许在运行时更新代码,无需重新加载整个页面。

项目介绍

使用 Next.js+React,实现一个 SSR 服务器渲染的博客项目

环境搭建

技术选型

  1. Next.js
  2. Mysql
  3. React
  4. Ant Design
  5. typeorm

创建项目

  1. 首先在 github 上创建一个项目仓库,比如:nextjs-blog
  2. 将 nextjs-blog 仓库使用 git 拉取到本地 git clone xxx.nextjs-blog.git
  3. 然后进入项目目录 cd nestjs-blog
  4. 接着使用 next.js 提供的脚手架创建项目,这里我们使用 typescript 开发,所以使用 typescript 的模板 yarn create next-app —typescript

配置 eslint

1.安装 lint

  1. pnpm i eslint -D -w

2.初始化

  1. npx eslint --init

3.手动安装其他包

  1. pnpm i -D -w typesript @typescript-eslint/eslint-plugin@latest @typescript-eslint/parser@latest

4.修改 eslint 配置

  1. {
  2. "env": {
  3. "browser": true,
  4. "es2021": true,
  5. "node": true,
  6. "jest": true
  7. },
  8. "extends": [
  9. "eslint:recommended",
  10. "plugin:@typescript-eslint/recommended",
  11. "prettier",
  12. "plugin:prettier/recommended"
  13. ],
  14. "parser": "@typescript-eslint/parser",
  15. "parserOptions": {
  16. "ecmaVersion": "latest",
  17. "sourceType": "module"
  18. },
  19. "plugins": ["@typescript-eslint", "prettier"],
  20. "rules": {
  21. "prettier/prettier": "error",
  22. "no-case-declarations": "off",
  23. "no-constant-condition": "off",
  24. "@typescript-eslint/ban-ts-comment": "off",
  25. "@typescript-eslint/no-unused-vars": "off",
  26. "@typescript-eslint/no-var-requires": "off",
  27. "no-unused-vars": "off"
  28. }
  29. }

5.安装 ts lint

  1. pnpm i -D -w @typescript-eslint/eslint-plugin

配置 prettier

1.安装 prettier

  1. pnpm i -D -w prettier

2.新建.pretterrc.json

  1. {
  2. "printWidth": 80,
  3. "tabWidth": 2,
  4. "useTabs": true,
  5. "singleQuote": true,
  6. "semi": true,
  7. "trailingComma": "none",
  8. "bracketSpacing": true
  9. }

3.将 pretter 集成到 eslint 中

  1. pnpm i -D -w eslint-config-prettier eslint-plugin-prettier

4.在 scripts 中增加 lint 命令

  1. "lint": "eslint --ext .ts,.jsx,.tsx --fix --quiet ./packages"

5.安装 eslint pretter 两个 vscode 插件

6.在 vscode settings 中设置 format:pretter 和 on save

NextJS 介绍 - 图1

检查 commit

1.安装 husky

  1. pnpm i -D -w husky

2.初始化 husky

  1. npx husky install

3.将 lint 增加到 husky 中

  1. npx husky add .husky/pre-commit "pnpm lint "

NextJS 介绍 - 图2

在 commit 的时候会执行 pnpm lint

检查 commit msg

1.安装包

  1. pnpm i -D -w commitlint @commitlint/cli @commitlint/config-conventional

2.新建.commitlintrc.js

  1. module.exports = {
  2. extends: ['@commitlint/config-conventional']
  3. };

3.集成到 husky 中

在终端执行下面命令

  1. npx husky add .husky/commit-msg "npx --no-install commitlint -e $HUSKY_GIT_PARAMS"

TypeScript 配置

在根目录新建 tsconfig.json

  1. {
  2. "compileOnSave": true,
  3. "include": ["./packages/**/*"],
  4. "compilerOptions": {
  5. "target": "ESNext",
  6. "useDefineForClassFields": true,
  7. "module": "ESNext",
  8. "lib": ["ESNext", "DOM"],
  9. "moduleResolution": "Node",
  10. "strict": true,
  11. "sourceMap": true,
  12. "resolveJsonModule": true,
  13. "isolatedModules": true,
  14. "esModuleInterop": true,
  15. "noEmit": true,
  16. "noUnusedLocals": false,
  17. "noUnusedParameters": false,
  18. "noImplicitReturns": false,
  19. "skipLibCheck": true,
  20. "baseUrl": "./packages",
  21. "paths": {
  22. "hostConfig": ["./react-dom/src/hostConfig.ts"]
  23. }
  24. }
  25. }

这样,我们的项目开发环境就配置好了。

Next.js 路由介绍

看下面这张图:

NextJS 介绍 - 图3

从上图可以看到

在 pages 目录下来创建文件夹,文件夹的名称就代表路由。俗称约定式路由。现在很多框架都支持约定式路由,比如 Umi 框架。

普通路由

1.比如 pages/index.js,那么这个的路由就是 根路由

2.比如在 pages 下面新建 blog 文件夹,在 blog 文件夹下面新建 index.js,那此时这个文件对应的页面利用就是/blog

嵌套路由

1.在 pages 目录下新建 blog 目录,在 blog 目录下新建 first-post.js,注意此时不是 index.js,那此时的文件夹是嵌套的,那么对应的路由也是嵌套的,路由也是根据嵌套的文件夹的名称而来,所以这个 first-post.js 文件页面对应的路由就是/blog/first-post

动态路由

动态路由在实际业务中非常常见,接下来看下 next.js 中提供的动态路由。

1.在 pages 目录下新建 blog 文件夹,在文件夹下 新建 id.js,这个 id 就表示是动态路由,那展现的路由就是这个样子 /blog/:id ,这个里面的 :id 可以换成任意的路由,例如 /blog/1 , /blog/2

2.第二种是动态路由在中间,在 pages 目录下新建 id 文件夹,在 id 文件夹下面 创建 setting.js, 那此时的动态路由就是 /:id/setting, :id 就是动态,例如 /1/setting, /2/setting

3.第三种动态路由是 任意匹配的路由,在 pages 目录下新建 post 文件夹,在 post 文件夹下面新建…all.js,此时这个 …all 表现的动态路由就是 /post/ ,这个 就代表任意路由,丽日: /post/2020/id/title

实现 Layout 布局

我们开始实现整体页面的布局。这里来讲解如何实现 Layout 布局,采用上中下的布局。

上中下的布局就是:上方 就是 导航区域,中间是内容区域,下方是 底部区域。

整个系统使用 Antd Design UI 组件库。

我们先安装下 antd design

  1. pnpm install antd

Layout

  1. 首先在根目录创建 components 文件夹,这里来放 各个组件。在 compoents 文件夹 新建 layout 文件夹,在 layout 文件夹新建 index.tsx。
  1. mkdir components
  2. cd components
  3. mkdir layout
  4. touch index.tsx

2.在 compoents 文件夹 新建 Navbar 文件夹,在 Navbar 文件夹新建 index.tsx,同时创建 index.module.scss

  1. cd components
  2. mkdir Navbar
  3. cd Navbar
  4. touch index.tsx
  5. touch index.module.scss

3.在 compoents 文件夹 新建 Footer 文件夹,在 Footer 文件夹新建 index.tsx,同时创建 index.module.scss

  1. cd components
  2. mkdir Footer
  3. cd Footer
  4. touch index.tsx
  5. touch index.module.scss

这样先把 Layout,Navbar, Footer 的架子 搭建起来。

然后开始写 Layout 的布局

在 layout/index.tsx 中写入, 中间的内容区域,由 props 的 children 来填充,这样的话 ,就实现了 上中下的布局

  1. import type { NextPage } from 'next';
  2. import Navbar from 'components/Navbar';
  3. import Footer from 'components/Footer';
  4. const Layout: NextPage = ({ children }) => {
  5. return (
  6. <div>
  7. <Navbar />
  8. <main>{children}</main>
  9. <Footer />
  10. </div>
  11. );
  12. };
  13. export default Layout;

写好上面代码以后,需要再入口文件引入 layout

  1. import Layout from 'components/layout';
  2. import { NextPage } from 'next';
  3. return (
  4. <Layout>
  5. <Component />
  6. </Layout>
  7. );

Navbar

接下来 来开发 上部导航区域

先看下要实现的效果图,如下:这里采用 flex 布局

NextJS 介绍 - 图4

  1. 先把博客系统的名称写下,在 Navbar/index.tsx 文件下
  1. <div className={styles.navbar}>
  2. <section className={styles.logoArea}>BLOG</section>
  3. </div>

2.然后开始写标签,这几个标签,采用配置的方式,这里我们再 Navbar 文件夹下新建 config.ts 来 存放 这几个导航数据

  1. interfacee NavProps {
  2. label: string;
  3. value: string;
  4. }
  5. export const navs: NavProps[] = [
  6. {
  7. label: '首页',
  8. value: '/',
  9. },
  10. {
  11. label: '咨询',
  12. value: '/info',
  13. },
  14. {
  15. label: '标签',
  16. value: '/tag',
  17. },
  18. ];

3.在 Navbar/index.tsx 拿到 config 中的导航数据,然后遍历渲染出来。

同时引入 next 提供的 link,来进行路由跳转

  1. import Link from 'next/link';
  2. import { navs } from './config';
  3. <section className={styles.linkArea}>
  4. {navs?.map((nav) => (
  5. <Link key={nav?.label} href={nav?.value}>
  6. <a className={pathname === nav?.value ? styles.active : ''}>{nav?.label}</a>
  7. </Link>
  8. ))}
  9. </section>;

4.最后再添加两个 写文章 和登录的按钮

  1. <section className={styles.operationArea}>
  2. <Button onClick={handleGotoEditorPage}>写文章</Button>
  3. <Button type="primary" onClick={handleLogin}>
  4. 登录
  5. </Button>
  6. </section>

5.最后整体的样式文件如下:

  1. .navbar {
  2. height: 60px;
  3. background-color: #fff;
  4. border-bottom: 1px solid #f1f1f1;
  5. display: flex;
  6. align-items: center;
  7. justify-content: center;
  8. .logoArea {
  9. font-size: 30px;
  10. font-weight: bolder;
  11. margin-right: 60px;
  12. }
  13. .linkArea {
  14. a {
  15. font-size: 18px;
  16. padding: 0 20px;
  17. color: #515767;
  18. }
  19. .active {
  20. color: #1e80ff;
  21. }
  22. }
  23. .operationArea {
  24. margin-left: 150px;
  25. button {
  26. margin-right: 20px;
  27. }
  28. }
  29. }

这样 导航部分的 初始页面就完成了。

Footer

接下来简单写下 Footer 部分

在 components/Footer/index.tsx 中写入如下代码:

  1. import type { NextPage } from 'next';
  2. import styles from './index.module.scss';
  3. const Footer: NextPage = () => {
  4. return (
  5. <div className={styles.footer}>
  6. <p>博客系统</p>
  7. </div>
  8. );
  9. };
  10. export default Footer;

样式文件代码:

  1. .footer {
  2. text-align: center;
  3. color: #72777b;
  4. padding: 20px;
  5. }

这样简单的 footer 部分就完成了

最后看下 这样写下来的效果

NextJS 介绍 - 图5

登录模块

接下来我们要开发登录模块的开发,首先看下效果图:

NextJS 介绍 - 图6

登录弹窗

1.首先在 components 创建 Login 文件夹,在 Login 文件夹创建 index.tsx 文件和 index.modules.scss

  1. cd components
  2. mkdir Login
  3. cd Login
  4. touch index.tsx
  5. touch index.module.scss

2.在 Navbar 组件中的 登录按钮 添加点击事件

  1. <Button type="primary" onClick={handleLogin}>
  2. 登录
  3. </Button>

3.定义一个 state 来控制 登录弹窗 是否显示。

  1. const [isShowLogin, setIsShowLogin] = useState(false);

4.将 isShowLogin 当做 props 传入 登录组件

  1. <Login isShowLogin={isShowLogin} />

5.接下来开发登录弹窗的布局代码

  1. return isShow ? (
  2. <div className={styles.loginArea}>
  3. <div className={styles.loginBox}>
  4. <div className={styles.loginTitle}>
  5. <div>手机号登录</div>
  6. <div className={styles.close} onClick={handleClose}>
  7. x
  8. </div>
  9. </div>
  10. <input
  11. name="phone"
  12. type="text"
  13. placeholder="请输入手机号"
  14. value={form.phone}
  15. onChange={handleFormChange}
  16. />
  17. <div className={styles.verifyCodeArea}>
  18. <input
  19. name="verify"
  20. type="text"
  21. placeholder="请输入验证码"
  22. value={form.verify}
  23. onChange={handleFormChange}
  24. />
  25. <span className={styles.verifyCode} onClick={handleGetVerifyCode}>
  26. {isShowVerifyCode ? <CountDown time={10} onEnd={handleCountDownEnd} /> : '获取验证码'}
  27. </span>
  28. </div>
  29. <div className={styles.loginBtn} onClick={handleLogin}>
  30. 登录
  31. </div>
  32. <div className={styles.otherLogin} onClick={handleOAuthGithub}>
  33. 使用 Github 登录
  34. </div>
  35. <div className={styles.loginPrivacy}>
  36. 注册登录即表示同意
  37. <a href="https://moco.imooc.com/privacy.html" target="_blank" rel="noreferrer">
  38. 隐私政策
  39. </a>
  40. </div>
  41. </div>
  42. </div>
  43. ) : null;

6.对应的样式代码如下:

  1. .loginArea {
  2. position: fixed;
  3. top: 0;
  4. left: 0;
  5. z-index: 1000;
  6. width: 100vw;
  7. height: 100vh;
  8. background-color: rgb(0 0 0 / 30%);
  9. .loginBox {
  10. width: 320px;
  11. height: 320px;
  12. background-color: #fff;
  13. position: relative;
  14. top: 50%;
  15. left: 50%;
  16. transform: translate(-50%, -50%);
  17. padding: 20px;
  18. input {
  19. width: 100%;
  20. height: 37px;
  21. margin-bottom: 10px;
  22. padding: 10px;
  23. border-radius: 5px;
  24. border: 1px solid #888;
  25. outline: none;
  26. }
  27. input:focus {
  28. border: 1px solid #1e80ff;
  29. }
  30. .verifyCodeArea {
  31. position: relative;
  32. cursor: pointer;
  33. .verifyCode {
  34. color: #1e80ff;
  35. position: absolute;
  36. right: 20px;
  37. top: 8px;
  38. font-size: 14px;
  39. }
  40. }
  41. }
  42. .loginTitle {
  43. font-size: 20px;
  44. font-weight: bold;
  45. display: flex;
  46. justify-content: space-between;
  47. align-items: center;
  48. margin-bottom: 20px;
  49. .close {
  50. color: #888;
  51. cursor: pointer;
  52. }
  53. }
  54. .loginBtn {
  55. height: 40px;
  56. line-height: 40px;
  57. border-radius: 5px;
  58. margin-top: 15px;
  59. background-color: #007fff;
  60. color: #fff;
  61. text-align: center;
  62. cursor: pointer;
  63. }
  64. .otherLogin {
  65. margin-top: 15px;
  66. font-size: 14px;
  67. color: #1e80ff;
  68. cursor: pointer;
  69. }
  70. .loginPrivacy {
  71. margin-top: 10px;
  72. color: #333;
  73. font-size: 14px;
  74. a {
  75. color: #1e80ff;
  76. }
  77. }
  78. }

接下来 编写 点击逻辑

1.首先 当点击关闭的时候,把弹窗关闭

使用 props 中的 onClose 方法,onClose 方法在父组件 Navbar 通过 isShowLogin 控制隐藏

  1. // Login/index.tsx
  2. const { onClose } = props;
  3. const handleClose = () => {
  4. onClose && onClose();
  5. };

在入口引入

  1. <Login isShow={isShowLogin} onClose={handleClose} />;
  2. const handleClose = () => {
  3. setIsShowLogin(false);
  4. };

接下来开始编写 获取验证码的 逻辑

获取验证码 需要提前编写一个倒计时的组件

接下来开始编写 倒计时组件

  1. cd components
  2. mkdir CountDown
  3. cd CountDown
  4. touch index.tsx
  5. touch index.module.scss

在 index.tsx 中编写如下代码:

思路是: 提供一个 time,表示倒计时的时间。提供一个 onEnd 回调函数,表示当倒计时结束的时候,进行一些回调处理。

这里需要注意下, 当 time 时间为 0 的时候,需要主动 调 一些 onEnd,表示结束。

  1. import { useState, useEffect } from 'react';
  2. import styles from './index.module.scss';
  3. interface IProps {
  4. time: number;
  5. onEnd: Function;
  6. }
  7. const CountDown = (props: IProps) => {
  8. const { time, onEnd } = props;
  9. const [count, setCount] = useState(time || 60);
  10. useEffect(() => {
  11. const id = setInterval(() => {
  12. setCount((count) => {
  13. if (count === 0) {
  14. clearInterval(id);
  15. onEnd && onEnd();
  16. return count;
  17. }
  18. return count - 1;
  19. });
  20. }, 1000);
  21. return () => {
  22. clearInterval(id);
  23. };
  24. }, [time, onEnd]);
  25. return <div className={styles.countDown}>{count}</div>;
  26. };
  27. export default CountDown;

这样完成了倒计时组件的开发。接着编写获取验证码的逻辑。

1.首先 通过 isShowVerifyCode 控制 显示 验证码文字 还是倒计时

  1. <span className={styles.verifyCode} onClick={handleGetVerifyCode}>
  2. {isShowVerifyCode ? <CountDown time={10} onEnd={handleCountDownEnd} /> : '获取验证码'}
  3. </span>

2.接着当点击 获取验证码的时候,校验一下 手机号是否输入, 如果手机号没有输入,提示用户输入手机号

  1. <span className={styles.verifyCode} onClick={handleGetVerifyCode}>
  2. 获取验证码
  3. </span>;
  4. const handleGetVerifyCode = () => {
  5. if (!form?.phone) {
  6. message.warning('请输入手机号');
  7. return;
  8. }
  9. };

3.如果 手机号输入,则开始 调 获取验证码的接口

  1. const handleGetVerifyCode = () => {
  2. if (!form?.phone) {
  3. message.warning('请输入手机号');
  4. return;
  5. }
  6. request
  7. .post('/api/user/sendVerifyCode', {
  8. to: form?.phone,
  9. templateId: 1,
  10. })
  11. .then((res: any) => {
  12. if (res?.code === 0) {
  13. setIsShowVerifyCode(true);
  14. } else {
  15. message.error(res?.msg || '未知错误');
  16. }
  17. });
  18. };

获取验证码

接下来开始编辑 获取 验证码 接口的逻辑

这里采用 云 的 验证码接口

1.根据 云的 接入文档,拼成 url

  1. const session: ISession = req.session;
  2. const { to = '', templateId = '1' } = req.body;
  3. const AppId = 'xxx'; // 接入自己的AppId
  4. const AccountId = 'xxx'; // 接入自己的AccountId
  5. const AuthToken = 'xxx'; // 接入自己的AuthToken
  6. const NowDate = format(new Date(), 'yyyyMMddHHmmss');
  7. const SigParameter = md5(`${AccountId}${AuthToken}${NowDate}`);
  8. const Authorization = encode(`${AccountId}:${NowDate}`);
  9. const verifyCode = Math.floor(Math.random() * (9999 - 1000)) + 1000;
  10. const expireMinute = '5';
  11. const url = `https://xxx.com:8883/2013-12-26/Accounts/${AccountId}/SMS/TemplateSMS?sig=${SigParameter}`;

2.使用 request 调用接口,参数 to 代表手机号,templateId 代表是 通过手机号进行登录,appId 和 datas 按文档传入

  1. const response = await request.post(
  2. url,
  3. {
  4. to,
  5. templateId,
  6. appId: AppId,
  7. datas: [verifyCode, expireMinute],
  8. },
  9. {
  10. headers: {
  11. Authorization,
  12. },
  13. },
  14. );

3.获取 response,根据 response 进行处理。当接口调用成功的时候,将验证码保存到 session 中,同时返回 200 状态码和成功的数据,当失败的时候,返回失败的原因

  1. const { statusCode, templateSMS, statusMsg } = response as any;
  2. if (statusCode === '000000') {
  3. session.verifyCode = verifyCode;
  4. await session.save();
  5. res.status(200).json({
  6. code: 0,
  7. msg: statusMsg,
  8. data: {
  9. templateSMS,
  10. },
  11. });
  12. } else {
  13. res.status(200).json({
  14. code: statusCode,
  15. msg: statusMsg,
  16. });
  17. }

4.当验证码调成功的时候,显示 倒计时

  1. request
  2. .post('/api/user/sendVerifyCode', {
  3. to: form?.phone,
  4. templateId: 1,
  5. })
  6. .then((res: any) => {
  7. if (res?.code === 0) {
  8. setIsShowVerifyCode(true);
  9. } else {
  10. message.error(res?.msg || '未知错误');
  11. }
  12. });

效果如下:

NextJS 介绍 - 图7

开始倒计时,并成功收到验证码

登录逻辑

当成功获取验证码,然后开始进行登录

在用户输入手机号和验证码,点击登录按钮的时候,去调用登录的接口

接口为:/api/user/login

传入表单数据,当成功的时候 将 用户的信息 存入到 store 中,并且调用 onClose 将弹窗关闭

  1. const handleLogin = () => {
  2. request
  3. .post('/api/user/login', {
  4. ...form,
  5. identity_type: 'phone',
  6. })
  7. .then((res: any) => {
  8. if (res?.code === 0) {
  9. // 登录成功
  10. store.user.setUserInfo(res?.data);
  11. onClose && onClose();
  12. } else {
  13. message.error(res?.msg || '未知错误');
  14. }
  15. });
  16. };

接下来开始编写 登录接口的逻辑

1.首先从 session 中获取验证码

  1. const session: ISession = req.session;

2.从 body 中获取传入的验证码

  1. const { phone = '', verify = '', identity_type = 'phone' } = req.body;

3.比较两个验证码是否相等,如果不相等,则返回 验证码错误

4.如果两个验证码相等,则去用户表中查找,判断用户是否存在,如果用户不存在,则表示注册,如果存在,则表示登录。

  1. // 验证码正确,在 user_auths 表中查找 identity_type 是否有记录
  2. const userAuth = await userAuthRepo.findOne(
  3. {
  4. identity_type,
  5. identifier: phone,
  6. },
  7. {
  8. relations: ['user'],
  9. },
  10. );

5.当用户存在的时候,从数据库中读取除用户信息,存入 session 和 cookie 中,并将用户信息返回

  1. // 已存在的用户
  2. const user = userAuth.user;
  3. const { id, nickname, avatar } = user;
  4. session.userId = id;
  5. session.nickname = nickname;
  6. session.avatar = avatar;
  7. await session.save();
  8. setCookie(cookies, { id, nickname, avatar });
  9. res?.status(200).json({
  10. code: 0,
  11. msg: '登录成功',
  12. data: {
  13. userId: id,
  14. nickname,
  15. avatar,
  16. },
  17. });

6.当用户不存在的时候,将输入的信息 存入到数据库,session 和 cookie 中,表示用户注册,返回用户信息

  1. // 新用户,自动注册
  2. const user = new User();
  3. user.nickname = `用户_${Math.floor(Math.random() * 10000)}`;
  4. user.avatar = '/images/avatar.jpg';
  5. user.job = '暂无';
  6. user.introduce = '暂无';
  7. const userAuth = new UserAuth();
  8. userAuth.identifier = phone;
  9. userAuth.identity_type = identity_type;
  10. userAuth.credential = session.verifyCode;
  11. userAuth.user = user;
  12. const resUserAuth = await userAuthRepo.save(userAuth);
  13. const {
  14. user: { id, nickname, avatar },
  15. } = resUserAuth;
  16. session.userId = id;
  17. session.nickname = nickname;
  18. session.avatar = avatar;
  19. await session.save();
  20. setCookie(cookies, { id, nickname, avatar });
  21. res?.status(200).json({
  22. code: 0,
  23. msg: '登录成功',
  24. data: {
  25. userId: id,
  26. nickname,
  27. avatar,
  28. },
  29. });

点击登录,即可登录成功。

数据库操作

我们这里使用 typeorm 数据库

首先在根目录创建 db 文件夹,在 db 文件建创建 entity 文件夹,entity 存放各个模块的表模型

在 db 文件夹创建 index.ts,用来导出各个模块的表模型

新建 db/entity/user.ts

1.Entity 指定数据库中的哪个数据表,这里指定 users 数据表

  1. import { Entity, BaseEntity, PrimaryGeneratedColumn, Column } from 'typeorm';
  2. @Entity({ name: 'users' })
  3. export class User extends BaseEntity {
  4. @PrimaryGeneratedColumn()
  5. readonly id!: number;
  6. @Column()
  7. nickname!: string;
  8. @Column()
  9. avatar!: string;
  10. @Column()
  11. job!: string;
  12. @Column()
  13. introduce!: string;
  14. }

2.使用 typeorm 链接 mysql

3.从 typeorm 引入

  1. import { Connection, getConnection, createConnection } from 'typeorm';

4.引入数据表

  1. import { User, UserAuth, Article, Comment, Tag } from './entity/index';

5.链接 mysql 数据库

  1. import 'reflect-metadata';
  2. import { Connection, getConnection, createConnection } from 'typeorm';
  3. import { User, UserAuth, Article, Comment, Tag } from './entity/index';
  4. const host = process.env.DATABASE_HOST;
  5. const port = Number(process.env.DATABASE_PORT);
  6. const username = process.env.DATABASE_USERNAME;
  7. const password = process.env.DATABASE_PASSWORD;
  8. const database = process.env.DATABASE_NAME;
  9. let connectionReadyPromise: Promise<Connection> | null = null;
  10. console.log('username', username)
  11. export const prepareConnection = () => {
  12. if (!connectionReadyPromise) {
  13. connectionReadyPromise = (async () => {
  14. try {
  15. const staleConnection = getConnection();
  16. await staleConnection.close();
  17. } catch (error) {
  18. console.log(error);
  19. }
  20. const connection = await createConnection({
  21. type: 'mysql',
  22. host,
  23. port,
  24. username,
  25. password,
  26. database,
  27. entities: [User, UserAuth, Article, Comment, Tag],
  28. synchronize: false,
  29. logging: true,
  30. },6.
  31. return connection;
  32. })();
  33. }
  34. return connectionReadyPromise;
  35. };

6.在接口侧 引入数据库

  1. import { prepareConnection } from 'db/index';
  2. const db = await prepareConnection();

7.引入数据表,使用 db 获取 指定的数据表,userAuthRepo 来操作 mysql

  1. import { User, UserAuth } from 'db/entity/index';
  2. const db = await prepareConnection();
  3. const userAuthRepo = db.getRepository(UserAuth);

8.从 users 表查询数据

  1. const userAuth = await userAuthRepo.findOne(
  2. {
  3. identity_type,
  4. identifier: phone,
  5. },
  6. {
  7. relations: ['user'],
  8. },
  9. );

9.如果 userAuth 有数据,则表示登录,没有数据则表示注册

10.如果是登录,从 user 中获取当前用户的信息,将这些信息一方面存入 session,一方面存入 cookie,最后返回 200 状态码,同时将用户信息返回

11.如果是注册,将这些输入的用户信息,存入 users 表中,同时将这些信息存入到 session 和 cookie 中,同时返回 200 状态码和这些用户信息

  1. if (userAuth) {
  2. // 已存在的用户
  3. const user = userAuth.user;
  4. const { id, nickname, avatar } = user;
  5. session.userId = id;
  6. session.nickname = nickname;
  7. session.avatar = avatar;
  8. await session.save();
  9. setCookie(cookies, { id, nickname, avatar });
  10. res?.status(200).json({
  11. code: 0,
  12. msg: '登录成功',
  13. data: {
  14. userId: id,
  15. nickname,
  16. avatar,
  17. },
  18. });
  19. } else {
  20. // 新用户,自动注册
  21. const user = new User();
  22. user.nickname = `用户_${Math.floor(Math.random() * 10000)}`;
  23. user.avatar = '/images/avatar.jpg';
  24. user.job = '暂无';
  25. user.introduce = '暂无';
  26. const userAuth = new UserAuth();
  27. userAuth.identifier = phone;
  28. userAuth.identity_type = identity_type;
  29. userAuth.credential = session.verifyCode;
  30. userAuth.user = user;
  31. const resUserAuth = await userAuthRepo.save(userAuth);
  32. const {
  33. user: { id, nickname, avatar },
  34. } = resUserAuth;
  35. session.userId = id;
  36. session.nickname = nickname;
  37. session.avatar = avatar;
  38. await session.save();
  39. setCookie(cookies, { id, nickname, avatar });
  40. res?.status(200).json({
  41. code: 0,
  42. msg: '登录成功',
  43. data: {
  44. userId: id,
  45. nickname,
  46. avatar,
  47. },
  48. });
  49. }

发布文章

1.当点击 写文章的时候,先判断用户是否登录,如果没有登录,则提示用户先登录,如果已经登录,则跳到新建文章页面

  1. <Button onClick={handleGotoEditorPage}>写文章</Button>;
  2. const handleGotoEditorPage = () => {
  3. if (userId) {
  4. push('/editor/new');
  5. } else {
  6. message.warning('请先登录');
  7. }
  8. };

2.在 pages 目录下创建 editor/new.tsx,表示 新建文章的页面

3.首先编写 markdown 编辑器,这里使用 开源的一款 markdown 编辑器,@uiw/react-md-editor

安装

  1. yarn add @uiw/react-md-editor

4.引入编辑器

  1. const MDEditor = dynamic(() => import('@uiw/react-md-editor'), { ssr: false });
  2. import '@uiw/react-md-editor/markdown-editor.css';
  3. import '@uiw/react-markdown-preview/markdown.css';
  4. <MDEditor />;

5.定义 state 表示编辑器的内容

  1. const [content, setContent] = useState('');
  2. <MDEditor value={content} height={1080} />;

6.添加 change 事件

  1. <MDEditor value={content} height={1080} onChange={handleContentChange} />;
  2. const handleContentChange = (content: any) => {
  3. setContent(content);
  4. };

7.添加 输入标题 组件

  1. const [title, setTitle] = useState('');
  2. const handleTitleChange = (event: ChangeEvent<HTMLInputElement>) => {
  3. setTitle(event?.target?.value);
  4. };
  5. <Input
  6. className={styles.title}
  7. placeholder="请输入文章标题"
  8. value={title}
  9. onChange={handleTitleChange}
  10. />;

8.添加 标签选择 组件

  1. <Select
  2. className={styles.tag}
  3. mode="multiple"
  4. allowClear
  5. placeholder="请选择标签"
  6. onChange={handleSelectTag}
  7. >
  8. {allTags?.map((tag: any) => (
  9. <Select.Option key={tag?.id} value={tag?.id}>
  10. {tag?.title}
  11. </Select.Option>
  12. ))}
  13. </Select>

9.新增 state 控制 标签

  1. const [allTags, setAllTags] = useState([]);

10.添加 选择 标签的 事件

  1. const handleSelectTag = (value: []) => {
  2. setTagIds(value);
  3. };

11.新建 标签的 数据表

  1. import { Entity, BaseEntity, PrimaryGeneratedColumn, Column, ManyToMany, JoinTable } from 'typeorm';
  2. import { User } from './user';
  3. import { Article } from './article';
  4. @Entity({ name: 'tags' })
  5. export class Tag extends BaseEntity {
  6. @PrimaryGeneratedColumn()
  7. readonly id!: number;
  8. @Column()
  9. title!: string;
  10. @Column()
  11. icon!: string;
  12. @Column()
  13. follow_count!: number;
  14. @Column()
  15. article_count!: number;
  16. @ManyToMany(() => User, {
  17. cascade: true,
  18. })
  19. @JoinTable({
  20. name: 'tags_users_rel',
  21. joinColumn: {
  22. name: 'tag_id',
  23. },
  24. inverseJoinColumn: {
  25. name: 'user_id',
  26. },
  27. })
  28. users!: User[];
  29. @ManyToMany(() => Article, (article) => article.tags)
  30. @JoinTable({
  31. name: 'articles_tags_rel',
  32. joinColumn: {
  33. name: 'tag_id',
  34. },
  35. inverseJoinColumn: {
  36. name: 'article_id',
  37. },
  38. })
  39. articles!: Article[];
  40. }

新增 获取所有标签的接口,新建 api/tag/get.ts

1.从 session 中获取用户信息

2.从 tag 表 查询 所有 标签数据

3.关联 users 表,根据 users 表,查询所有标签,返回 allTags

4.关联 User 表,根据当前登录用户的信息,查询该用户 关注的标签,返回 followTags

  1. import { NextApiRequest, NextApiResponse } from 'next';
  2. import { withIronSessionApiRoute } from 'iron-session/next';
  3. import { ironOptions } from 'config/index';
  4. import { ISession } from 'pages/api/index';
  5. import { prepareConnection } from 'db/index';
  6. import { Tag } from 'db/entity/index';
  7. export default withIronSessionApiRoute(get, ironOptions);
  8. async function get(req: NextApiRequest, res: NextApiResponse) {
  9. const session: ISession = req.session;
  10. const { userId = 0 } = session;
  11. const db = await prepareConnection();
  12. const tagRepo = db.getRepository(Tag);
  13. const followTags = await tagRepo.find({
  14. relations: ['users'],
  15. where: (qb: any) => {
  16. qb.where('user_id = :id', {
  17. id: Number(userId),
  18. });
  19. },
  20. });
  21. const allTags = await tagRepo.find({
  22. relations: ['users'],
  23. });
  24. res?.status(200)?.json({
  25. code: 0,
  26. msg: '',
  27. data: {
  28. followTags,
  29. allTags,
  30. },
  31. });
  32. }

5.在 editor/new.tsx 中 调 获取 标签的接口拿到标签数据

  1. useEffect(() => {
  2. request.get('/api/tag/get').then((res: any) => {
  3. if (res?.code === 0) {
  4. setAllTags(res?.data?.allTags || []);
  5. }
  6. });
  7. }, []);

最后渲染 所有标签

  1. <Select
  2. className={styles.tag}
  3. mode="multiple"
  4. allowClear
  5. placeholder="请选择标签"
  6. onChange={handleSelectTag}
  7. >
  8. {allTags?.map((tag: any) => (
  9. <Select.Option key={tag?.id} value={tag?.id}>
  10. {tag?.title}
  11. </Select.Option>
  12. ))}
  13. </Select>

这样页面就出来了,也获取到了 markdown,标签,标题的数据

发布文章

1.先判断是否输入标题,如果没有输入标题,就提示用户输入标题

2.然后调 发布文章的接口,参数就是 标题,markdown 数据,标签

3.当接口调取成功的时候,提示发布成功,并跳到用户中心 的页面

4.当接口调取失败的时候,提示发布失败

  1. const handlePublish = () => {
  2. if (!title) {
  3. message.warning('请输入文章标题');
  4. return;
  5. }
  6. request
  7. .post('/api/article/publish', {
  8. title,
  9. content,
  10. tagIds,
  11. })
  12. .then((res: any) => {
  13. if (res?.code === 0) {
  14. userId ? push(`/user/${userId}`) : push('/');
  15. message.success('发布成功');
  16. } else {
  17. message.error(res?.msg || '发布失败');
  18. }
  19. });
  20. };

现在写下 发布文章的接口

新建 api/artice/publish.ts

1.引入数据库和 user, tag, article 三张数据表

  1. import { prepareConnection } from 'db/index';
  2. import { User, Article, Tag } from 'db/entity/index';

2.链接三个数据表

  1. const db = await prepareConnection();
  2. const userRepo = db.getRepository(User);
  3. const articleRepo = db.getRepository(Article);
  4. const tagRepo = db.getRepository(Tag);

3.从 req.body 中获取传入的参数

  1. const { title = '', content = '', tagIds = [] } = req.body;

4.从 session 中获取用户信息

  1. const session: ISession = req.session;

5.根据 session 从 user 表中查询当前用户信息

  1. const user = await userRepo.findOne({
  2. id: session.userId,
  3. });

6.根据传入的标签,获取所有的标签

  1. const tags = await tagRepo.find({
  2. where: tagIds?.map((tagId: number) => ({ id: tagId })),
  3. });

7.将传入的数据 存入到 article 表中, 如果有用户信息,将用户信息也存入表,并且标签数量增加

  1. const article = new Article();
  2. article.title = title;
  3. article.content = content;
  4. article.create_time = new Date();
  5. article.update_time = new Date();
  6. article.is_delete = 0;
  7. article.views = 0;
  8. if (user) {
  9. article.user = user;
  10. }
  11. if (tags) {
  12. const newTags = tags?.map((tag) => {
  13. tag.article_count = tag?.article_count + 1;
  14. return tag;
  15. });
  16. article.tags = newTags;
  17. }
  18. const resArticle = await articleRepo.save(article);
  19. if (resArticle) {
  20. res.status(200).json({ data: resArticle, code: 0, msg: '发布成功' });
  21. } else {
  22. res.status(200).json({ ...EXCEPTION_ARTICLE.PUBLISH_FAILED });
  23. }

这样就完成了文章发布

SSR原理

服务端渲染react代码页面

首先创建 ssr-react目录,进入ssr-react目录,初始化一个npm项目

  1. mkdir ssr-react
  2. cd ssr-react
  3. npm init -y

在根目录创建src文件夹,在src文件夹下创建server.js
采用node的一个框架 express来写。

首先安装express

  1. yarn add express

接下来 用express写一个最简单的服务

  1. const express = require('express');
  2. const app = express();
  3. const port = process.env.port || 3000;
  4. app.get('*', (req, res) => {
  5. res.writeHead(200,{
  6. 'content-type': 'text/html;charset=utf8'
  7. })
  8. res.end('你好ssr')
  9. })
  10. app.listen(port, () => {
  11. console.log('http://localhost:3000')
  12. })

写完以后运行 node src/server.js就能在http://localhost:3000 看到 页面上的输入

因为要做服务端渲染,要在server.js中引入React等前端的包,也就是import,但是 node不认识 import
这个时候我们使用webpack来让node认识import

在根目录创建config文件夹,在config文件夹创建webpack.server.js

  1. const path = require('path')
  2. const webpackExternals = require('webpack-node-externals')
  3. module.exports = {
  4. target: 'node',
  5. mode: process.env.NODE_ENV === 'production' ? 'production': 'development',
  6. entry: path.resolve(__dirname,'../src/server.js'),
  7. output: {
  8. path: path.resolve(__dirname,'../dist'),
  9. filename: 'bundle_server.js'
  10. },
  11. module: {
  12. rules: [
  13. {
  14. test: /\.js$/,
  15. loader: 'babel-loader',
  16. exclude: '/node_modules/'
  17. }
  18. ]
  19. },
  20. externals: [webpackExternals()] // 不会把node_module中的源码打包
  21. }

这里同时使用了webpack-node-externals这个插件,这个插件功能是 在webpack打包的时候,不打包node_modules里面的源码。

为了在node中适配react和ES6的高级语法,我们需要使用babel来编译,安装babel插件

  1. yarn add @babel/core @babel/preset-env "@babel/preset-react babel-loader

同时在根目录创建.babelrc文件

  1. {
  2. "presets": [
  3. "@babel/preset-react",
  4. "@babel/preset-env"
  5. ]
  6. }

接着编写下scripts命令

  1. "scripts": {
  2. "webpack:server": "webpack --config ./config/webpack.server.js --watch",
  3. "webpack:start": "nodemon --watch dist --exec node dist/bundle_server.js",
  4. "dev": "npm-run-all --parallel webpack:*"
  5. },

1.webpack:server 这个命令来打包 入口文件 server.js
2.webpack:start 这个命令来监听打包后的 bundle_server.js
3.dev 这个命令,使用npm-run-all第三方库 来监听所有的命令

接下来开始,写react组件,在node中进行渲染

首先在src目录下创建Home和Person两个组件

  1. // src/pages/Home.js
  2. import React from 'react';
  3. const Home = () => {
  4. return <div>home</div>
  5. }
  6. export default Home;
  1. // src/pages/Person.js
  2. import React from 'react';
  3. const Person = () => {
  4. return <div>Person</div>
  5. }
  6. export default Person;

然后开始编写路由,对应的查找这两个组件
在pages目录下创建routes.js文件

  1. import React from 'react';
  2. import { Routes, Route, Link } from 'react-router-dom'
  3. import Home from './pages/Home';
  4. import Person from './pages/Person';
  5. const RoutesList = () => {
  6. return (
  7. <div>
  8. <ul>
  9. <li>
  10. <Link to='/'>首页</Link>
  11. </li>
  12. <li>
  13. <Link to='/person'>个人中心</Link>
  14. </li>
  15. </ul>
  16. <Routes>
  17. <Route exact path='/' element={<Home />} />
  18. <Route exact path='/person' element={<Person />} />
  19. </Routes>
  20. </div>
  21. )
  22. }
  23. export default RoutesList;

最后在server.js中编写 react代码,能够让react代码在node中渲染

1.react-dom库中有个server库,就是react-dom/server,来专门在node中渲染react
2.在react-router-dom下也有个server库,就是react-router-dom/server,来渲染react路由

首先引入这两个库,以及路由文件

  1. import React from 'react';
  2. import ReactDOMServer from 'react-dom/server';
  3. import { StaticRouter } from 'react-router-dom/server'
  4. import Routes from './routes'

然后通过ReactDOMServer中的renderToString来渲染react代码,而路由文件使用StaticRouter进行包裹,
代码如下:

  1. const content = ReactDOMServer.renderToString(
  2. <StaticRouter location={req.url}>
  3. <Routes />
  4. </StaticRouter>
  5. )

最后将 content 写成 html的格式,进行输出

  1. const html = `
  2. <html>
  3. <head></head>
  4. <body>
  5. <div id="root">${content}</div>
  6. </body>
  7. </html>
  8. `
  9. res.writeHead(200,{
  10. 'content-type': 'text/html;charset=utf8'
  11. })
  12. res.end(html)

看下现在的效果
当切换的首页的路由时:
image.png

当切换到个人中心的路由时:
image.png

前端注水:

比如在 Home 组件中 添加一个点击事件

  1. import React from 'react';
  2. const Home = () => {
  3. const handleClick = () => {
  4. console.log('click')
  5. }
  6. return <div>home
  7. <button onClick={handleClick}>点击</button>
  8. </div>
  9. }
  10. export default Home;

当在页面点击的时候,日志没有被打印。
这是因为,Home组件是服务端渲染的,点击事件是在客户端进行的,客户端接收不到 这个点击事件,所以日志没有被打印。

下面通过让客户端 拦截 路由 实现 事件点击
首先在pages下创建client.js

在react-dom中有hydrate可以进行注水,也就是拦截。

通过hydrate进行注水,并且绑定到 id为root的div下面

代码如下:

  1. import React from 'react';
  2. import ReactDom from 'react-dom';
  3. import { BrowserRouter } from 'react-router-dom'
  4. import Routes from './routes';
  5. ReactDom.hydrate(
  6. <BrowserRouter>
  7. <Routes />
  8. </BrowserRouter>,
  9. document.getElementById('#root')
  10. )

这个时候我们需要将这个clent.js文件进行打包

在config目录下创建webpack.client.js,来进行client.js的打包

注意:这个时候需要把webpack-node-externals去掉,因为这个时候是打包的react客户端

  1. const path = require('path')
  2. module.exports = {
  3. target: 'web',
  4. mode: process.env.NODE_ENV === 'production' ? 'production': 'development',
  5. entry: path.resolve(__dirname,'../src/client.js'),
  6. output: {
  7. path: path.resolve(__dirname,'../dist/public'),
  8. filename: 'bundle_client.js'
  9. },
  10. module: {
  11. rules: [
  12. {
  13. test: /\.js$/,
  14. loader: 'babel-loader',
  15. exclude: '/node_modules/'
  16. }
  17. ]
  18. }
  19. }

然后在scripts中配置下命令

  1. "webpack:client": "webpack --config ./config/webpack.client.js --watch"

最后在输出的html中引入打包后的client.js

  1. const html = `
  2. <html>
  3. <head></head>
  4. <body>
  5. <div id="root">${content}</div>
  6. <script src="bundle_client.js"></script>
  7. </body>
  8. </html>
  9. `

这样重新 打包后,就能在页面上进行点击事件了

看下效果:
image.png

初始化 reactStore

使用 react-redux来管理状态

首先安装下redux

  1. yarn add redux react-redux

在src目录下创建store文件夹

在store文件夹下创建index.js来管理store入口

在strore文件夹下创建 actions文件夹,actions文件夹下分别创建 home.js和 person.js来管理这两个的action
在store文件夹下创建reducers文件夹,在reducers文件夹下分别创建home.js和person.js来管理这两个的reducer

首先来写下action

  1. // actions/home.js
  2. export const FETCH_HOME_DATA = 'fetch_home_data';
  3. export const fetchHomeData = async (dispatch) => {
  4. const data = await new Promise((resolve, reject) => {
  5. setTimeout(() => {
  6. resolve({
  7. articles: [
  8. {
  9. id: 1,
  10. title: 'title1',
  11. content: 'content1'
  12. },
  13. {
  14. id: 2,
  15. title: 'title2',
  16. content: 'content2'
  17. }
  18. ]
  19. })
  20. },2000)
  21. })
  22. dispatch({
  23. type: FETCH_HOME_DATA,
  24. payload: data
  25. })
  26. }
  1. export const FETCH_PERSON_DATA = 'fetch_person_data';
  2. export const fetchPersonData = async (dispatch) => {
  3. const data = await new Promise((resolve, reject) => {
  4. setTimeout(() => {
  5. resolve({
  6. userInfo: {
  7. username: 'curry',
  8. job: '前端工程师'
  9. }
  10. })
  11. },2000)
  12. })
  13. dispatch({
  14. type: FETCH_PERSON_DATA,
  15. payload: data
  16. })
  17. }

让开始写reducers

  1. // reducers/home.js
  2. import { FETCH_HOME_DATA } from '../actions/home';
  3. const initState = {
  4. articles: []
  5. }
  6. export default (state = initState ,action) => {
  7. switch(action?.type){
  8. case FETCH_HOME_DATA:
  9. return action.payload;
  10. default:
  11. return state;
  12. }
  13. }
  1. // reducers/person.js
  2. import { FETCH_PERSON_DATA } from '../actions/person';
  3. const initState = {
  4. info: {}
  5. }
  6. export default (state = initState ,action) => {
  7. switch(action?.type){
  8. case FETCH_PERSON_DATA:
  9. return action.payload;
  10. default:
  11. return state;
  12. }
  13. }

最后将这两个reducer合并起来

在 reducers/index.js中将两个合并

  1. import { combineReducers } from 'redux'
  2. import homeReducer from './home'
  3. import personReducer from './person'
  4. export default combineReducers({
  5. home: homeReducer,
  6. person: personReducer
  7. })

最后在stroe中引入redux

  1. import { createStore } from 'redux'
  2. import reducer from './reducers'
  3. const store = createStore(reducer)
  4. export default store;

开始使用store
在client.js中使用store
在使用store的时候,需要使用到react-redux提供的Provider,相当于context中的provider,
将Provider包裹住,将store传入Provider,这样的话,才能在组件中接受到store

  1. import React from 'react';
  2. import ReactDOM from 'react-dom';
  3. import { BrowserRouter } from 'react-router-dom';
  4. import { Provider } from 'react-redux'
  5. import Routes from './routes';
  6. import store from './store'
  7. ReactDOM.hydrate(
  8. <Provider store={store}>
  9. <BrowserRouter>
  10. <Routes />
  11. </BrowserRouter>
  12. </Provider>,
  13. document.querySelector('#root')
  14. );

同时也需要在server.js中引入Provider,并将store传入Provider

  1. import React from 'react';
  2. import ReactDOMServer from 'react-dom/server';
  3. import { StaticRouter } from 'react-router-dom/server'
  4. import { Provider } from 'react-redux'
  5. import Routes from './routes'
  6. import store from './store'
  7. const express = require('express');
  8. const app = express();
  9. const port = process.env.port || 3000;
  10. app.use(express.static('dist/public'))
  11. app.get('*', (req, res) => {
  12. const content = ReactDOMServer.renderToString(
  13. <Provider store={store}>
  14. <StaticRouter location={req.url}>
  15. <Routes />
  16. </StaticRouter>
  17. </Provider>
  18. )
  19. const html = `
  20. <html>
  21. <head></head>
  22. <body>
  23. <div id="root">${content}</div>
  24. <script src="bundle_client.js"></script>
  25. </body>
  26. </html>
  27. `
  28. res.writeHead(200,{
  29. 'content-type': 'text/html;charset=utf8'
  30. })
  31. res.end(html)
  32. })
  33. app.listen(port, () => {
  34. console.log('http://localhost:3000')
  35. })

reduxThunk中间件

接下来我们在home组件中使用store

我们使用react-redux提供的hooks来使用
引入两个hooks

  1. import { useSelector, useDispatch } from 'react-redux'

使用useDispatch这个hooks来获取dispatch

  1. const dispatch = useDispatch();

使用useSelector这个hooks来获取reducer中的数据

  1. const homeData = useSelector((state) => state.home)

接下来 我们使用 csr的方式 来获取数据
使用useEffect

  1. import { fetchHomeData } from '../store/actions/home'
  2. useEffect(() => {
  3. dispatch(fetchHomeData)
  4. },[])

当我们刷新页面的时候,看到页面有报错
image.png

这个报错也提示,需要使用redux-thunk
因为 我们在action中 使用了 异步方式,所以要使用react-thunk来加载异步

首先来安装下redux-thunk

  1. yarn add redux-thunk

redux提供了一个中间件来使用thunk,就是applyMiddleware中间件

最后在store中使用applyMiddleware来包裹这个thunk

  1. import { createStore, applyMiddleware } from 'redux'
  2. import thunk from 'redux-thunk';
  3. import reducer from './reducers'
  4. const store = createStore(reducer, applyMiddleware(thunk))
  5. export default store;

这样 页面就不会报错了

我们在home组件中 通过 点击事件,来渲染 异步获取的数据

最后看下效果
image.png

使用ssr方式来异步加载数据

首先在routers.js中 写一个 路由配置

  1. export const routesConfig = [
  2. {
  3. path: '/',
  4. component: Home,
  5. },
  6. {
  7. path: '/person',
  8. component: Person
  9. }
  10. ]

参照一下next.js中的做法,next.js是提供了一个方法,来获取数据

我们也可以在 组件中 挂载一个方法 ,来获取数据

用Home组件来写

在home组件,因为home是一个函数,所有可以 挂载一个getInitData方法,参数是store,使用方法和csr一样,
通过store.dispatch(fetchHomeData)来获取数据

  1. // home.js
  2. Home.getInitData = async (store) => {
  3. return store.dispatch(fetchHomeData)
  4. }

然后在sever.js中引入

可以通过req获取当前访问的url,然后遍历路由的配置,当 当前访问的url和路由配置的一个匹配的时候,
就执行组件中的getInitData方法,同时传入store参数,这个时候返回的是promise
然后通过Promise.all方法,来执行所有的promise,渲染页面的数据

  1. import Routes, { routesConfig } from './routes'
  2. const url =req.url;
  3. const promises = routesConfig.map(route => {
  4. const component = route.component;
  5. if(route.path === url && component.getInitData){
  6. return component.getInitData(store)
  7. }else{
  8. return null;
  9. }
  10. })
  11. Promise.all(promises).then(() => {
  12. const content = ReactDOMServer.renderToString(
  13. <Provider store={store}>
  14. <StaticRouter location={req.url}>
  15. <Routes />
  16. </StaticRouter>
  17. </Provider>
  18. )
  19. const html = `
  20. <html>
  21. <head></head>
  22. <body>
  23. <div id="root">${content}</div>
  24. <script src="bundle_client.js"></script>
  25. </body>
  26. </html>
  27. `
  28. res.writeHead(200,{
  29. 'content-type': 'text/html;charset=utf8'
  30. })
  31. res.end(html)
  32. })

最后看下效果

如下:是通过csr的方式渲染的数据
image.png

看下网页源代码:
这个是通过ssr的方式渲染的
image.png

因为 客户端不知道服务端已经渲染了数据,所有csr和ssr都渲染了数据。

这个时候来改造下

首先改造下store
这里给createStore传入一个默认的状态

  1. import { createStore, applyMiddleware } from 'redux';
  2. import thunk from 'redux-thunk';
  3. import reducer from './reducers';
  4. export default function createStoreInstance(preloadedState = {}) {
  5. return createStore(reducer, preloadedState, applyMiddleware(thunk));
  6. }

然后改造server.js
1.首先引入store
2.在执行promise的时候通过store的getState方法,获取到异步获取后的stete,就是preloadedState
3.将preloadedState 注入到全局的变量PRELOAD_STATE

  1. import createStoreInstance from './store';
  2. const store = createStoreInstance();
  3. Promise.all(promises).then(() => {
  4. const preloadedState = store.getState();
  5. const content = ReactDOMServer.renderToString(
  6. <Provider store={store}>
  7. <StaticRouter location={req.url}>
  8. <Routes />
  9. </StaticRouter>
  10. </Provider>
  11. )
  12. const html = `
  13. <html>
  14. <head></head>
  15. <body>
  16. <div id="root">${content}</div>
  17. <script>
  18. window.__PRELOAD_STATE__=${JSON.stringify(preloadedState)}
  19. </script>
  20. <script src="bundle_client.js"></script>
  21. </body>
  22. </html>
  23. `
  24. res.writeHead(200,{
  25. 'content-type': 'text/html;charset=utf8'
  26. })
  27. res.end(html)
  28. })

最后改造client.js
1.引入store
2.使用createStoreInstance方法,参数从全局中获取PRELOAD_STATE,这个时候ssr已经将PRELOAD_STATE的数据注入到了window中,这个时候在csr就可以直接获取数据,存放到store中,
然后将store传入provder

  1. import React from 'react';
  2. import ReactDOM from 'react-dom';
  3. import { BrowserRouter } from 'react-router-dom';
  4. import { Provider } from 'react-redux'
  5. import Routes from './routes';
  6. // import store from './store'
  7. import createStoreInstance from './store';
  8. const store = createStoreInstance(window?.__PRELOAD_STATE__);
  9. ReactDOM.hydrate(
  10. <Provider store={store}>
  11. <BrowserRouter>
  12. <Routes />
  13. </BrowserRouter>
  14. </Provider>,
  15. document.querySelector('#root')
  16. );

最后看下效果:
页面数据会很快,因为现在是ssr渲染的数据
image.png
image.png

ssr 渲染首页文章列表

nextjs 提供 getServerSideProps 来获取数据,返回到 props 中,然后在 react 组件中通过 props 获取数据进行渲染,达到 ssr 效果。

1.引入数据库和 tag,article 两张表

  1. import { prepareConnection } from 'db/index';
  2. import { Article, Tag } from 'db/entity';

2.链接数据库

  1. const db = await prepareConnection();

3.根据 关联的 user 和 tag 查询出 所有 文章

  1. const articles = await db.getRepository(Article).find({
  2. relations: ['user', 'tags'],
  3. });

4.根据 关联的 user 查询出 标签

  1. const tags = await db.getRepository(Tag).find({
  2. relations: ['users'],
  3. });

5.最后将 文章和标签通过 props 返回

  1. return {
  2. props: {
  3. articles: JSON.parse(JSON.stringify(articles)) || [],
  4. tags: JSON.parse(JSON.stringify(tags)) || [],
  5. },
  6. };

6.在 react 组件中 通过 props 获取 文章和标签

  1. const { articles = [], tags = [] } = props;

7.默认将 获取的 文章,存放到所有文章的 state 中

  1. const [showAricles, setShowAricles] = useState([...articles]);

8.然后渲染当前所有的文章

  1. <div className="content-layout">
  2. {showAricles?.map((article) => (
  3. <>
  4. <DynamicComponent article={article} />
  5. <Divider />
  6. </>
  7. ))}
  8. </div>

9.上面的文章列表通过 异步加载的方式加载

  1. const DynamicComponent = dynamic(() => import('components/ListItem'));

10.新建 components/ListItem/index.tsx components/ListItem/index.module.scss

通过 props 可以获取到 从 父组件传过来的 article 和 user 信息

拿到这两个信息后,将这两个字段里面的内容 渲染处理即可

需要注意的是,需要点击谋篇文章的时候,跳转到该文章的详情页面,所以需要使用 Link

另外一个需要注意的地方是,渲染文章的时候,文章是 markdown 格式

所以使用 markdown-to-txt 第三方包 来加载 markdown 格式的数据

所以代码是这样的

  1. import Link from 'next/link';
  2. import { formatDistanceToNow } from 'date-fns';
  3. import { IArticle } from 'pages/api/index';
  4. import { Avatar } from 'antd';
  5. import { EyeOutlined } from '@ant-design/icons';
  6. import { markdownToTxt } from 'markdown-to-txt';
  7. import styles from './index.module.scss';
  8. interface IProps {
  9. article: IArticle;
  10. }
  11. const ListItem = (props: IProps) => {
  12. const { article } = props;
  13. const { user } = article;
  14. return (
  15. // eslint-disable-next-line @next/next/link-passhref
  16. <Link href={`/article/${article.id}`}>
  17. <div className={styles.container}>
  18. <div className={styles.article}>
  19. <div className={styles.userInfo}>
  20. <span className={styles.name}>{user?.nickname}</span>
  21. <span className={styles.date}>
  22. {formatDistanceToNow(new Date(article?.update_time))}
  23. </span>
  24. </div>
  25. <h4 className={styles.title}>{article?.title}</h4>
  26. <p className={styles.content}>{markdownToTxt(article?.content)}</p>
  27. <div className={styles.statistics}>
  28. <EyeOutlined />
  29. <span className={styles.item}>{article?.views}</span>
  30. </div>
  31. </div>
  32. <Avatar src={user?.avatar} size={48} />
  33. </div>
  34. </Link>
  35. );
  36. };
  37. export default ListItem;

11.css 代码

  1. .container {
  2. margin: 0 atuo;
  3. background-color: #fff;
  4. display: flex;
  5. align-items: center;
  6. justify-content: space-between;
  7. padding: 10px;
  8. cursor: pointer;
  9. .article {
  10. width: 90%;
  11. .userInfo {
  12. margin-bottom: 10px;
  13. display: flex;
  14. align-items: center;
  15. span {
  16. padding: 0 10px;
  17. border-right: 1px solid #e5e6eb;
  18. }
  19. span:first-of-type {
  20. padding-left: 0;
  21. }
  22. span:last-of-type {
  23. border-right: 0;
  24. }
  25. .name {
  26. color: #4e5969;
  27. }
  28. .name:hover {
  29. text-decoration: underline;
  30. color: #1e80ff;
  31. }
  32. .date {
  33. color: #86909c;
  34. }
  35. }
  36. .title {
  37. font-size: 20px;
  38. overflow: hidden;
  39. text-overflow: ellipsis;
  40. white-space: nowrap;
  41. }
  42. .content {
  43. font-size: 16px;
  44. color: #86909c;
  45. overflow: hidden;
  46. text-overflow: ellipsis;
  47. white-space: nowrap;
  48. }
  49. .statistics {
  50. display: flex;
  51. align-items: center;
  52. .item {
  53. margin-left: 5px;
  54. }
  55. }
  56. }
  57. }

看下效果:

NextJS 介绍 - 图17

ssr 渲染文章详情页

这里需要使用 nextjs 中的动态路由

1.在 pages/article 新建 id.tsx,表示 文章详情页的入口文件

同时新建 pages/article/index.module.scss

2.通过 url 获取 文章的 id 字段

3.然后根据通过 ssr 获取文章详情数据

4.根据 id 去数据表中查询当前文章的详情

5.这里增加一个功能,就是浏览次数,当前查询的时候,浏览次数增加 1 次

整体代码如下:

  1. export async function getServerSideProps({ params }: any) {
  2. const articleId = params?.id;
  3. const db = await prepareConnection();
  4. const articleRepo = db.getRepository(Article);
  5. const article = await articleRepo.findOne({
  6. where: {
  7. id: articleId,
  8. },
  9. relations: ['user', 'comments', 'comments.user'],
  10. });
  11. if (article) {
  12. // 阅读次数 +1
  13. article.views = article?.views + 1;
  14. await articleRepo.save(article);
  15. }
  16. return {
  17. props: {
  18. article: JSON.parse(JSON.stringify(article)),
  19. },
  20. };
  21. }

通过以上 ssr 代码就拿到了 当前文章的数据

然后渲染这些基本信息

这里 markdown 的内容 使用 markdown-to-jsx 第三方库 来加载

  1. <div className="content-layout">
  2. <h2 className={styles.title}>{article?.title}</h2>
  3. <div className={styles.user}>
  4. <Avatar src={avatar} size={50} />
  5. <div className={styles.info}>
  6. <div className={styles.name}>{nickname}</div>
  7. <div className={styles.date}>
  8. <div>{format(new Date(article?.update_time), 'yyyy-MM-dd hh:mm:ss')}</div>
  9. <div>阅读 {article?.views}</div>
  10. </div>
  11. </div>
  12. </div>
  13. <MarkDown className={styles.markdown}>{article?.content}</MarkDown>
  14. </div>

接着增加 是否显示编辑的逻辑

通过 store 拿到 当前登录的用户信息

  1. const store = useStore();
  2. const loginUserInfo = store?.user?.userInfo;

当 用户登录的时候,显示编辑按钮

并且 点击 编辑 按钮 跳转到 文章 编辑页面

  1. {
  2. Number(loginUserInfo?.userId) === Number(id) && <Link href={`/editor/${article?.id}`}>编辑</Link>;
  3. }

编辑文章

文章渲染

因为 编辑文章是编辑不同的文章,所以这里需要 使用动态 路由

1.首先新建 pages/editor/id.tsx 和 index.module.scss

2.编辑文章 首先 需要 把 当前的文章详情 回显到页面上

这里通过 url 获取 当前 文章的 id,然后通过 ssr 渲染的方式进行渲染

3.根据 文章 id 和 关联的 用户表,链接 文章的 数据表,查询出来 属于 当前用户发布的这篇文章

最后将 查询出来的 文章详情返回

  1. export async function getServerSideProps({ params }: any) {
  2. const articleId = params?.id;
  3. const db = await prepareConnection();
  4. const articleRepo = db.getRepository(Article);
  5. const article = await articleRepo.findOne({
  6. where: {
  7. id: articleId,
  8. },
  9. relations: ['user'],
  10. });
  11. return {
  12. props: {
  13. article: JSON.parse(JSON.stringify(article)),
  14. },
  15. };
  16. }

在 react 客户端组件中,通过 props 获取 article 数据

1.将 文章标题,文章内容通过 state 来控制,初始值是 props 获取的数据

  1. const [title, setTitle] = useState(article?.title || '');
  2. const [content, setContent] = useState(article?.content || '');

2.通过 useRouter hooks 获取 文章 Id

  1. const { push, query } = useRouter();
  2. const articleId = Number(query?.id);

3.将获取的文章数据渲染出来

  1. return (
  2. <div className={styles.container}>
  3. <div className={styles.operation}>
  4. <Input
  5. className={styles.title}
  6. placeholder="请输入文章标题"
  7. value={title}
  8. onChange={handleTitleChange}
  9. />
  10. <Select
  11. className={styles.tag}
  12. mode="multiple"
  13. allowClear
  14. placeholder="请选择标签"
  15. onChange={handleSelectTag}
  16. >
  17. {allTags?.map((tag: any) => (
  18. <Select.Option key={tag?.id} value={tag?.id}>
  19. {tag?.title}
  20. </Select.Option>
  21. ))}
  22. </Select>
  23. <Button className={styles.button} type="primary" onClick={handlePublish}>
  24. 发布
  25. </Button>
  26. </div>
  27. <MDEditor value={content} height={1080} onChange={handleContentChange} />
  28. </div>
  29. );

4.修改标题,通过 state 控制

  1. const handleTitleChange = (event: ChangeEvent<HTMLInputElement>) => {
  2. setTitle(event?.target?.value);
  3. };

5.修改 文章内容的时候,也是通过 state 控制

  1. const handleContentChange = (content: any) => {
  2. setContent(content);
  3. };

6.这里 新增一个 获取所有标签的接口

首先 调用 标签接口,将标签数据存到 state 中

  1. useEffect(() => {
  2. request.get('/api/tag/get').then((res: any) => {
  3. if (res?.code === 0) {
  4. setAllTags(res?.data?.allTags || []);
  5. }
  6. });
  7. }, []);

接下来编写下 获取标签的接口

新建 pages/api/tag/get.ts

1.首先通过 session 获取当前用户信息

  1. const session: ISession = req.session;
  2. const { userId = 0 } = session;

2.链接 标签的数据表

  1. const db = await prepareConnection();
  2. const tagRepo = db.getRepository(Tag);

3.根据当前关联的用户表,查询出来所有标签

  1. const allTags = await tagRepo.find({
  2. relations: ['users'],
  3. });

4.根据用户 id 查询出来 当前用户关注的标签

  1. const followTags = await tagRepo.find({
  2. relations: ['users'],
  3. where: (qb: any) => {
  4. qb.where('user_id = :id', {
  5. id: Number(userId),
  6. });
  7. },
  8. });

5.最后将所有的标签 和 当前用户 关注的 标签 返回

  1. res?.status(200)?.json({
  2. code: 0,
  3. msg: '',
  4. data: {
  5. followTags,
  6. allTags,
  7. },
  8. });

6.在客户端 拿到 所有标签数据后渲染出来

  1. <Select
  2. className={styles.tag}
  3. mode="multiple"
  4. allowClear
  5. placeholder="请选择标签"
  6. onChange={handleSelectTag}
  7. >
  8. {allTags?.map((tag: any) => (
  9. <Select.Option key={tag?.id} value={tag?.id}>
  10. {tag?.title}
  11. </Select.Option>
  12. ))}
  13. </Select>

更新文章

1、当点击更新的时候,首先判断一下 是否 输入了标题,如果没有输入标题,则提示用户输入标题

  1. if (!title) {
  2. message.warning('请输入文章标题');
  3. return;
  4. }

2、然后传参数调用更新文章的接口

3、传的参数包括 文章 id、标题、内容、标签

4、当调用更新文章接口成功的时候提示更新文章成功并跳到当前文章

5、如果失败,则提示发布失败

  1. request
  2. .post('/api/article/update', {
  3. id: articleId,
  4. title,
  5. content,
  6. tagIds,
  7. })
  8. .then((res: any) => {
  9. if (res?.code === 0) {
  10. articleId ? push(`/article/${articleId}`) : push('/');
  11. message.success('更新成功');
  12. } else {
  13. message.error(res?.msg || '发布失败');
  14. }
  15. });

6、接着编写 更新文章的接口,新建 pages/api/article/update.ts

7、通过 body 获取 前端传过来的数据

  1. const { title = '', content = '', id = 0, tagIds = [] } = req.body;

8、链接文章和标签的数据库

  1. const articleRepo = db.getRepository(Article);
  2. const tagRepo = db.getRepository(Tag);

9、根据文章的 id,关联用户表和标签表,查询出来当前文章

  1. const article = await articleRepo.findOne({
  2. where: {
  3. id,
  4. },
  5. relations: ['user', 'tags'],
  6. });

10、判断查询出来的 article 是否存在,如果不存在,则提示文章不存在

  1. res.status(200).json({ ...EXCEPTION_ARTICLE.NOT_FOUND });

11、如果存在,则将传过来的文章数据 覆盖之前的数据,如果保存成功,则提示成功,否则提示失败

  1. if (article) {
  2. article.title = title;
  3. article.content = content;
  4. article.update_time = new Date();
  5. article.tags = newTags;
  6. const resArticle = await articleRepo.save(article);
  7. if (resArticle) {
  8. res.status(200).json({ data: resArticle, code: 0, msg: '更新成功' });
  9. } else {
  10. res.status(200).json({ ...EXCEPTION_ARTICLE.UPDATE_FAILED });
  11. }
  12. }

12、这里需要根据传过来的标签 id,查询出来所有标签,然后将标签数量加 1

  1. const tags = await tagRepo.find({
  2. where: tagIds?.map((tagId: number) => ({ id: tagId })),
  3. });
  4. const newTags = tags?.map((tag) => {
  5. tag.article_count = tag.article_count + 1;
  6. return tag;
  7. });

13、最后记得将 需要的 第三方库引入进来

  1. import { NextApiRequest, NextApiResponse } from 'next';
  2. import { withIronSessionApiRoute } from 'iron-session/next';
  3. import { ironOptions } from 'config/index';
  4. import { prepareConnection } from 'db/index';
  5. import { Article, Tag } from 'db/entity/index';
  6. import { EXCEPTION_ARTICLE } from 'pages/api/config/codes';

这样就完成了编辑文章的前后端开发。

发布评论

评论渲染

1.首先 先编写 发布评论 和评论列表的页面,只有登录的用户才能发布评论,所以这里有个判断,判断只有获取到用户的信息,才显示 发布评论的 按钮

  1. const store = useStore();
  2. const loginUserInfo = store?.user?.userInfo;
  3. {
  4. loginUserInfo?.userId && (
  5. <div className={styles.enter}>
  6. <Avatar src={avatar} size={40} />
  7. <div className={styles.content}>
  8. <Input.TextArea
  9. placeholder="请输入评论"
  10. rows={4}
  11. value={inputVal}
  12. onChange={(event) => setInputVal(event?.target?.value)}
  13. />
  14. <Button type="primary" onClick={handleComment}>
  15. 发表评论
  16. </Button>
  17. </div>
  18. </div>
  19. );
  20. }

2.然后 获取 所有的 评论 列表,渲染到页面上

  1. <div className={styles.display}>
  2. {comments?.map((comment: any) => (
  3. <div className={styles.wrapper} key={comment?.id}>
  4. <Avatar src={comment?.user?.avatar} size={40} />
  5. <div className={styles.info}>
  6. <div className={styles.name}>
  7. <div>{comment?.user?.nickname}</div>
  8. <div className={styles.date}>
  9. {format(new Date(comment?.update_time), 'yyyy-MM-dd hh:mm:ss')}
  10. </div>
  11. </div>
  12. <div className={styles.content}>{comment?.content}</div>
  13. </div>
  14. </div>
  15. ))}
  16. </div>

评论发布接口

这里 有 两个逻辑接口,一个是 发布评论的接口,一个是 获取所有评论数据的接口

首先 编写 发布评论的接口

1.首先获取 参数,一个参数是文章的 id,一个是评论的内容

2.将这两个参数 传给 发布评论的接口

  1. post('/api/comment/publish', {
  2. articleId: article?.id,
  3. content: inputVal,
  4. });

3.接下来 看下 发布评论的接口

4.新建 pages/api/comment/publish.ts

5.引入 数据库 和 session 的配置

  1. import { NextApiRequest, NextApiResponse } from 'next';
  2. import { withIronSessionApiRoute } from 'iron-session/next';
  3. import { ironOptions } from 'config/index';
  4. import { ISession } from 'pages/api/index';
  5. import { prepareConnection } from 'db/index';
  6. import { User, Article, Comment } from 'db/entity/index';
  7. import { EXCEPTION_COMMENT } from 'pages/api/config/codes';

6.通过 传过来的参数 获取 文章 id 和 评论的内容

  1. const { articleId = 0, content = '' } = req.body;

7.链接 评论接口的 数据库

  1. const db = await prepareConnection();
  2. const commentRepo = db.getRepository(Comment);
  3. const comment = new Comment();

8.实例化 Comment 类,根据 session 信息,从 users 表中查询 当前用户,根据文章 id,查询文章信息,将这些信息全部添加到 comment 实例中,保存到 comment 表中

  1. const comment = new Comment();
  2. comment.content = content;
  3. comment.create_time = new Date();
  4. comment.update_time = new Date();
  5. const user = await db.getRepository(User).findOne({
  6. id: session?.userId,
  7. });
  8. const article = await db.getRepository(Article).findOne({
  9. id: articleId,
  10. });
  11. if (user) {
  12. comment.user = user;
  13. }
  14. if (article) {
  15. comment.article = article;
  16. }
  17. const resComment = await commentRepo.save(comment);

9.如果保存成功,则提示发布成功,否则提示发布失败

  1. if (resComment) {
  2. res.status(200).json({
  3. code: 0,
  4. msg: '发表成功',
  5. data: resComment,
  6. });
  7. } else {
  8. res.status(200).json({
  9. ...EXCEPTION_COMMENT.PUBLISH_FAILED,
  10. });
  11. }

10.当调用发布接口成功的时候,提示发布成功,并且将新发布的评论 添加到 评论列表中,显示在评论中。同时把评论框的内容清空。注意这个将 新发布的评论 添加到 评论列表的时候,使用 react 的不可变原则,使用 concat 方法。

  1. request
  2. .post('/api/comment/publish', {
  3. articleId: article?.id,
  4. content: inputVal,
  5. })
  6. .then((res: any) => {
  7. if (res?.code === 0) {
  8. message.success('发表成功');
  9. const newComments = [
  10. {
  11. id: Math.random(),
  12. create_time: new Date(),
  13. update_time: new Date(),
  14. content: inputVal,
  15. user: {
  16. avatar: loginUserInfo?.avatar,
  17. nickname: loginUserInfo?.nickname,
  18. },
  19. },
  20. ].concat([...(comments as any)]);
  21. setComments(newComments);
  22. setInputVal('');
  23. } else {
  24. message.error('发表失败');
  25. }
  26. });

11.最后拿到最新的 评论列表,将评论列表 遍历 渲染到页面上

  1. <div className={styles.display}>
  2. {comments?.map((comment: any) => (
  3. <div className={styles.wrapper} key={comment?.id}>
  4. <Avatar src={comment?.user?.avatar} size={40} />
  5. <div className={styles.info}>
  6. <div className={styles.name}>
  7. <div>{comment?.user?.nickname}</div>
  8. <div className={styles.date}>
  9. {format(new Date(comment?.update_time), 'yyyy-MM-dd hh:mm:ss')}
  10. </div>
  11. </div>
  12. <div className={styles.content}>{comment?.content}</div>
  13. </div>
  14. </div>
  15. ))}
  16. </div>

标签管理

首先 新建 pages/tag/index.tsx 和 pages/tag/index.module.scss 分别 存放 标签的 页面和样式

这个页面 我们采用 csr 的方式来渲染页面,看看和 ssr 渲染页面的方式有何不同

在这个页面 我们设计成 全部标签 和关注的标签,页面效果如下:

NextJS 介绍 - 图18

首先 我们 先 编写接口, 来获取 全部标签和已关注的标签

新建 pages/api/tag/get.ts

1.首先 引入 数据库等的配置

  1. import { NextApiRequest, NextApiResponse } from 'next';
  2. import { withIronSessionApiRoute } from 'iron-session/next';
  3. import { ironOptions } from 'config/index';
  4. import { ISession } from 'pages/api/index';
  5. import { prepareConnection } from 'db/index';
  6. import { Tag } from 'db/entity/index';

2.通过 session 获取 当前用户的 id,因为我们需要根据用户 id 获取该用户的标签数据

  1. const { userId = 0 } = session;

3.链接 标签 数据库的 配置

  1. const db = await prepareConnection();
  2. const tagRepo = db.getRepository(Tag);

4.首先 获取 全部标签的数据,这个我们只需要 根据 关联 的用户表去 标签的 数据表 查询即可

  1. const allTags = await tagRepo.find({
  2. relations: ['users'],
  3. });

5.接下来 获取 关注的标签,关注的标签逻辑是,根据当前用户的 id 去查询标签数据,这样获取的数据就是该用户关注的标签数据

  1. const followTags = await tagRepo.find({
  2. relations: ['users'],
  3. where: (qb: any) => {
  4. qb.where('user_id = :id', {
  5. id: Number(userId),
  6. });
  7. },
  8. });

6.最后将 获取的 所有标签数据 和 关注的标签数据 返回

  1. res?.status(200)?.json({
  2. code: 0,
  3. msg: '',
  4. data: {
  5. followTags,
  6. allTags,
  7. },
  8. });

7.接下来 我们在客户端 使用 csr 的方式 来获取 全部标签和已关注的标签数据。同 followTags 和 allTags 来分别存储全部标签数据和已关注的标签数据

  1. const [followTags, setFollowTags] = useState<ITag[]>();
  2. const [allTags, setAllTags] = useState<ITag[]>();
  3. useEffect(() => {
  4. request('/api/tag/get').then((res: any) => {
  5. if (res?.code === 0) {
  6. const { followTags = [], allTags = [] } = res?.data || {};
  7. setFollowTags(followTags);
  8. setAllTags(allTags);
  9. }
  10. });
  11. }, [needRefresh]);

8.接下来 来渲染 全部标签的数据,这里有个逻辑,就是 显示 关注 还是已关注。当 当前用户 id 能够在 接口返回的 users 中返回的 id 中能够找打,则表明 当前用户 已关注了 这个标签,则页面上显示 已关注,否则显示关注。当显示已关注的时候,按钮事件则是 取消关注的逻辑,否则则是 关注的逻辑。

  1. <TabPane tab="全部标签" key="all" className={styles.tags}>
  2. {allTags?.map((tag) => (
  3. <div key={tag?.title} className={styles.tagWrapper}>
  4. <div>{(ANTD_ICONS as any)[tag?.icon]?.render()}</div>
  5. <div className={styles.title}>{tag?.title}</div>
  6. <div>
  7. {tag?.follow_count} 关注 {tag?.article_count} 文章
  8. </div>
  9. {tag?.users?.find((user) => Number(user?.id) === Number(userId)) ? (
  10. <Button type="primary" onClick={() => handleUnFollow(tag?.id)}>
  11. 已关注
  12. </Button>
  13. ) : (
  14. <Button onClick={() => handleFollow(tag?.id)}>关注</Button>
  15. )}
  16. </div>
  17. ))}
  18. </TabPane>

9.首先 编写 关注 标签的逻辑,新建 pages/api/tag/follow.ts

10.首先引入数据库配置

  1. import { NextApiRequest, NextApiResponse } from 'next';
  2. import { withIronSessionApiRoute } from 'iron-session/next';
  3. import { ironOptions } from 'config/index';
  4. import { ISession } from 'pages/api/index';
  5. import { prepareConnection } from 'db/index';
  6. import { Tag, User } from 'db/entity/index';
  7. import { EXCEPTION_USER, EXCEPTION_TAG } from 'pages/api/config/codes';
  8. export default withIronSessionApiRoute(follow, ironOptions);

11.从 session 获取用户的 id

  1. const session: ISession = req.session;
  2. const { userId = 0 } = session;

12.从 body 中获取 前端传过来的参数,一共两个参数,一个 type,值分别是 follow 和 unfollow,表示是取消关注还是关注,另外一个参数数标签的 id

  1. const { tagId, type } = req?.body || {};

13.链接 标签和用户的数据库

  1. const db = await prepareConnection();
  2. const tagRepo = db.getRepository(Tag);
  3. const userRepo = db.getRepository(User);

14.根据用户 id 去用户表中查询该用户信息,如果没找到,则提示当前用户不存在

  1. const user = await userRepo.findOne({
  2. where: {
  3. id: userId,
  4. },
  5. });
  6. if (!user) {
  7. res?.status(200).json({
  8. ...EXCEPTION_USER?.NOT_LOGIN,
  9. });
  10. return;
  11. }

15.根据标签 id 从标签的数据表中查询所有标签

  1. const tag = await tagRepo.findOne({
  2. relations: ['users'],
  3. where: {
  4. id: tagId,
  5. },
  6. });

16.如果从标签表中查询出有用户,如果类型是 follow,则表示是关注操作,则将当前用户添加到 关注该标签的用户数据中,并且将关注该标签的数据增加 1,如果类型是 unfollow,则表示取消关注操作,则将当前用户从 关注该标签的用户数据中剔除,并且将关注该标签的数据减 1.

  1. if (tag?.users) {
  2. if (type === 'follow') {
  3. tag.users = tag?.users?.concat([user]);
  4. tag.follow_count = tag?.follow_count + 1;
  5. } else if (type === 'unfollow') {
  6. tag.users = tag?.users?.filter((user) => user.id !== userId);
  7. tag.follow_count = tag?.follow_count - 1;
  8. }
  9. }

17.最后将 标签的数据存入 标签的数据表中,如果成功,则返回 200,否则提示失败

  1. if (tag) {
  2. const resTag = await tagRepo?.save(tag);
  3. res?.status(200)?.json({
  4. code: 0,
  5. msg: '',
  6. data: resTag,
  7. });
  8. } else {
  9. res?.status(200)?.json({
  10. ...EXCEPTION_TAG?.FOLLOW_FAILED,
  11. });
  12. }

18.在前端点击关注的时候,传入两个参数,一个参数是 type,值为 follw,另外一个参数是标签 id,如果接口成功,在前端提示关注成功,并且重新调标签的数据,刷新页面

  1. request
  2. .post('/api/tag/follow', {
  3. type: 'follow',
  4. tagId,
  5. })
  6. .then((res: any) => {
  7. if (res?.code === 0) {
  8. message.success('关注成功');
  9. setNeedRefresh(!needRefresh);
  10. } else {
  11. message.error(res?.msg || '关注失败');
  12. }
  13. });

19.取消关注,则是将 type 参数的值改成 unfollow。

这样完成了标签管理功能。

个人中心页面

首先看下页面的效果

接下来 就按照 这个设计 来编写代码

NextJS 介绍 - 图19

个人中心页面,我们使用 ssr 的方式来渲染

1.首先引入数据库等的配置

  1. /* eslint-disable @next/next/link-passhref */
  2. import React from 'react';
  3. import Link from 'next/link';
  4. import { observer } from 'mobx-react-lite';
  5. import { Button, Avatar, Divider } from 'antd';
  6. import { CodeOutlined, FireOutlined, FundViewOutlined } from '@ant-design/icons';
  7. import ListItem from 'components/ListItem';
  8. import { prepareConnection } from 'db/index';
  9. import { User, Article } from 'db/entity';

2.通过 ssr 的方式获取用户信息和文章相关的数据

3.根据 url 获取当前用户的 id

  1. const userId = params?.id;

4.根据当前用户的 id 查询 从用户表中查询当前用户的信息

  1. const user = await db.getRepository(User).findOne({
  2. where: {
  3. id: Number(userId),
  4. },
  5. });

5.根据用户 id 以及关联的用户表和标签表查询相关联的文章

  1. const articles = await db.getRepository(Article).find({
  2. where: {
  3. user: {
  4. id: Number(userId),
  5. },
  6. },
  7. relations: ['user', 'tags'],
  8. });

6.最后将上面两个数据返回

  1. return {
  2. props: {
  3. userInfo: JSON.parse(JSON.stringify(user)),
  4. articles: JSON.parse(JSON.stringify(articles)),
  5. },
  6. };

7.在前端 通过 props 拿到 数据

  1. const { userInfo = {}, articles = [] } = props;

8.获取 全部文章的 总浏览数

  1. const viewsCount = articles?.reduce((prev: any, next: any) => prev + next?.views, 0);

9.最后将 所有的数据渲染出来

  1. <div className={styles.userDetail}>
  2. <div className={styles.left}>
  3. <div className={styles.userInfo}>
  4. <Avatar className={styles.avatar} src={userInfo?.avatar} size={90} />
  5. <div>
  6. <div className={styles.nickname}>{userInfo?.nickname}</div>
  7. <div className={styles.desc}>
  8. <CodeOutlined /> {userInfo?.job}
  9. </div>
  10. <div className={styles.desc}>
  11. <FireOutlined /> {userInfo?.introduce}
  12. </div>
  13. </div>
  14. <Link href="/user/profile">
  15. <Button>编辑个人资料</Button>
  16. </Link>
  17. </div>
  18. <Divider />
  19. <div className={styles.article}>
  20. {articles?.map((article: any) => (
  21. <div key={article?.id}>
  22. <ListItem article={article} />
  23. <Divider />
  24. </div>
  25. ))}
  26. </div>
  27. </div>
  28. <div className={styles.right}>
  29. <div className={styles.achievement}>
  30. <div className={styles.header}>个人成就</div>
  31. <div className={styles.number}>
  32. <div className={styles.wrapper}>
  33. <FundViewOutlined />
  34. <span>共创作 {articles?.length} 篇文章</span>
  35. </div>
  36. <div className={styles.wrapper}>
  37. <FundViewOutlined />
  38. <span>文章被阅读 {viewsCount} 次</span>
  39. </div>
  40. </div>
  41. </div>
  42. </div>
  43. </div>

10.这里有个地方是 编辑 个人资料的 入口,点击 跳转到 编辑个人资料的页面

  1. <Link href="/user/profile">
  2. <Button>编辑个人资料</Button>
  3. </Link>

首先看下 编辑个人资料的页面

NextJS 介绍 - 图20

这里的逻辑就是 首先 从接口 获取当前用户的信息,然后修改个人信息,最后 保存修改。

1.首先通过接口获取用户信息

  1. useEffect(() => {
  2. request.get('/api/user/detail').then((res: any) => {
  3. if (res?.code === 0) {
  4. console.log(333333);
  5. console.log(res?.data?.userInfo);
  6. form.setFieldsValue(res?.data?.userInfo);
  7. }
  8. });
  9. }, [form]);

2.接着将用户信息渲染到表单中

  1. return (
  2. <div className="content-layout">
  3. <div className={styles.userProfile}>
  4. <h2>个人资料</h2>
  5. <div>
  6. <Form {...layout} form={form} className={styles.form} onFinish={handleSubmit}>
  7. <Form.Item label="用户名" name="nickname">
  8. <Input placeholder="请输入用户名" />
  9. </Form.Item>
  10. <Form.Item label="职位" name="job">
  11. <Input placeholder="请输入职位" />
  12. </Form.Item>
  13. <Form.Item label="个人介绍" name="introduce">
  14. <Input placeholder="请输入个人介绍" />
  15. </Form.Item>
  16. <Form.Item {...tailLayout}>
  17. <Button type="primary" htmlType="submit">
  18. 保存修改
  19. </Button>
  20. </Form.Item>
  21. </Form>
  22. </div>
  23. </div>
  24. </div>
  25. );

3.最后调用保存修改的接口 将 修改后的数据 更新到 数据表中

  1. const handleSubmit = (values: any) => {
  2. console.log(99999);
  3. console.log(values);
  4. request.post('/api/user/update', { ...values }).then((res: any) => {
  5. if (res?.code === 0) {
  6. message.success('修改成功');
  7. } else {
  8. message.error(res?.msg || '修改失败');
  9. }
  10. });
  11. };

部署

最后我们使用 vercel 进行部署,体验地址:博客系统

总结

通过这篇文章,我们实操了全栈博客系统开发。

我们应用了前后端技术栈:

· Next.js+React

· Typescript

· Antd

· Node

· MySQL

提高了全栈开发能力:

· 掌握数据表设计基本思想

· 掌握 Next.js 框架的使用

理解并应用 SSR 同构原理:

· 前端注水及页面接管

· 服务端渲染及数据预取

希望这篇文章能够带你进入全栈开发。

我正在参与 2024 腾讯技术创作特训营第五期有奖征文,快来和我瓜分大奖!