react 高效高質量搭建後臺系統 系列 —— 結尾

2023-02-21 06:00:45

其他章節請看:

react 高效高質量搭建後臺系統 系列

尾篇

本篇主要介紹表單查詢表單驗證通知(WebSocket)、自動構建。最後附上 myspug 專案原始碼。

專案最終效果:

表單查詢

需求:給角色管理頁面增加表格查詢功能,通過輸入角色名稱,點選查詢,從後端檢索出相應的資料。

效果如下:

spug 中的實現

spug 中的這類查詢都是在前端過濾出相應的資料(沒有查詢按鈕),因為 spug 中大多數的 table 都是一次性將資料從後端拿回來。

spug 中角色管理搜尋相關程式碼如下:

  • 隨著 input 中輸入要搜尋的角色名稱更改 store 中的 f_name 欄位:
<SearchForm>
  <SearchForm.Item span={8} title="角色名稱">
    <Input allowClear value={store.f_name} onChange={e => store.f_name = e.target.value} placeholder="請輸入"/>
  </SearchForm.Item>
</SearchForm>

:select 中的值不同於 input(e.target.value),直接就是第一個引數,所以得這麼寫:onChange={v => store.f_xx = v}

  • 表格的資料來源會動態過濾:
@computed get dataSource() {
  // 從 this.records 中過濾出資料
  let records = this.records;
  if (this.f_name) records = records.filter(x => x.name.toLowerCase().includes(this.f_name.toLowerCase()));
  return records
}

實現

相對 spug 的查詢,現在思路得變一下:通過點選搜尋按鈕,重新請求資料,附帶查詢關鍵字給後端。

核心邏輯如下:

// myspug\src\pages\system\role\index.js

import ComTable from './Table';
import { AuthDiv, SearchForm, } from '@/components';
import store from './store';

export default function () {
  return (
    <AuthDiv auth="system.role.view">
      <SearchForm>
        <SearchForm.Item span={6} title="角色名稱">
          <Input allowClear value={store.f_name} onChange={e => store.f_name = e.target.value} placeholder="請輸入" />
        </SearchForm.Item>
        <SearchForm.Item span={6}>
          <Button type="primary" onClick={() => {
            // 重置為第一頁
            store.setCurrent(1)
            store.fetchRecords();
          }}>查詢</Button>
        </SearchForm.Item>
      </SearchForm>
      <ComTable />
    </AuthDiv>
  )
}

