二次封裝這幾個 element-ui 組件後,讓代碼更加優雅了

来源:https://www.cnblogs.com/rainy-night/archive/2022/04/25/16190855.html
-Advertisement-
Play Games

element-ui 本身就提供了許多強大的組件。那麼為什麼還要進行二次封裝呢? 在日常的開發過程中,部分模塊重覆性比較強,這個時候就會產生大量重覆的代碼。這些模塊的樣式基本上是比較固定的,而且實現的功能也比較相近。如果每個地方都複製一份相似的代碼,既不遵守代碼的簡潔之道,也不利於後期的維護修改 ... ...


element-ui 因其組件豐富、可拓展性強、文檔詳細等優點成為 Vue 最火的第三方 UI 框架。element-ui 其本身就針對後臺系統設計了很多實用的組件,基本上滿足了平時的開發需求。

既然如此,那麼我們為什麼還要進行二次封裝呢?

有以下兩種場景

在日常的開發過程中,部分模塊重覆性比較強,這個時候就會產生大量重覆的代碼。這些模塊的樣式基本上是比較固定的,而且實現的功能也比較相近。如果每個地方都複製一份相似的代碼,既不遵守代碼的簡潔之道,也不利於後期的維護修改

此外,在一些業務背景下,產品可能會要求設計新的交互。這個時候也可以基於 element-ui 進行二次開發,將其封裝成一個新的組件方便多個地方使用

因為在日常開發過程中,項目主要以 Vue2 為主,並且現在很多公司仍在使用著 Vue2。故本文主要探討 Vue2 + element-ui 的項目可以怎麼封裝一些比較通用化的組件

核心思想

  • 主要以父組件傳遞數據給子組件來實現一些功能,子組件定義固定的展示樣式,將具體要實現的業務邏輯拋出來給父組件處理
  • 儘量保持 element-ui 組件原有的方法(可以使用 v-bind="$attrs" 和 v-on="$listeners"),如果確實要做更改也儘量讓相似的方法方法名不變

組件

InputNumber

el-input-number 是一個很好用的組件,它只允許用戶輸入數字值。但是這個組件會有個預設值,給他賦予一個null 或""的時候會顯示0

這對於有些業務來說並不是很友好,例如添加頁面和編輯頁面

並且它這個組件的值是居中顯示的,和普通的input 框居左顯示不同,這就導致了樣式不太統一

改造:讓 InputNumber 可以居左顯示且沒有預設值,用法保持和el-input-number組件相似

子組件 InputNumber.vue

<template>
    <el-input-number id="InputNumber"
                     style="width: 100%"
                     v-model="insideValue"
                     v-bind="$attrs"
                     :controls="controls"
                     v-on="$listeners" />
</template>

<script>
export default {
    // 讓父組件 v-model 傳參
    model: {
        prop: 'numberValue',
        event: 'change',
    },
    props: {
        numberValue: {
            type: [Number, String],
            default: undefined,
        },
        // 預設不顯示控制按鈕,這個可以根據實際情況做調整
        controls: {
            type: Boolean,
            default: false,
        },
    },
    data () {
        return {
            insideValue: undefined,
        };
    },
    watch: {
        numberValue (newVlalue) {
            // 若傳入一個數字就顯示。為空則不顯示
            if (typeof newVlalue === 'number') {
                this.insideValue = newVlalue;
            } else this.insideValue = undefined;
        },
    },
};
</script>

<style lang="scss" scoped>
#InputNumber {
    /deep/ .el-input__inner {
        text-align: left;
    }
}
</style>

父組件

<template>
    <InputNumber v-model="value"
                 style="width: 200px" />
</template>

<script>
import InputNumber from './InputNumber';
export default {
    components: {
        InputNumber,
    },
    data () {
      return {
          value: null,
      };
    },
};
</script>

演示:

OptionPlus

select 組件用在有較多選項時,但是有些選項的長度難免比較長,就會把選項框整個給撐大,例如:

這種還是比較短的時候了,有時因為公司名稱較長,或者其他業務要展示的欄位過長時就不太友好。

改造:固定選項框的大小,讓選項顯示更加合理

子組件 OptionPlus.vue

<template>
    <el-option :style="`width: ${width}px`"
               v-bind="$attrs"
               v-on="$listeners">
        <slot />
    </el-option>
</template>

<script>
export default {
    props: {
        width: {
            type: Number,
        },
    },
};
</script>

