亚洲乱码中文字幕综合,中国熟女仑乱hd,亚洲精品乱拍国产一区二区三区,一本大道卡一卡二卡三乱码全集资源,又粗又黄又硬又爽的免费视频

ASP.NET?CORE基礎教程

 更新時間:2022年01月21日 14:36:41   作者:Run2948  
本文詳細講解了ASP.NET?CORE的基礎教程,文中通過示例代碼介紹的非常詳細。對大家的學習或工作具有一定的參考借鑒價值,需要的朋友可以參考下

第一課 基本概念

  • 基本概念
    • Asp.Net Core Mvc是.NET Core平臺下的一種Web應用開發(fā)框架
      • 符合Web應用特點
      • .NET Core跨平臺解決方案
      • MVC設計模式的一種實現(xiàn)
  • 環(huán)境準備

第二課 控制器的介紹

  • 控制器定義方式:
    • 命名以Controller結尾
    • 使用ControllerAttribute標注
    public class TestController : Controller
    {

    }

    [Controller]
    public class Test : Controller
    {

    }
  • 默認路由規(guī)則

    • 域名/控制器類/方法
    • {Domain}/{Controller}/{Action}
  • 數(shù)據(jù)形式

    • QueryString: ?name=zhangsan&age=22
    • Form
    • Cookie
    • Session
    • Header
  • HttpRequest

    • HttpRequest 是用戶請求對象
    • 提供獲取請求數(shù)據(jù)的屬性
      • Cookies,Headers,Query,QueryString,Form
        public IActionResult Hello()
        {
            // Query
            var name = Request.Query["name"];
            // QueryString
            var query = Request.QueryString.Value;
            // Form
            var username = Request.Form["username"];
            // Cookies
            var cookie = Request.Cookies["item"];
            // Headers
            var headers = Request.Headers["salt"];

            return Content("Hello");
        }
  • HttpContext
    • HttpContext是用戶請求上下文
    • 提供Session屬性獲取Session對象
      • Session.Set 設置
      • Session.Remove 移除
      • Session.TryGetValue 獲取數(shù)據(jù)
        public IActionResult Hello()
        {       
            // byte[]
            HttpContext.Session.Set("byte", new byte[] { 1, 2, 3, 4, 5 });
            var bytes = HttpContext.Session.Get("byte");
            // string
            HttpContext.Session.SetString("name", "tom");
            var name = HttpContext.Session.GetString("name");
            // int
            HttpContext.Session.SetInt32("id", 20);
            var id = HttpContext.Session.GetInt32("id");
            HttpContext.Session.Remove("name");
            HttpContext.Session.Clear();
            
            return Content("Hello");
        }
  • 數(shù)據(jù)綁定
    • 把用戶請求的數(shù)據(jù)綁定到控制器方法的參數(shù)上
    • 支持簡單類型與自定義類型
    • 綁定規(guī)則是請求數(shù)據(jù)名稱與參數(shù)名稱一致
      • 如查詢字符串key名稱跟參數(shù)一致
      • Form表單名稱跟參數(shù)一致
        public IActionResult Hello(RequestModel request,int? age)
        {
            // 查詢字符串
            var test = Request.Query["test"];
            // 簡單類型
            var userAge = age;
            // 自定義類型
            var name = request.Name;

            return Content("Hello");
        }

        public class RequestModel
        {
            public string Name { get; set; }       
        }
  • 內容補充
    • 如果以Controller結尾的都是控制器,那如果程序里面由一些業(yè)務命名的時候也是以Controller結尾,怎么辦?
    • NonControllerAttribute
    /// <summary>
    /// 拍賣師控制類
    /// </summary>
    [NonController]
    public class AuctionController
    {

    }
  • 常用特性
特性數(shù)據(jù)源
FromHeaderAttribute請求頭數(shù)據(jù)
FromRouteAttribute路由數(shù)據(jù)
FromBodyAttribute請求體
FromFormAttribute表單數(shù)據(jù)
FromQueryAttribute查詢字符串
FromServicesAttribute服務注冊
        public IActionResult Say(
            [FromForm]string name,
            [FromQuery]int age,
            [FromHeader] string salt,
            [FromBody] string content
            )
        {
            return View();
        }
  • 特性參數(shù)

    • 通過特性修飾參數(shù)來影響綁定邏輯
    • 靈活擴展
  • IActionResult

    • 動作結果接口
    • 具體實現(xiàn)
      • JsonResult:返回JSON結構數(shù)據(jù)
      • RedirectResult:跳轉到新地址
      • FileResult:返回文件
      • ViewResult:返回視圖內容
      • ContentResult:文本內容