Store 中就是在請求表格時將過濾引數帶上:

 class Store {
+  @observable f_name;

   @observable records = [];

   _getTableParams = () => ({current: this.current, ...this.tableOptions})

+  @action setCurrent(val){
+    this.current = val
+  }

   fetchRecords = () => {
     const realParams = this._getTableParams()
+    // 過濾引數
+    if(this.f_name){
+      realParams.role_name = this.f_name
+    }
+    console.log('realParams', realParams)
     this.isFetching = true;
     http.get('/api/account/role/', {params: realParams})
       .then(res => {

Tip:剩餘部分就沒什麼了,比如樣式直接複製 spug 中(筆者直接拷過來頁面有點問題,稍微註釋了一段 css 即可);SearchForm 就是對錶單簡單封裝,統一 spug 中表單的寫法:

// myspug\src\components\SearchForm.js
import React from 'react';
import { Row, Col, Form } from 'antd';
import styles from './index.module.less';

export default class extends React.Component {
  static Item(props) {
    return (
      <Col span={props.span} offset={props.offset} style={props.style}>
        <Form.Item label={props.title}>
          {props.children}
        </Form.Item>
      </Col>
    )
  }

  render() {
    return (
      <div className={styles.searchForm} style={this.props.style}>
        <Form style={this.props.style}>
          <Row gutter={{md: 8, lg: 24, xl: 48}}>
            {this.props.children}
          </Row>
        </Form>
      </div>
    )
  }
}

效果

實現效果如下:

輸入關鍵字name,點選查詢按鈕,重新請求表格資料(從第一頁開始)

表單驗證

spug 中的表單驗證

關於表單驗證,spug 中前端寫的很少。請看以下一個典型範例:

新建角色時,為空等校驗都是後端做的。

雖然後端一定要做校驗,但前端最好也做一套。

實現

筆者表單的驗證思路是:

  • 必填項都有值(還可以包括其他邏輯),提交按鈕才可點,否則置灰
  • 點選提交後,前端根據需求做進一步驗證,例如名字不能有空格

以下是新增和編輯時的效果(重點關注確定按鈕):

  • 當必填項都有值時確定按鈕可點,否則置灰
  • 必填項都有值時,點選確定按鈕做進一步校驗(例如名字不能有空格)
  • 編輯時如果都有值,則確定按鈕可點選

表單

先實現表單,效果如下:

核心程式碼如下:

  • 首先定義表單模組:
// myspug\src\pages\system\role\Form.js
import http from '@/libs/http';
import store from './store';

export default observer(function () {
    // 檔案中未找到這種解構使用方法
    const [form] = Form.useForm();
    // useState 函陣列件中使用 state
    // loading 預設是 flase
    const [loading, setLoading] = useState(false);

    function handleSubmit() {
        setLoading(true);
        // 取得表單欄位的值
        const formData = form.getFieldsValue();
        // 新建時 id 為 undefined
        formData['id'] = store.record.id;
        http.post('/api/account/role/', formData)
            .then(res => {
                message.success('操作成功');
                store.formVisible = false;
                store.fetchRecords()
            }, () => setLoading(false))
    }

    return (
        // Modal 對話方塊
        <Modal
            visible
            maskClosable={false}
            title={store.record.id ? '編輯角色' : '新建角色'}
            onCancel={() => store.formVisible = false}
            confirmLoading={loading}
            onOk={handleSubmit}>
            <Form form={form} initialValues={store.record} labelCol={{ span: 6 }} wrapperCol={{ span: 14 }}>
                <Form.Item required name="name" label="角色名稱">
                    <Input placeholder="請輸入角色名稱" />
                </Form.Item>
                <Form.Item name="desc" label="備註資訊">
                    <Input.TextArea placeholder="請輸入角色備註資訊" />
                </Form.Item>
            </Form>
        </Modal>
    )
})
  • 然後在入口頁中根據 store 中的 formVisible 控制顯隱藏表單元件
// myspug\src\pages\system\role\index.js
export default observer(function () {
   return (
     <AuthDiv auth="system.role.view">
       <SearchForm>
         </SearchForm.Item>
       </SearchForm>
       <ComTable />
+      {/* formVisible 控制表單顯示 */}
+      {store.formVisible && <ComForm />}
     </AuthDiv>
   )
})
  • 點選新建是呼叫 store.showForm() 讓表單顯示出來
 // myspug\src\pages\system\role\store.js

 class Store {
+  @observable formVisible = false;
+  @observable record = {};


+  // 顯示新增彈框
+  // info 或許是為了編輯
+  showForm = (info = {}) => {
+    this.formVisible = true;
+    this.record = info
+  };
表單校驗

在表單基礎上實現校驗。

主要在 Form.js 中修改,思路如下:

  • 首先利用 okButtonProps 控制確定按鈕是否可點
  • 然後通過 shouldUpdate={emptyValid} 自定義欄位更新邏輯
  • 可提交後,在做進一步判斷,例如名字不能為空
 // myspug\src\pages\system\role\Form.js
-import React, { useState } from 'react';
+import React, { useEffect, useState } from 'react';
 import { observer } from 'mobx-react';
 import { Modal, Form, Input, message } from 'antd';
 import http from '@/libs/http';
     // useState 函陣列件中使用 state
     // loading 預設是 flase
     const [loading, setLoading] = useState(false);
+    const [canSubmit, setCanSubmit] = useState(false);
     function handleSubmit() {
         // 取得表單欄位的值
         const formData = form.getFieldsValue();
+
+        if(formData.name && (/\s+/g).test(formData.name)){
+            message.error('名字不允許有空格')
+            return
+        }
+        if(formData.tel && (/\s+/g).test(formData.tel)){
+            message.error('電話不允許有空格')
+            return
+        }

         // 新建時 id 為 undefined
         formData['id'] = store.record.id;
         http.post('/api/account/role/', formData).then(...)
         
     }

+    function emptyValid() {
+        const formData = form.getFieldsValue();
+        const { name, tel } = formData;
+        const isNotEmpty = !!(name && tel);
+        setCanSubmit(isNotEmpty)
+    }

+    useEffect(() => {
+        // 主動觸發,否則編輯時即使都有資料,`確定`按鈕扔不可點
+        emptyValid()
+    }, [])
+
     return (
         // Modal 對話方塊
         <Modal
             title={store.record.id ? '編輯角色' : '新建角色'}
             onCancel={() => store.formVisible = false}
             confirmLoading={loading}
+            // ok 按鈕 props
+            okButtonProps={{disabled: !canSubmit}}
             onOk={handleSubmit}>
             <Form form={form} initialValues={store.record} labelCol={{ span: 6 }} wrapperCol={{ span: 14 }}>
-                <Form.Item required name="name" label="角色名稱">
+                <Form.Item required shouldUpdate={emptyValid} name="name" label="角色名稱">
                     <Input placeholder="請輸入角色名稱" />
                 </Form.Item>
+                {/* shouldUpdate - 自定義欄位更新邏輯 */}
+                {/* 注:需要兩個欄位都增加 shouldUpdate。如果只有一個,修改該項則不會觸發 emptyValid,你可以將 `shouldUpdate={emptyValid}` 放在非必填項中。*/}
+                <Form.Item required shouldUpdate={emptyValid} name="tel" label="手機號">
+                    <Input placeholder="請輸入手機號" />
+                </Form.Item>
                 <Form.Item name="desc" label="備註資訊">
                     <Input.TextArea placeholder="請輸入角色備註資訊" />
                 </Form.Item>

:有兩點需要注意

  • 需要兩個欄位都增加 shouldUpdate。如果只有一個,修改該項則不會觸發 emptyValid()
  • 元件載入後主動觸發 emptyValid(),否則編輯時即使都有資料,確定按鈕扔不可點

效果

以下演示了新建和編輯時的效果:

  • 當必填項都有值時確定按鈕可點,否則置灰
  • 必填項都有值時,點選確定按鈕做進一步校驗(例如名字不能有空格)
  • 編輯時如果都有值,則確定按鈕可點選

WebSocket

通知

後端系統通常會有通知功能,用輪詢的方式去和後端要資料不是很好,通常是後端有資料後再告訴前端。

spug 中的通知使用的是 webSocket

TipWebSockets 是一種先進的技術。它可以在使用者的瀏覽器和伺服器之間開啟互動式通訊對談。使用此 API,您可以向伺服器傳送訊息並接收事件驅動的響應,而無需通過輪詢伺服器的方式以獲得響應。

以下是 spug 中通知模組的程式碼片段:

  // spug\src\layout\Notification.js
  function fetch() {
    setLoading(true);
    http.get('/api/notify/')
      .then(res => {
        setReads(res.filter(x => !x.unread).map(x => x.id))
        setNotifies(res);
      })
      .finally(() => setLoading(false))
  }

  function listen() {
    if (!X_TOKEN) return;
    const protocol = window.location.protocol === 'https:' ? 'wss:' : 'ws:';
    // Create WebSocket connection.
    ws = new WebSocket(`${protocol}//${window.location.host}/api/ws/notify/?x-token=${X_TOKEN}`);
    // onopen - 用於指定連線成功後的回撥函數。
    // Connection opened
    ws.onopen = () => ws.send('ok');
    // onmessage - 用於指定當從伺服器接受到資訊時的回撥函數。
    // Listen for messages
    ws.onmessage = e => {
      if (e.data !== 'pong') {
        fetch();
        const {title, content} = JSON.parse(e.data);
        const key = `open${Date.now()}`;
        const description = <div style={{whiteSpace: 'pre-wrap'}}>{content}</div>;
        const btn = <Button type="primary" size="small" onClick={() => notification.close(key)}>知道了</Button>;
        notification.warning({message: title, description, btn, key, top: 64, duration: null})
      }
    }
  }

通過 WebSocket 建立 webSocket 連線,然後通過 onmessage 監聽伺服器端的訊息。這裡好像是後端告訴前端有新訊息,前端在通過另一個介面發起 http 請求。

伺服器端

筆者接下來用 node + ws 實現 WebSocket 伺服器端。

效果如下(每3秒使用者端和伺服器都會向對方傳送一個訊息):

對應的請求欄位:

實現如下:

  • 新建專案,安裝依賴
$ mkdir websocket-test
$ cd websocket-test
// 初始化專案,生產 package.json
$ npm init -y
// 安裝依賴
$ npm i ws express
  • 新建伺服器 server.js
const express = require('express')
const app = express()
app.get('/', function (req, res) {
    res.sendfile(__dirname + '/index.html');
});
app.listen(3020);

const WebSocketServer = require('ws');
const wss = new WebSocketServer.Server({ port: 8080 });
wss.on('connection', function connection(ws) {

    // 監聽來自使用者端的訊息
    ws.on('message', function incoming(message) {
        console.log('' + message);
    });

    setInterval(() => {
        ws.send('使用者端你好');
    }, 3000)
});
  • 使用者端程式碼 index.html:
<body>
    <script>
        var ws = new WebSocket('ws://localhost:8080');
        ws.onopen = function () {
              ws.send('ok');
        };
        ws.onmessage = function (e) {
            console.log(e.data)
        };

        setInterval(() => {
            ws.send('伺服器你好');
        }, 3000)
    </script>
</body>
  • 最後啟動服務 node server.js,瀏覽器存取 http://localhost:3020/

擴充套件

麵包屑

spug 中的麵包屑(導航)僅對 antd 麵包屑稍作封裝,不支援點選。

要實現點選跳轉的難點是要有對應的路由,而 spug 這裡對應的是 404,所以它乾脆就不支援跳轉

自動構建

筆者程式碼提交到 gitlab,使用其中的 CICD 模組可用於構建流水線。以下是 wayland(匯入 wayland 官網到內網時發現的,開源精神極高,考慮到網友有這個需求。) 的一個構建截圖:

這裡不過多展開介紹 gitlab cicd 流水線。總之通過觸發流水線,gitlab 就會執行專案下的一個 .yml 指令碼,我們則可以通過指令碼實現編譯部署

需求:通過流水線實現 myspug 的部署。

  • 新建入口檔案:.gitlab-ci.yml
// .gitlab-ci.yml

stages:
  - deploy
# 部署到測試環境
deplay_to_test:
  state: deply
  tags:
    # 執行流水線的機器
    - ubuntu2004_27.141-myspug
  rules:
    # 觸發流水線時的變數,EFPLOY_TO_TEST 不為空則執行 deploy-to-test.sh 這個指令碼
    - if: EFPLOY_TO_TEST != null && $DEPLOY_TO_TEST != ""
  script:
    - chmod + x deploy-to-test.sh && ./deploy-to-test.sh
# 部署到生產環境
deplay_to_product:
  state: deply
  tags:
    - ubuntu2004_27.141-myspug
  rules:
    - if: EFPLOY_TO_product != null && $DEPLOY_TO_product != ""
  script:
    - chmod + x deploy-to-product.sh && ./deploy-to-product.sh 
  • 部署到生產環境的指令碼:deploy-to-product.sh
// deploy-to-product.sh 

#!/bin/bash
# 部署到生產環境
# 開啟:如果命令以非零狀態退出,則立即退出
set -e
DATETIME=$(date +%Y-%m-%d_%H%M%S)
echo DATETIME=$DATETIME

SERVERIP=192.168.27.135

SERVERDIR=/data/docker_data/myspug_web

BACKDIR=/data/backup/myspug

# 將構建的檔案傳給伺服器
zip -r build.zip build
scp ./build.zip root@${SERVERIP}:${BACKDIR}/
rm -rf build.zip

# 登入生產環境伺服器
ssh root${SERVERIP}<< reallssh
echo login:${SERVERIP}

# 備份目錄
[ ! -d "${BACKDIR}/${DATETIME}" ] && mkdir -p "${BACKDIR}/${DATETIME}"

echo 備份目錄已建立或已存在

# 刪除30天以前的包
find ${BACKDIR}/ -mtime +30 -exec rm -rf {} \;

# 將包備份一份
cp ${BACKDIR}/build.zip ${BACKDIR}/${DATETIME}

mv ${BACKDIR}/build.zip ${SERVERDIR}/

cd ${SERVERDIR}/

rm -rf ./build

unzip build.zip

rm -rf build.zip

echo 部署完成

exit

reallssh

完整專案

專案已上傳至 github(myspug)。

克隆後執行以下兩條命令即可在本地啟動服務:

$ npm i
$ npm run start

瀏覽器存取效果如下:

後續

後續有時間還想再寫這3部分:

  • 專案檔案。一個系統通常得有對應的檔案。就像這樣:

  • 系統概要設計。用於其他人快速接手這個專案

  • 互動設計。spug 中有不少的互動點可以提高相關係統的見識。例如這個抽屜互動

其他章節請看:

react 高效高質量搭建後臺系統 系列