<style lang="scss" scoped>
.el-select-dropdown__item {
    min-height: 35px;
    height: auto;
    white-space: initial;
    overflow: hidden;
    text-overflow: initial;
    line-height: 25px;
    padding: 5px 20px;
}
</style>

父組件

<template>
    <el-select v-model="value"
               placeholder="請選擇">
        <OptionPlus v-for="item in options"
                    :key="item.value"
                    :label="item.label"
                    :value="item.value"
                    :width="200">
        </OptionPlus>
    </el-select>
</template>

<script>
import OptionPlus from './OptionPlus';
export default {
    components: {
        OptionPlus,
    },
    data () {
      return {
          value: null,
          options: [{
                value: '選項1',
                label: '黃金糕',
            }, {
                value: '選項2',
                label: '雙皮奶特別好吃,以順德的最出名,推薦嘗試',
            }, {
                value: '選項3',
                label: '蚵仔煎',
            }, {
                value: '選項4',
                label: '龍鬚面',
            }, {
                value: '選項5',
                label: '北京烤鴨',
            }],
        };
    },
};

效果:

FormPlus

後臺系統肯定會有查找功能,搜索條件大部分都是這三種,輸入框、下拉框和日期選擇。所以可以整合這三個常用的元素,將它們封裝成一個易於使用的組件

這三個組件是用來過濾條件的,因此一般與查詢和重置按鈕在一起

子組件FormPlus.vue

<template>
    <div id="FormPlus">
        <el-form ref="ruleForm"
                 :rules="rules"
                 :inline="inline"
                 :model="ruleForm"
                 class="ruleForm"
                 :label-width="labelWidth"
                 :style="formStyle">
            <template v-for="(item, index) in list">
                <template v-if="!item.type || item.type === 'input'">
                    <el-form-item :key="index"
                                  :label="item.label"
                                  :prop="item.model"
                                  :required="item.required">
                        <el-input v-model.trim="ruleForm[item.model]"
                                  :clearable="item.clearable === undefined || item.clearable"
                                  filterable
                                  :placeholder="item.placeholder" />
                    </el-form-item>
                </template>
                <template v-if="item.type === 'select'">
                    <el-form-item :key="index"
                                  :label="item.label"
                                  :prop="item.model"
                                  :required="item.required">
                        <el-select :style="`width: ${formItemContentWidth}`"
                                   v-model.trim="ruleForm[item.model]"
                                   :clearable="item.clearable === undefined || item.clearable"
                                   filterable
                                   :placeholder="item.placeholder || ''">
                            <!-- 使用上文提到的 OptionPlus 組件 -->
                            <OptionPlus v-for="(i, key) in item.options"
                                        :key="i[item.optionsKey] || key"
                                        :label="i[item.optionsLabel] || i.label"
                                        :value="i[item.optionsValue] || i.value"
                                        :width="formItemContentWidth" />
                        </el-select>
                    </el-form-item>
                </template>
                <template v-if="item.type === 'date-picker'">
                    <el-form-item :key="index"
                                  :prop="item.model"
                                  :label="item.label"
                                  :required="item.required">
                        <el-date-picker v-model.trim="ruleForm[item.model]"
                                        :clearable="item.clearable === undefined || item.clearable"
                                        :type="item.pickerType"
                                        :placeholder="item.placeholder"
                                        :format="item.format"
                                        :value-format="item.valueFormat"
                                        :picker-options="item.pickerOptions" />
                    </el-form-item>
                </template>
            </template>
            <slot />
        </el-form>
        <el-row>
            <el-col class="btn-container">
                <el-button class="el-icon-search"
                           type="primary"
                           @click="submitForm">查詢</el-button>
                <el-button class="el-icon-refresh"
                           @click="resetForm">重置</el-button>
            </el-col>
        </el-row>
    </div>
</template>

<script>
import OptionPlus from './OptionPlus';
export default {
    components: { OptionPlus },
    props: {
        list: {
            type: Array,
            default: () => [],
        },
        inline: {
            type: Boolean,
            default: true,
        },
        labelWidth: {
            type: String,
            default: '100px',
        },
        formItemWidth: {
            type: String,
            default: '400px',
        },
        formItemContentWidth: {
            type: String,
            default: '250px',
        },
        rules: {
            type: Object,
            default: () => { },
        },
    },
    data () {
        return {
            ruleForm: {},
        };
    },
    computed: {
        formStyle () {
            return {
                '--formItemWidth': this.formItemWidth,
                '--formItemContentWidth': this.formItemContentWidth,
            };
        },
    },
    watch: {
        list: {
            handler (list) {
                this.handleList(list);
            },
            immediate: true,
            deep: true,
        },
    },
    methods: {
        // 所填寫數據
        submitForm () {
            this.$refs['ruleForm'].validate((valid) => {
                if (valid) {
                    const exportData = { ...this.ruleForm };
                    this.$emit('submitForm', exportData);
                } else {
                    return false;
                }
            });
        },
        // 預設清空所填寫數據
        resetForm () {
            this.$refs.ruleForm.resetFields();
            this.handleList(this.list);
            this.$emit('resetForm');
        },
        handleList (list) {
            for (let i = 0; i < list.length; i++) {
                const formitem = list[i];
                const { model } = formitem;
                this.$set(this.ruleForm, model, '');
            }
        },
    },
};
</script>