第三課 視圖與表單

  • 數(shù)據(jù)傳遞
    • ViewData
    • ViewBag
    • tempData
    • Model
    • Session
    • Cache
ViewDataViewBag
鍵值對動態(tài)類型
索引器ViewData的封裝
支持任意類型動態(tài)屬性
TempDataCacheSession
視圖級別應用程序級別會話級別
只允許消費一次服務器端保存服務器端保存
可多次賦值可設置有效期鍵值對形式
鍵值對形式鍵值對形式 
  • Cache
    • 與.NET Framework時代不同,一種全新實現(xiàn)
    • IMemoryCache接口
    • 依賴注入方式獲取
    • IMemoryCache.Get/Set操作數(shù)據(jù)
    [Controller]
    public class Test : Controller
    {
        private readonly IMemoryCache _cache;

        public Test(IMemoryCache memoryCache)
        {
            this._cache = memoryCache;   
        }

        public IActionResult ReadCache()
        {
            _cache.Set("name","tom");
            _cache.Get("name");

            _cache.Set("age",30);
            _cache.Get("age");

            User tom = new User(){ Name = "admin",Pwd = "123456"};
            _cache.Set<User>("user",tom);
            _cache.Get<User>("user");
            return Content("ok");
        }
    }

    public class User
    {
        public string Name { get; set; }
        public string Pwd { get; set; }
    }
  • ViewStart
    • 以_ViewStart.cshtml命名,固定名稱,不能更換
    • 一般放在視圖所在目錄的根目錄下
    • 自動執(zhí)行,無需手工調用
    • 不要再ViewStart中做大量的業(yè)務操作
  • ViewImport
    • 以_ViewImport.cshtml命名,固定名稱,不能更換
    • 只作引入操作
    • 一般放在視圖所在目錄的根目錄下
    • 自動執(zhí)行,無需手工調用
    • 視圖中可以使用@using關鍵字引入所需命名空間
    • 通過ViewImport做全局性的命名空間引入,減少在每個頁面中引入的工作量

