asp.net core高級應用:TagHelper+Form

来源:http://www.cnblogs.com/billming/archive/2017/07/10/7148226.html
-Advertisement-
Play Games

上一篇博客我講解了TagHelper的基本用法和自定義標簽的生成,那麼我就趁熱打鐵,和大家分享一下TagHelper的高級用法~~,大家也可以在我的博客下隨意留言。 對於初步接觸asp.net core的騷年可以看看我對TagHelper的瞭解和看法: 《asp.net core新特性(1):Tag ...


 

  上一篇博客我講解了TagHelper的基本用法和自定義標簽的生成,那麼我就趁熱打鐵,和大家分享一下TagHelper的高級用法~~,大家也可以在我的博客下隨意留言。

  對於初步接觸asp.net core的騷年可以看看我對TagHelper的瞭解和看法:

  《asp.net core新特性(1):TagHelper》

  之後,我也會繼續撰寫博文,繼續分享asp.net core的一些新特性,比如DI,ViewComponent以及bower等asp.net mvc中沒有的新東西。

  ok,咱們就開始吧~~

  在之前我對TagHelper的分享當中提及了,TagHelper能夠去替代原來在@Html幫助類中的一些功能,比如form,a等標簽,而且寫在html代碼中更加的舒服,符合html的語法。

<!--標簽助手版form-->
<form asp-controller="Home" asp-action="Index" class="form-horizontal" method="post">

</form>
<!--Html幫助類版form-->
@using (Html.BeginForm("Index", "Home", FormMethod.Post,, new { Class = "form-horizontal" }))
{

}

  那麼,在Html幫助類中最有用的Model與Tag的轉換,自動表單的生成,微軟是否也給出瞭解決方案呢?答案是肯定的。Microsoft還專門分出了單獨的說明頁面來講述TagHelper的自動表單生成,英文功底好的同學可以直接查看MS的官方文檔《Introduction to using tag helpers in forms in ASP.NET Core》

  文檔中提及了對於表單控制項,我們可以直接在asp-for屬性中直接填寫Model中的屬性名,即可自動生成對應的控制項類型和填入預設值。

  ok,我們來嘗試一下。

  (1)創建ViewModel類

    public class SignUpViewModel
    {
        [Required]
        [Display(Name ="用戶名")]
        [MaxLength(30,ErrorMessage = "用戶名不能超過30")]
        public string UserName { get; set; }

        [Required]
        [DataType(DataType.Password)]
        [RegularExpression(@"((?=.*\d)(?=.*\D)|(?=.*[a-zA-Z])(?=.*[^a-zA-Z]))^$",ErrorMessage ="密碼至少包含兩種以上字元")]
        [Display(Name ="密碼")]
        public string Password { get; set; }

        [DataType(DataType.MultilineText)]
        public string Description { get; set; }
    }

  對於寫過asp.net mvc的開發者肯定不會陌生這種驗證方式~~

  (2)編寫TagHelper標簽

  為了與Html區分,我寫了兩者的比較版本

<form asp-controller="Home" asp-action="SignUp" method="post" class="form-horizontal">
    <div class="form-group">
        <label asp-for="UserName"></label>
        <input asp-for="UserName" />
        <span asp-validation-for="UserName"></span>
    </div>
    <div class="form-group">
        @Html.LabelFor(m=>m.Password)
        @Html.PasswordFor(m=>m.Password)
        @Html.ValidationMessageFor(m=>m.Password)
    </div>
    <div class="form-group">
        <label asp-for="Description"></label>
        <textarea asp-for="Description"></textarea>
        <span asp-validation-for="Description"></span>
    </div>
    <div class="form-group">
        <input type="submit" value="提交" />
        <input type="reset" value="重置" />
    </div>