<style lang="scss" scoped>
#FormPlus {
    .ruleForm {
        width: 100%;
        ::v-deep.el-form-item {
            width: var(--formItemWidth);
        }
        ::v-deep.el-form-item__content {
            width: var(--formItemContentWidth);
        }
        ::v-deep.el-form-item__content .el-date-editor,
        .el-input {
            width: var(--formItemContentWidth);
        }
    }
    .btn-container {
        display: flex;
        justify-content: flex-end;
        margin-top: 10px;
    }
}
</style>

父組件

<template>
    <FormPlus :list="formList"
        @submitForm="searchPage"
        @resetForm="resetForm" />
</template>

<script>
import FormPlus from './FormPlus';
export default {
    components: {
        FormPlus,
    },
    data () {
      return {
          formList: [
            { label: '編號', model: 'applyNumber', placeholder: '請輸入編號' },
            { label: '名稱', model: 'name', placeholder: '請輸入名稱' },
            { type: 'date-picker', label: '開始時間', model: 'startTime', valueFormat: 'yyyy-MM-dd HH:mm:ss', placeholder: '請選擇開始時間' },
            { type: 'select', label: '狀態', model: 'status', placeholder: '請選擇狀態', options: [] },
           ],
      };
    },
    methods: {
        // 可以取到子組件傳遞過來的數據
        searchPage (ruleForm) {
            console.log(ruleForm, 'ruleForm');
        },
        resetForm () {

        },
    },
};
</script>

演示:

介面獲取到的數據可以用this.formList[index] = res.data;來將數據塞進 el-select 的選項數組中

這個組件其實是有一定局限性的,如果確實有特別的需求還是要用 el-form 表單來寫

DrawerPlus

抽屜組件可以提供更深一級的操作,往往內容會比較多比較長。因此可以封裝一個組件,讓操作按鈕固定在 drawer 底部,以實現較好的交互

子組件 DrawerPlus.vue

<template>
    <div id="drawerPlus">
        <el-drawer v-bind="$attrs"
                   v-on="$listeners">
            <el-scrollbar class="scrollbar">
                <slot />
                <div class="seat"></div>
                <div class="footer">
                    <slot name="footer" />
                </div>
            </el-scrollbar>
        </el-drawer>
    </div>
</template>

<style lang="scss" scoped>
$height: 100px;
#drawerPlus {
    .scrollbar {
        height: 100%;
        position: relative;
        .seat {
            height: $height;
        }
        .footer {
            z-index: 9;
            box-shadow: 0 -4px 6px rgba(0, 0, 0, 0.08);
            width: 100%;
            position: absolute;
            bottom: 0px;
            height: $height;
            background-color: #fff;
            display: flex;
            align-items: center;
            justify-content: center;
        }
    }
}
</style>

父組件

<template>
    <DrawerPlus title="編輯"
                :visible.sync="drawerVisible"
                direction="rtl"
                size="45%">
        <template slot="footer">
            <el-button @click="drawerVisible = false">取消</el-button>
            <el-button type="primary"
                       @click="drawerVisible = false">確定</el-button>
        </template>
    </DrawerPlus>
</template>

<script>
import DrawerPlus from './DrawerPlus';
export default {
    components: {
        DrawerPlus,
    },
    data () {
      return {
          drawerVisible: false,
      };
    },
};
</script>

效果:

使用 el-scrollbar 組件來實現更優雅的滾動效果,底部固定並增加一些陰影增加美觀

CopyIcon

在日常開發中,有時可能想實現一鍵複製,我們可以選擇手寫複製方法,也可以選擇引入 clipboard.js 庫幫助快速實現功能

在筆者寫過的一篇文章《在網站copy時自帶的版權小尾巴以及“複製代碼“,可以怎麼實現 》,這篇文章中有提到怎麼手寫複製功能