第四課 數(shù)據(jù)驗證

  • 數(shù)據(jù)驗證特性ValidationAttribute
  public abstract class ValidationAttribute : Attribute
  {
    /// <summary>Initializes a new instance of the <see cref="T:System.ComponentModel.DataAnnotations.ValidationAttribute"></see> class.</summary>
    protected ValidationAttribute();

    /// <summary>Initializes a new instance of the <see cref="T:System.ComponentModel.DataAnnotations.ValidationAttribute"></see> class by using the function that enables access to validation resources.</summary>
    /// <param name="errorMessageAccessor">The function that enables access to validation resources.</param>
    /// <exception cref="T:System.ArgumentNullException"><paramref name="errorMessageAccessor">errorMessageAccessor</paramref> is null.</exception>
    protected ValidationAttribute(Func<string> errorMessageAccessor);

    /// <summary>Initializes a new instance of the <see cref="T:System.ComponentModel.DataAnnotations.ValidationAttribute"></see> class by using the error message to associate with a validation control.</summary>
    /// <param name="errorMessage">The error message to associate with a validation control.</param>
    protected ValidationAttribute(string errorMessage);

    /// <summary>Gets or sets an error message to associate with a validation control if validation fails.</summary>
    /// <returns>The error message that is associated with the validation control.</returns>
    public string ErrorMessage { get; set; }

    /// <summary>Gets or sets the error message resource name to use in order to look up the <see cref="P:System.ComponentModel.DataAnnotations.ValidationAttribute.ErrorMessageResourceType"></see> property value if validation fails.</summary>
    /// <returns>The error message resource that is associated with a validation control.</returns>
    public string ErrorMessageResourceName { get; set; }

    /// <summary>Gets or sets the resource type to use for error-message lookup if validation fails.</summary>
    /// <returns>The type of error message that is associated with a validation control.</returns>
    public Type ErrorMessageResourceType { get; set; }

    /// <summary>Gets the localized validation error message.</summary>
    /// <returns>The localized validation error message.</returns>
    protected string ErrorMessageString { get; }

    /// <summary>Gets a value that indicates whether the attribute requires validation context.</summary>
    /// <returns>true if the attribute requires validation context; otherwise, false.</returns>
    public virtual bool RequiresValidationContext { get; }

    /// <summary>Applies formatting to an error message, based on the data field where the error occurred.</summary>
    /// <param name="name">The name to include in the formatted message.</param>
    /// <returns>An instance of the formatted error message.</returns>
    public virtual string FormatErrorMessage(string name);

    /// <summary>Checks whether the specified value is valid with respect to the current validation attribute.</summary>
    /// <param name="value">The value to validate.</param>
    /// <param name="validationContext">The context information about the validation operation.</param>
    /// <returns>An instance of the <see cref="System.ComponentModel.DataAnnotations.ValidationResult"></see> class.</returns>
    public ValidationResult GetValidationResult(
      object value,
      ValidationContext validationContext);

    /// <summary>Determines whether the specified value of the object is valid.</summary>
    /// <param name="value">The value of the object to validate.</param>
    /// <returns>true if the specified value is valid; otherwise, false.</returns>
    public virtual bool IsValid(object value);

    /// <summary>Validates the specified value with respect to the current validation attribute.</summary>
    /// <param name="value">The value to validate.</param>
    /// <param name="validationContext">The context information about the validation operation.</param>
    /// <returns>An instance of the <see cref="System.ComponentModel.DataAnnotations.ValidationResult"></see> class.</returns>
    protected virtual ValidationResult IsValid(
      object value,
      ValidationContext validationContext);

    /// <summary>Validates the specified object.</summary>
    /// <param name="value">The object to validate.</param>
    /// <param name="validationContext">The <see cref="T:System.ComponentModel.DataAnnotations.ValidationContext"></see> object that describes the context where the validation checks are performed. This parameter cannot be null.</param>
    /// <exception cref="T:System.ComponentModel.DataAnnotations.ValidationException">Validation failed.</exception>
    public void Validate(object value, ValidationContext validationContext);

    /// <summary>Validates the specified object.</summary>
    /// <param name="value">The value of the object to validate.</param>
    /// <param name="name">The name to include in the error message.</param>
    /// <exception cref="T:System.ComponentModel.DataAnnotations.ValidationException"><paramref name="value">value</paramref> is not valid.</exception>
    public void Validate(object value, string name);
  }
  • 常用數(shù)據(jù)驗證

    • RequiredAttribute
    • RegularExpressionAttribute
    • CompareAttribute
    • RangeAttribute
    • MaxAttribute
    • MinAttribute
    • StringLengthAttribute
    • DataTypeAttribute
  • 服務器端使用

    • 使用包含驗證規(guī)則的類接收數(shù)據(jù)
    • 使用ModelState.IsValid判斷是否符合要求
  • 前端使用

    • 定義強類型視圖并傳遞包含驗證規(guī)則的業(yè)務數(shù)據(jù)模型
    • 使用HtmlHelper.ValidationFor初始前端驗證規(guī)則
    • 使用HtmlHelper.ValidationMessageFor生成提示文字
    public class UserLogin
    {
        [Required(ErrorMessage = "用戶名不能為空")]
        [StringLength(10,ErrorMessage = "用戶名長度不能超過10位")]
        public string UserName { get; set; }
          
        //[Required(ErrorMessage = "密碼不能為空")]
        [StringLength(6,ErrorMessage = "密碼長度不能超過6位")]
        public string Password { get; set; }
    }
    public class FormController : Controller
    {
        public IActionResult Index()
        {
            return View(new UserLogin());
        }

        public IActionResult PostData(UserLogin login)
        {
            return Content(ModelState.IsValid?"數(shù)據(jù)有效":"數(shù)據(jù)無效");
        }
    }
@model Lesson2.Models.UserLogin
@{
    Layout = null;
}

<!DOCTYPE html>

<html>
<head>
    <meta name="viewport" content="width=device-width" />
    <title>Index</title>
    <script src="~/lib/jquery/dist/jquery.min.js"></script>
    <script src="~/lib/jquery-validation/dist/jquery.validate.min.js"></script>
    <script src="~/lib/jquery-validation-unobtrusive/jquery.validate.unobtrusive.min.js"></script>
