js 策略模式 實現表單驗證

来源:https://www.cnblogs.com/whnba/archive/2019/01/25/10301407.html
-Advertisement-
Play Games

策略模式 簡單點說就是:實現目標的方式有很多種,你可以根據自己身情況選一個方法來實現目標. 所以至少有2個對象 . 一個是策略類,一個是環境類(上下文). 然後自己就可以根據上下文選擇不同的策略來執行方案. 策略模式的優點: 1. 策略模式利用組合、委托和多態等技術和思想,可以有效地避免多重條件選擇 ...


策略模式

簡單點說就是:實現目標的方式有很多種,你可以根據自己身情況選一個方法來實現目標.

 

所以至少有2個對象 .  一個是策略類,一個是環境類(上下文). 然後自己就可以根據上下文選擇不同的策略來執行方案.

 

 

策略模式的優點:
  1. 策略模式利用組合、委托和多態等技術和思想,可以有效地避免多重條件選擇語句
  2. 策略模式提供了對開放-封閉原則的完美支持,將演算法封裝在獨立的 策略類 中,使得它們易於切換,易於理解,易於擴展.

 // html

<!DOCTYPE html>

<head>
    <meta charset="utf8">
    <title>策略模式實現表單驗證</title>
    <link rel="stylesheet" type="text/css" href="style.css">
    <script src="rule.js"></script>
    <script src="validator.js"></script>
</head>

<body>
    <form action="#" method="GET" id="form">
        <div class="field">
            <label>用戶名</label>
            <input type="text" name="name">
        </div>
        <div class="field">
            <label>聯繫電話</label>
            <input type="text" name="mobile">
        </div>
        <div class="field">
            <label>郵箱</label>
            <input type="text" name="email">
        </div>
        <button class="submit" type="submit">提交</button>
    </form>
    <script>
        let dom = document.getElementById("form");

        let formValid = new FormValid(dom);

        formValid.add({
            field: "name",
            rule: new RequiredRule(),
            errormsg: "欄位必填"
        })

        formValid.add({
            field: "name",
            rule: new LengthRule(10),
            errormsg: "限定長度為10個字元"
        })

        formValid.add({
            field: "mobile",
            rule: new MobileRule(),
            errormsg: "手機號碼錯誤"
        })

        formValid.add({
            field: "email",
            rule: new EmailRule(),
            errormsg: "郵箱格式錯誤"
        })

        dom.onsubmit = function (event) {
            let result = formValid.isValid();
            if (result !== true) {
                alert(result);
                return false;
            }
            alert("提交成功");
        }

    </script>
</body>

</html>

// css

#form{
    margin: 50px auto;
    width: 500px;
}

input {
    width: 350px;
    height: 24px;
    padding: 0 4px;
    float: left;
}

.field{
    margin-top: 10px;
    overflow: hidden;
}
label {
    float: left;
    text-align: right;
    width: 100px;
    overflow: hidden;
    padding-right: 5px;
}
.submit{
    margin-top: 20px;
    margin-left:104px;
}

 

 // 策略類

/**
 * 必填
 */
class RequiredRule {

    /**
     * 驗證
     * @param {string} value 值
     * @param {string} errormsg 錯誤信息
     * @param {any} attach 附加參數
     * @returns {string|bool} 
     */
    test(value, errormsg, attach) {
        return /^(:?\s*)$/.test(value) ? errormsg : true;
    }
}

/**
 * 範圍
 */
class RangeRule {

    /**
     * 構造函數
     * @param {array} range 
     */
    constructor(range) {
        this.range = range;
    }

    /**
     * 驗證
     * @param {string} value 值
     * @param {string} errormsg 錯誤信息
     * @returns {string|bool} 
     */
    test(value, errormsg) {
        value = Number.parseFloat(value);
        if (this.range[0] <= value && this.range[1] > value) {
            return true;
        }
        return errormsg;
    }
}

/**
 * 有效數值驗證
 */
class NumberRule {
    /**
     * 驗證
     * @param {string} value 值
     * @param {string} errormsg 錯誤信息
     * @returns {string|bool} 
     */
    test(value, errormsg) {
        return /^(?:\d+)$/.test(value) || errormsg;
    }
}

/**
 * 郵箱驗證
 * 格式:登錄名@主機名.功能變數名稱
 */
class EmailRule {

    constructor() {
        this.rule = new RegExp(/(?:\w+)@(?:\w+)\.(?:\w+)/);
    }

    /**
     * 驗證
     * @param {string} value 值
     * @param {string} errormsg 錯誤信息
     * @returns {string|bool} 
     */
    test(value, errormsg) {
        return this.rule.test(value) || errormsg;
    }
}