當然,嚴格意義上來說,這個組件主要實現不是依賴 element-ui 的,但也有用到其中的一些組件,所以也寫在這裡

子組件 CopyIcon.vue

<template>
    <i :class="`${icon} icon-cursor`"
       title="點擊複製"
       @click="handleCopy($event, text)" />
</template>

<script>
// 引入 clipboard.js
import Clipboard from 'clipboard';
export default {
    props: {
        // 接收複製的內容
        text: {
            type: [String, Number],
            default: null,
        },
        // 預設是複製 icon,可自定義 icon
        icon: {
            type: [String],
            default: 'el-icon-copy-document',
        },
        // 自定義成功提示
        message: {
            type: [String, Number],
            default: null,
        },
    },
    methods: {
        handleCopy (e, _text, message) {
            const clipboard = new Clipboard(e.target, { text: () => _text });
            const messageText = message || `複製成功:${_text}`;
            clipboard.on('success', () => {
                this.$message({ type: 'success', message: messageText });
                clipboard.off('error');
                clipboard.off('success');
                clipboard.destroy();
            });
            clipboard.on('error', () => {
                this.$message({ type: 'warning', message: '複製失敗,請手動複製' });
                clipboard.off('error');
                clipboard.off('success');
                clipboard.destroy();
            });
            clipboard.onClick(e);
        },
    },
};
</script>

<style lang="scss" scoped>
.icon-cursor {
    cursor: pointer;
}
</style>

父組件

<template>
<div>
    <span>{{ value }}</span>
    <CopyIcon :text="value" />
</div>
</template>

<script>
import CopyIcon from './CopyIcon';
export default {
    components: {
        CopyIcon,
    },
    data () {
      return {
          value: '這裡來測試一下-初見雨夜',
      };
    },
};
</script>

演示:

二次封裝雖說方便了後續的開發,但是當封裝的組件不能滿足需求時,可以考慮迭代或者用回 element-ui 原生的組件

因為筆者水平有限,對組件都是進行比較簡單的封裝,並且有些地方設計可能不是很合理,還請多多指教~


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 前言 上篇文章《Android安卓進階技術分享之AGP工作原理》和大家分析了 AGP(Android Gradle Plugin) 做了哪些事,瞭解到 AGP 就是為打包這個過程服務的。 那麼,本篇文章就和大家聊一聊其中的 Transform,解決一下為什麼在 AGP 3.x.x 的版本可以通過反射 ...
  • Hello HarmonyOS進階系列(應用篇),聚焦HarmonyOS應用開發,連志安、唐佐林、徐禮文、李寧、李洋、夏德旺、潘凌越等7位技術大咖將傾情分享如何基於HarmonyOS系統成功開發應用,在智能家居、智慧辦公、智慧出行、運動健康、影音娛樂等領域賦能開發者。 ...
  • 4 月 25 日,“共建新技術,開拓新領域”OpenAtom OpenHarmony(以下簡稱“OpenHarmony”)技術日在深圳順利召開。 ...
  • 超級終端中,設備的能力和狀態如何管理?設備之間如何進行信息協同?要回答這些問題,就不得不提我們本期的主角——DeviceProfile。 ...
  • HMS Core地圖服務(Map Kit)給開發者提供一套地圖開發調用的SDK,助力全球開發者實現個性化地圖呈現與交互,方便輕鬆地在應用中集成地圖相關的功能,全方位提升用戶體驗。 在日常工作中,我們會收到很多開發者們留言集成地圖服務中遇到的問題,這裡我們將典型問題進行分享和總結,希望為其他遇到類似問 ...
  • 由於javascript是單線程的執行模型,因此為了提高效率就有了非同步編程,單線程在程式執行時,所走的程式路徑按照連續順序排下來,前面的必須處理好,後面的才會執行。 但是我們也需要類似多線程機制的這種執行方式,我們需要非同步執行編程,非同步執行編程會使得多個任務併發執行。 非同步編程可以實現多任務併發執行 ...
  • 本篇文章主要寫了Vue過渡和動畫基礎、多個元素過渡和多個組件過渡,以及列表過渡的動畫效果展示。詳細案例分析、GIF動圖演示、附源碼地址獲取。 ...
  • 1.pinia的簡單介紹 Pinia最初是在2019年11月左右重新設計使用Composition API的 Vue 商店外觀的實驗。 從那時起,最初的原則相同,但 Pinia 適用於 Vue 2 和 Vue 3 。 並且不需要你使用組合 API。 除了安裝和SSR之外,還有其他的 API是一樣的。 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...