</head>
<body>
    <form asp-action="PostData" method="post">
        <table>
            <tr>
                <td>用戶名</td>
                <td>@Html.TextBoxFor(m => m.UserName)</td>
                <td>@Html.ValidationMessageFor(m => m.UserName)</td>
            </tr>
            <tr>
                <td>密碼</td>
                <td>@Html.PasswordFor(m => m.Password)</td>
                <td>@Html.ValidationMessageFor(m => m.Password)</td>
            </tr>
            <tr>
                <td></td>
                <td><input type="submit" value="登錄" /></td>
                <td></td>
            </tr>
        </table>
    </form>
</body>
</html>

第五課 路由規(guī)則

  • 路由

    • 定義用戶請求與控制器方法之前的映射關系
  • 路由配置

    • IRouteBuilder
      • 通過MapRoute方法配置路由模板
    app.UseMvc(routes =>
    {
        routes.MapRoute(
            name: "default",
            template: "{controller=Home}/{action=Index}/{id?}");

        routes.MapRoute(
            name: "admin_default",
            template: "admin/{controller=Home}/{action=Index}/{id?}");
    });
  • RouteAttribute
    • 應用在控制器及方法上
    • 通過Template屬性配置路由模板
    [Route("admin/form")]
    public class FormController : Controller
    {
        [Route("index")]
        public IActionResult Index()
        {
            return View(new UserLogin());
        }

        public IActionResult PostData(UserLogin login)
        {
            return Content(ModelState.IsValid?"數(shù)據(jù)有效":"數(shù)據(jù)無效");
        }
    }
  • 路由約束
    • 對路由數(shù)據(jù)進行約束
    • 只有約束滿足條件才能匹配成功
約束示例說明
required"Product/{ProductName:required}"參數(shù)必選
alpha"Product/{ProductName:alpha}"匹配字母,大小寫不限
int"Product/{ProductId:int}"匹配int類型
·········
composite"Product/{ProductId:composite}"匹配composite類型
length"Product/{ProductName:length(5)}"長度必須是5個字符
length"Product/{ProductName:length(5)}"長度在5-10之間
maxlength"Product/{ProductId:maxlength(10)}"最大長度為10
minlength"Product/{ProductId:minlength(3)}"最小長度為3
min"Product/{ProductId:min(3)}"大于等于3
max"Product/{ProductId:max(10)}"小于等于10
range"Product/{ProductId:range(5,10)}"對應的數(shù)組在5-10之間
regex"Product/{ProductId:regex(^\d{4}$)}"符合指定的正則表達式
  • 路由數(shù)據(jù)
    • 路由數(shù)據(jù)也是請求數(shù)據(jù)的一部分
    • 路由數(shù)據(jù)與表單數(shù)據(jù)一樣,也可以綁定到參數(shù)上
    • 默認是通過名稱進行匹配,也可以通過FormRouteAttribute匹配參數(shù)與路由數(shù)據(jù)的映射關系
    public IActionResult Index([FromRoute] int? id)
    {
        return View();
    }

第六課 應用發(fā)布與部署

  • 發(fā)布
    • 發(fā)布方法
      • 使用Visual Studio發(fā)布應用:項目右鍵 -> 發(fā)布 -> 發(fā)布方式選擇...
      • 使用dotnet publish命令行工具發(fā)布:dotnet publish --configuration Release --runtime win7-x64 --output c:\svc
  • 視圖預編譯
    • 少了運行時編譯過程,啟動速度快
    • 預編譯后,整個程序包更小
    • 可以通過MvcRazorCompileOnPublish配置是否開啟,默認是開啟狀態(tài)
      • 關閉視圖預編譯:
        • 打開項目的.csproj文件
        • 配置MvcRazorCompileOnPublish為false
<Project Sdk="Microsoft.NET.Sdk.Web">

  <PropertyGroup>
    <TargetFramework>netcoreapp2.1</TargetFramework>
    <!-- 關閉視圖預編譯 -->
    <MvcRazorCompileOnPublish>false</MvcRazorCompileOnPublish>
  </PropertyGroup>

  <ItemGroup>
    <PackageReference Include="Microsoft.AspNetCore.App" />
    <PackageReference Include="Microsoft.AspNetCore.Razor.Design" Version="2.1.2" PrivateAssets="All" />
    <PackageReference Include="Microsoft.VisualStudio.Web.CodeGeneration.Design" Version="2.1.1" />
  </ItemGroup>