</form>

  (3)驗證表單

        public IActionResult SignUp(SignUpViewModel model)
        {
            if (ModelState.IsValid)
            {
                return RedirectToAction("Index");
            }
            else
            {
                return RedirectToAction("Index",model);
            }
        }

  (4)結果

  

  ok,如果覺得這樣就結束了,那麼就不算TagHelper高級應用,那隻能充其量在翻譯MS的文檔罷了。

  那麼,重點來了,既然MS能讓我們創建自定義TagHelper,那我為什麼不能在TagHelper當中使用Model的值呢?於是我開始在asp.net core開源github項目中尋找,終於是找到了ImputTagHelper的源碼。

  在源碼中,由三個對象一起來完成標簽的生成

        protected IHtmlGenerator Generator { get; }

        [HtmlAttributeNotBound]
        [ViewContext]
        public ViewContext ViewContext { get; set; }

        /// <summary>
        /// An expression to be evaluated against the current model.
        /// </summary>
        [HtmlAttributeName(ForAttributeName)]
        public ModelExpression For { get; set; }

  三個對象均是通過依賴註入的方式來實現對象的生成。

  (1)其中Generator為發生器,負責生成各種類型的標簽

  (2)ViewContext為視圖上下文,獲取視圖上下文相關信息

  (3)For獲取到當前Model的相關信息,包括Required等關鍵信息

  有了這三個標簽,我們也可以在自定義的標簽助手中獲取你想要的Model信息,比如我可以向form中填入Model信息,讓標簽助手自動生成form表單中的所有內容;也可以向ul標簽中填入樹信息,讓其自動生成樹列表等等

  如下就是我編寫的自動生成表單

    //自定義標簽助手名為bg-form
    [HtmlTargetElement("bg-form")]
    public class FormTagHelper : TagHelper
    {
        [ViewContext]
        [HtmlAttributeNotBound]
        public ViewContext ViewContext { get; set; }

        [HtmlAttributeName("asp-for")]
        public ModelExpression For { get; set; }

        protected IHtmlGenerator Generator { get; }

        public FormTagHelper(IHtmlGenerator generator)
        {
            Generator = generator;
        }

        [HtmlAttributeName("asp-controller")]
        public string Controller { get; set; }

        [HtmlAttributeName("asp-action")]
        public string Action { get; set; }

        //非同步方法
        public override async Task ProcessAsync(TagHelperContext context, TagHelperOutput output)
        {
            output.TagName = "form";
            if (!string.IsNullOrWhiteSpace(Controller))
            {
                output.Attributes.Add("action", "/" + Controller + "/" + Action);
            }

            output.Attributes.Add("class", "form-horizontal");

            //獲取子屬性
            var props = For.ModelExplorer.Properties;
            foreach (var prop in props)
            {
                //生成表單
                var div = new TagBuilder("div");
                div.AddCssClass("form-group");
                var label = Generator.GenerateLabel(ViewContext, prop, null, prop.Metadata.DisplayName, null);
                var input = Generator.GenerateTextBox(ViewContext, prop, prop.Metadata.PropertyName, null, null, null);
                var span = Generator.GenerateValidationMessage(ViewContext, prop, prop.Metadata.PropertyName, null, ViewContext.ValidationMessageElement, null);
                div.InnerHtml.AppendHtml(label);
                div.InnerHtml.AppendHtml(input);
                div.InnerHtml.AppendHtml(span);
                output.Content.AppendHtml(div);
            }
            //添加按鈕
            var btn = new TagBuilder("div");
            btn.AddCssClass("form-group");
            var submit = new TagBuilder("input");
            submit.Attributes.Add("type", "submit");
            submit.Attributes.Add("value", "提交");
            var reset = new TagBuilder("input");
            reset.Attributes.Add("type", "reset");
            reset.Attributes.Add("value", "重置");
            btn.InnerHtml.AppendHtml(submit);
            btn.InnerHtml.AppendHtml(reset);
            output.Content.AppendHtml(btn);
            //將原有的內容添加到標簽內部
            output.Content.AppendHtml(await output.GetChildContentAsync());

        }
    }

  只要在html加入

<bg-form asp-controller="Home" asp-action="SignUp" asp-for="@Model">

</bg-form>

即可自動生成表單

  Over,今天關於TagHelper就分享到這~~


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

-Advertisement-
Play Games
更多相關文章
  • 上周日折騰了一次阿裡雲伺服器,被linux的網路問題折騰的夠嗆。在這裡簡單做個問題的概要記錄,以備忘。題目中說自己是小白,其實也不完全是小白,自己對一些linux的常用命令還是有所瞭解的,但是對於linux系統缺乏一個整體的把握和掌控能力,下麵簡單總結下上周日折騰的一些事情。 1,讓ssh登錄變的更 ...
  • 1. 準備工作: 準備一臺ubuntu機器,將boot.img複製到該機器上,下載必要的工具sudo apt-get install abootimggit clone https://github.com/anestisb/android-simg2img.gitcd android-simg2i ...
  • 本文所選的例子來自於《Advanced Bash-scripting Gudie》一書,譯者 楊春敏 黃毅 腳本運行結果 ...
  • Linux系統中文語言亂碼,是很多小伙伴在開始接觸Linux時經常遇到的問題,而且當我們將已在Wndows部署好的項目搬到Linux上運行時,Tomcat的輸出日誌中文全為亂碼(在Windows上正常),看著非常心塞,那麼我們應該怎麼解決呢? 系統中文亂碼 Tomcat輸出日誌中文亂碼 系統環境 C ...
  • 進程的啟動和終止 內核執行c程式時,利用exec函數調用一個特殊的啟動常式,該啟動常式叢內核中獲取命令行參數和環境變數值。 進程終止的情況 5種正常終止的情況: 3種異常終止情況 進程啟動和終止圖 atexit函數 一個進程最多可以登記32和函數(例如:signal函數),這些函數由exit函數自動 ...
  • 1.win+R,然後輸入gpedit.msc打開本地組策略編輯器。 2.打開window設置--安全設置--本地策略--安全選項--找到 用戶帳戶控制: 以管理員批准模式運行所有管理員 和 用戶帳戶控制: 用內置管理員帳戶的管理員批准模式 選擇禁用。 3.然後重啟。 註:本人從網路上http://j ...
  • 把編譯安裝的httpd 實現服務腳本,通過service和chkconfig 進行管理 1 編譯安裝httpd 把httpd編譯安裝在/app/httpd/目錄下。 2 在/etc/rc.d/init.d/目錄下新建一個文件httpd 這個文件的目的在於讓service 命令可以管理編譯安裝的htt ...
  • 概述Docker已經熱了有一兩年了,而且我相信這不是一個曇花一現的技術,而是一個將深遠影響我們日後開發和部署、運營應用系統的一種創新(很多人將其作為devops的一種非常重要的基石)。學習docker的最好方式,莫過於它的官方文檔 ,有興趣 的同學請參考 https://www.docker.com... ...
一周排行
    -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.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...