/**
 * 手機號驗證
 */
class MobileRule {
    constructor() {
        this.rule = new RegExp(/^1\d{10}$/);
    }

    /**
     * 驗證
     * @param {string} value 值
     * @param {string} errormsg 錯誤信息
     * @returns {string|bool} 
     */
    test(value, errormsg) {
        return this.rule.test(value) || errormsg;
    }
}

class LengthRule {
    constructor(maxlength) {
        this.maxlength = maxlength;
    }

    /**
     * 驗證
     * @param {string} value 值
     * @param {string} errormsg 錯誤信息
     * @returns {string|bool} 
     */
    test(value, errormsg) {
        return value.length > this.maxlength ? errormsg : true;
    }
}

 

// 環境類

class FormValid {

    /**
     * 構造函數
     * @param {HTMLFormElement} form 元素節點
     */
    constructor(form) {
        this.form = form;
        this.rules = [];
    }

    /**
     * 添加驗證規則
     * @param {object} option
     * @param {string} option.field  欄位名
     * @param {object} option.rule  規則
     * @param {string} option.errormsg  錯誤信息
     */
    add({ field, rule, errormsg }) {
        if (typeof rule.test == "function" && this.form[field]) {
            this.rules.push(() => {
                return rule.test(this.form[field].value, errormsg);
            });
        }
    }

    isValid() {
        let result = [];
        for (let i = 0; i < this.rules.length; i++) {
            let r = this.rules[i]();
            if (r !== true) result.push(r);
        }
        return result.length > 0 ? result : true;
    }
}

 

源碼:https://pan.baidu.com/s/17_oBg1dqmbxAdG_AW3sWgg

樣本:http://js.zhuamimi.cn/%E8%A1%A8%E5%8D%95%E9%AA%8C%E8%AF%81/


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

-Advertisement-
Play Games
更多相關文章
  • 前面六篇講解了Vue的一些基礎知識,正所謂:學以致用,今天我們將用前六篇的基礎知識,來實現類似跑馬燈的項目。 學前準備: 需要掌握定時器的兩個函數:setInterval和clearInterval以及作用域的概念 上代碼,大家可以複製下來直接運行看看效果(vue.min.js 第一篇有下載鏈接): ...
  • [toc] 首發日期:2019 1 25 如何在地圖上添加自定義覆蓋物(點) 此文重點是在地圖上標點,所以就省去引入百度地圖的步驟了。 先給一下最終的效果。 這個效果主要是利用百度地圖的“覆蓋物”來實現的。 由於我做的這個要求顯示不同的顏色來代表不同的所屬者,所以就做的麻煩一點。 如果你的需求不要求 ...
  • 由於表情字元占4個位元組(2個unicode字元),在做刪除的時候無法判斷,該退格1個字元,還是2個字元,才是正確的。下麵介紹判斷方法,先看下麵的測試圖 1.字元串的長度不等於看到的字元串中的字元個數 2.字元串的codePoint遍歷可以正確分割出看到的字元 3.charCodeAt和codePoi ...
  • 工具 Chrome瀏覽器 TamperMonkey ReRes Chrome瀏覽器 chrome瀏覽器是目前最受歡迎的瀏覽器,沒有之一,它相容大部分的w3c標準和ecma標準,對於前端工程師在開發過程中提供了devtools和插件等工具,非常方便使用。在爬取數據的過程中,最常用的應該是開發工具中的E ...
  • 使用lhgDialog時,發現有一個$.dialog.tips()方法可以實現loading樣式的提示,但是存在預設關閉時間。方法如下圖所示, 為了實現不自動關閉的方法,查看了相應的源碼後,實現不關閉的loading提示如下: 想要關閉該提示時,使用 $.dialog({id:'loading'}) ...
  • 希望的是將下麵的對象數組: [ {"id":"1001","name":"值1","value":"111"}, {"id":"1001","name":"值1","value":"11111"}, {"id":"1002","name":"值2","value&quo ...
  • 恢復內容開始 一、效果 二、知識點 1、line-height:1;/*清除預設高度*/ 2、font-weight: bold;/*字體加粗*/ 3、transition-delay: 0.1s;延遲動畫過渡 4、:nth-child(1)按下標選取集合元素的子元素 5、<span>一般用於沒有實 ...
  • 在開發中不熟悉這三者區別的同學,一般都知道return可以中止,但會根據字面意思覺得return true 中止當前函數執行,但其後的函數還會繼續執行。return false 中止當前函數執行,其後的函數不會執行,這是錯誤的想法。先看下麵控制台的例子 一:可以看出三者都中止了函數執行,return ...
一周排行
    -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.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...