</Project>
<!-- 依賴框架的部署 (FDD) -->
<PropertyGroup>
  <TargetFramework>netcoreapp2.2</TargetFramework>
  <RuntimeIdentifier>win7-x64</RuntimeIdentifier>
  <SelfContained>false</SelfContained>
  <IsTransformWebConfigDisabled>true</IsTransformWebConfigDisabled>
</PropertyGroup>
<!-- 獨立部署 (SCD) -->
<PropertyGroup>
  <TargetFramework>netcoreapp2.2</TargetFramework>
  <RuntimeIdentifier>win7-x64</RuntimeIdentifier>
  <IsTransformWebConfigDisabled>true</IsTransformWebConfigDisabled>
</PropertyGroup>
    ...
    ...
    ...

源碼地址

 到此這篇關于ASP.NET CORE基礎教程的文章就介紹到這了。希望對大家的學習有所幫助,也希望大家多多支持腳本之家。

相關文章

  • asp.net(c#) 水仙花數(shù)

    asp.net(c#) 水仙花數(shù)

    asp.net(c#) 水仙花數(shù)...
    2007-06-06
  • .net6引入autofac框架

    .net6引入autofac框架

    這篇文章介紹了.net6引入autofac框架的方法,文中通過示例代碼介紹的非常詳細。對大家的學習或工作具有一定的參考借鑒價值,需要的朋友可以參考下
    2021-12-12
  • .NET?Core使用CZGL.SystemInfo庫獲取主機運行資源

    .NET?Core使用CZGL.SystemInfo庫獲取主機運行資源

    這篇文章介紹了.NET?Core使用CZGL.SystemInfo庫獲取主機運行資源的方法,文中通過示例代碼介紹的非常詳細。對大家的學習或工作具有一定的參考借鑒價值,需要的朋友可以參考下
    2022-01-01
  • WPF框架Prism中導航Navigation用法介紹

    WPF框架Prism中導航Navigation用法介紹

    這篇文章介紹了WPF框架Prism中導航Navigation的用法,文中通過示例代碼介紹的非常詳細。對大家的學習或工作具有一定的參考借鑒價值,需要的朋友可以參考下
    2022-02-02
  • C#列出局域網(wǎng)中可用SQL Server服務器(續(xù))

    C#列出局域網(wǎng)中可用SQL Server服務器(續(xù))

    上一篇文章展示了使用COM對象如何列出局域網(wǎng)中的 SQL Server服務器信息,后來還發(fā)現(xiàn)在.Net中有現(xiàn)成的類可用,而不需要使用不太熟悉的COM對象了,這樣豈不是更好?下面我把代碼展示給大家:
    2008-04-04
  • ASP.NET HttpRequest類介紹

    ASP.NET HttpRequest類介紹

    本文詳細講解了ASP.NET HttpRequest類,對大家的學習或者工作具有一定的參考學習價值,需要的朋友們下面隨著小編來一起學習學習吧
    2022-01-01
  • Asp.net基礎知識掃盲篇

    Asp.net基礎知識掃盲篇

    這篇文章主要介紹了Asp.net基礎知識掃盲篇與問答篇對想了解asp.net的朋友應該有所幫助
    2021-05-05
  • Entity Framework系統(tǒng)架構與原理介紹

    Entity Framework系統(tǒng)架構與原理介紹

    這篇文章介紹了Entity Framework系統(tǒng)架構與原理,對大家的學習或者工作具有一定的參考學習價值,需要的朋友們下面隨著小編來一起學習學習吧
    2022-03-03
  • ASP.NET?Core之Web?API介紹

    ASP.NET?Core之Web?API介紹

    這篇文章介紹了ASP.NET?Core?Web?API,對大家的學習或者工作具有一定的參考學習價值,需要的朋友們下面隨著小編來一起學習學習吧
    2022-04-04
  • .Net結構型設計模式之橋接模式(Bridge)

    .Net結構型設計模式之橋接模式(Bridge)

    這篇文章介紹了.Net結構型設計模式之橋接模式(Bridge),文中通過示例代碼介紹的非常詳細。對大家的學習或工作具有一定的參考借鑒價值,需要的朋友可以參考下
    2022-05-05

最新評論