此文章翻译自 NDC { London } 16-20 January 2017 上, Damian Edwards和David Fowler的演讲,如果翻译不周,请大家指出错误。

Logging

  1. 生产环境总是配置一个Logger(比如: Serilog, Application Insights)

  2. 日志作为诊断应用程序问题的入口

  3. 不需要重启应用程序,就能改变日志的级别

    在开发环境应该记录尽可能多的日志,但是生产环境出于性能考虑,应该只记录Warning以上的日志

  4. 如果不想显示太多的信息,可以选择特定的Category

    比如只想调试SQL语句,可以只记录Category为Microsoft.EntityFrameworkCore.*的日志。

  5. ASP.NET按照如下方式记录日志:

    • ANCM(IIS): 将不能启动进程的错误记录到EventLog

      ANCM是指ASP.NET Core Module。按照Damian的说法,当IIS进程无法启动的时候是很崩溃的,此时可以从Windows Event Log中查看具体的错误。

    • ANCM also uses regular IIS failed request tracing

    • 其他未处理的异常将由为logger providers提供的logger记录

Configuration & Options

  1. 随着配置文件的改变而自动重新加载配置

  2. 当配置内容的值更改时,使用IOptionsSnapshot重新加载IOptions对象

    IOptionsSnapshot是ASP.NET Core 1.1提供的新接口,这个接口在配置文件改变时会重新绑定配置对象的值,这样可以在应用程序运行时动态修改配置内容。

  3. 使用User Secrets, 环境变量,Azure KeyVault等方式存储和环境有关的配置内容

    比如每个环境的连接字符串,启动的端口不一致,并且这些配置是很少发生改变的,可以配置在环境变量中。

  4. 应用程序部署在IIS时,可以通过web.config配置环境变量

File Upload

  1. 如果上传的文件需要提供给浏览器访问,将它们放在web root下

  2. 最简单的处理文件上传的方法,是使用MVC里的IFormFile或者IFormFileCollection

    这2个接口可以直接定义为Action的参数,也可以定义在Model里。

    和传统的ASP.NET相比,少了Request.Files。

  3. 也可以使用低级别的API,比如HttpRequest.ReadFormAsync和HttpRequest.Form

  4. 阻止用户上传任何可以在服务器执行的文件

    比较容易疏忽的是.cshtml文件。ASP.NET Core 2.0提供了Razor Page,那么.cshtml文件很可能被制作成一个可以直接访问的Razor Page上传上来。

  5. 大文件会提供buffer,防止服务器内存暴增

  6. 在保存文件之前,检查客户端传递的文件路径

    保证文件上传功能的安全性一直是个斗智斗勇的过程,David演示了一个简单的Hack场景。如果直接使用如下的方式保存文件:

    var path = Path.Combine(env.ContentRoot, file.FileName);

    当客户端传递来的FileName是"\Views\Home\Index.cshtml"时,你的网站就杯具了。

  7. 处理很大的multipart uploads时,不要使用model binding。手动的调用HttpRequest.GetMultipartBoundary()方法。

    这个方法仅在ASP.NET CORE 1.1.0提供

  8. IIS的限制仍然生效

    这里应该说的是maxRequestSize之类的限制

Dependency Injection

  1. 保持你的DI工厂快速响应,不要在构造服务时使用异步方法

    如下代码会导致死锁

    class Program
    {
    static void Main(string[] args)
    {
    DeadlockWithFactory(); Console.WriteLine("hello");
    } private static void DeadlockWithFactory()
    {
    var services = new ServiceCollection();
    services.AddSingleton(s =>
    {
    var b = GetBAsync(s).Result; return new A(b);
    }); services.AddSingleton<B>(); var serviceProvider = services.BuildServiceProvider();
    var a = serviceProvider.GetService<A>(); //1. 此处lock了Container
    } private static async Task<B> GetBAsync(IServiceProvider s)
    {
    await Task.Delay(1000); //2. 此处由于使用了await关键字,离开了主线程,进入了后台线程 return s.GetRequiredService<B>(); //3. 此处后台线程尝试lock Container,导致死锁
    }
    } public class A
    {
    public A(B b)
    { }
    } public class B
    { }
  2. 避免手动的调用GetService

    这里的大概意思是,由于手动调用GetService依赖了IServiceProvider,会使得单元测试变复杂。

    有些场景下,我们不需要在构造函数注入服务,而是想在执行到特定方法的时候才注入。Controller层面有个FromServices特性可以标记在Action的参数上。如果是下层代码,则可以自己定义一个XXXProvider,提供一个ResolveXXX方法,那么只需要在构造函数注入XXXProvider即可。这种方式适用于构造数据库连接,打开文件等。

  3. 实现了IDisposable接口的服务会由Container控制调用它们的Dispose方法,如果在顶层Container中构造出该服务的实例,会导致内存泄漏。

    Container构造的服务,会在Container释放的时候自动释放。如果在ApplicationServices上构造出的实例,在应用停止后才会释放。

  4. Turn on scope validation to make sure you don't have scoped services capturing singletons.

    想像一下这个场景

    var services = new ServiceCollection();
    services.AddSingleton<A>();
    services.AddScoped<B>(); var sp = services.BuildServiceProvider();
    var a = sp.GetRequiredService<A>();

    如果A依赖了B,那么本应该是Scoped的B类型被捕获成了单例。

    在ASP.NET Core 1.1中, BuildServiceProvider方法提供了一个新的参数 validateScopes,上面的代码可以修改成

    var sp = services.BuildServiceProvider(validateScopes: true);
    var a = sp.GetRequiredService<A>(); //如果A依赖B,那么此处会抛出System.InvalidOperationException: Cannot consume scoped service 'B' from singleton 'A'.
  5. 优化依赖注入

    构造函数注入

    public class A(B b) { }
    public class B(C c) { }
    public class C() { }

    等同于

    new A(new B(new C()));

    ServiceProvider注入

    public class A(IServiceProvider sp) { _b = sp.GetService<B>(); }
    public class B(IServiceProvider sp) { _c = sp.GetService<C>(); }
    public class C() { }

    等同于

    new C();
    new B(GetService<C>());
    new A(GetService<B>());

MVC

  1. Protect against mass assignment with separate input/output models

    在现有MVC模式中,我们一般定义一个ViewModel来展示整个页面需要显示的内容,再定义一些Model存储客户端传递的参数。我们要尽量避免这个过程中产生的重复编码。

    public class AdminViewModel
    {
    [Display(Name = "Live Show Embed URL", Description = "URL for embedding the live show")]
    [DataType(DataType.Url)]
    public string LiveShowEmbedUrl { get; set; } [Display(Name = "Live Show HTML", Description = "HTML content for the live show")]
    [DataType(DataType.MultilineText)]
    public string LiveShowHtml { get; set; } [Display(Name = "Next Show Date/time", Description = "Exact date and time of the next live show in Pacific Time")]
    [DateAfterNow(TimeZoneId = "Pacific Standard Time")]
    public DateTime? NextShowDatePst { get; set; } [Display(Name = "Standby Message", Description = "Message to show on home page during show standby")]
    public string AdminMessage { get; set; } public string NextShowDateSuggestionPstAM { get; set; } public string NextShowDateSuggestionPstPM { get; set; } public string SuccessMessage { get; set; } public bool ShowSuccessMessage => !string.IsNullOrEmpty(SuccessMessage); public AppSettings AppSettings { get; set; } public string EnvironmentName { get; set; }
    } [ModelMetadataType(typeof(AdminViewModel))]
    public class AdminInputModel
    {
    public string LiveShowEmbedUrl { get; set; } public string LiveShowHtml { get; set; } public DateTime? NextShowDatePst { get; set; } public string AdminMessage { get; set; }
    }

    在这个例子中,在Get请求时需要返回一个包含了所有展示内容的AdminViewModel,在Post请求时只需要客户端传递部分参数,因此可以定义一个AdminInputModel,同时指定ModelMetadataType(typeof(AdminViewModel)),这样验证的Attribute可以从AdminViewModel中自动复制过来,避免重复编码。

    同时,推荐大家采用类似AutoMapper之类的第三方库解决对象复制、克隆过程中产生的重复编码。

    在上述代码中,我更倾向于以如下的方式定义Model

    public class AdminViewModel
    {
    public AdminInputModel Input { get; set; } public string NextShowDateSuggestionPstAM { get; set; } public string NextShowDateSuggestionPstPM { get; set; } public string SuccessMessage { get; set; } public bool ShowSuccessMessage => !string.IsNullOrEmpty(SuccessMessage); public AppSettings AppSettings { get; set; } public string EnvironmentName { get; set; }
    } [ModelMetadataType(typeof(AdminViewModel))]
    public class AdminInputModel
    {
    [Display(Name = "Live Show Embed URL", Description = "URL for embedding the live show")]
    [DataType(DataType.Url)]
    public string LiveShowEmbedUrl { get; set; } [Display(Name = "Live Show HTML", Description = "HTML content for the live show")]
    [DataType(DataType.MultilineText)]
    public string LiveShowHtml { get; set; } [Display(Name = "Next Show Date/time", Description = "Exact date and time of the next live show in Pacific Time")]
    [DateAfterNow(TimeZoneId = "Pacific Standard Time")]
    public DateTime? NextShowDatePst { get; set; } [Display(Name = "Standby Message", Description = "Message to show on home page during show standby")]
    public string AdminMessage { get; set; }
    }
  2. TagHelpers

    • 正确的处理属性值
    • 属性中带有文件路径时,确保在执行前验证文件是否存在
  3. 在Post-Redirect-Get场景中使用TempData

    当你在一个Post的请求里完成操作,并且需要重定向到另外一个页面展示操作结果时,可以通过URL传参,Cookies, Sessions等技术来实现,也可以使用TempData来实现。

    ASP.NET Core的TempData是基于Cookies的。

Testing your pipeline

  1. 使用TestHost在内存中测试整个管道,而不用访问网络

    [Fact]
    public async Task VerifyResponse()
    {
    var builder = new WebHostBuilder()
    .UseStartup<Startup>(); var server = new TestServer(builder);
    var client = server.CreateClient(); var response = await client.GetAsync("http://something"); Assert.Equal("Hello World", await response.Content.ReadAsStringAsync());
    }
  2. 单元测试中也可以使用enviroments来对不同的环境进行测试

    [Fact]
    public async Task VerifyTestEnvironmentResponse()
    {
    var builder = new WebHostBuilder()
    .UseEnvironment("Test")
    .UseStartup<StartupWithEnvironment>(); var server = new TestServer(builder);
    var client = server.CreateClient(); var response = await client.GetAsync("http://something"); Assert.Equal("Test", await response.Content.ReadAsStringAsync());
    }

Per request state

  1. HttpContext.Items

    和以往一样,可以将与会话相关的数据存储在HttpContext.Items

  2. HttpContext.Get/SetFeature

    通过调用HttpContext.Features.Set方法添加自定义的行为

  3. Scoped services

    每个会话开始会构造一个Scope,会话结束会释放该Scope。因此和会话相关的服务最好注册为Scoped。

  4. 在Request Context以外要访问HttpContext时,可以使用IHttpContextAcessor接口。

    public class A
    {
    private HttpContext HttpContext { get; set; } public A(IHttpContextAcessor httpContextAcessor)
    {
    this.HttpContext = httpContextAcessor.HttpContext;
    }
    }

备注

  1. 原文视频:Youtube

  2. 相关源码

Patterns for application development with ASP.NET Core的更多相关文章

  1. Prerender Application Level Middleware - ASP.NET Core Middleware

    In the previous post Use Prerender to improve AngularJS SEO, I have explained different solutions at ...

  2. [转]Session and application state in ASP.NET Core

    本文转自:https://docs.microsoft.com/en-us/aspnet/core/fundamentals/app-state By Rick Anderson and Steve ...

  3. 使用Azure Application Insignhts监控ASP.NET Core应用程序

    Application Insignhts是微软开发的一套监控程序.他可以对线上的应用程序进行全方位的监控,比如监控每秒的请求数,失败的请求,追踪异常,对每个请求进行监控,从http的耗时,到SQL查 ...

  4. Working with Data » 使用Visual Studio开发ASP.NET Core MVC and Entity Framework Core初学者教程

    原文地址:https://docs.asp.net/en/latest/data/ef-mvc/intro.html The Contoso University sample web applica ...

  5. [转]ASP.NET Core 1 Deploy to IIS

    本文转自: http://webmodelling.com/webbits/aspnet/aspnet-deploy-iis.aspx 15 Sep 2016. This tutorial will ...

  6. 翻译 - ASP.NET Core 基本知识 - 配置(Configuration)

    翻译自 https://docs.microsoft.com/en-us/aspnet/core/fundamentals/configuration/?view=aspnetcore-5.0 ASP ...

  7. ASP.NET Core 1.0 入门——了解一个空项目

    var appInsights=window.appInsights||function(config){ function r(config){t[config]=function(){var i= ...

  8. ASP.NET Core 2 学习笔记(二)生命周期

    要了解程序的运行原理,就要先知道程序的进入点及生命周期.以往ASP.NET MVC的启动方式,是继承 HttpApplication 作为网站开始的进入点,而ASP.NET Core 改变了网站的启动 ...

  9. ASP.NET Core 2 学习笔记(十一)Cookies & Session

    基本上HTTP是没有记录状态的协定,但可以通过Cookies将Request来源区分出来,并将部分数据暂存于Cookies及Session,是写网站常用的用户数据暂存方式.本篇将介绍如何在ASP.NE ...

随机推荐

  1. C 风格字符串相加

    <<C++ Primer>> 第四版Exercise Section 4.3.1 的4.3.0 有如下题目:编写程序连接两个C风格字符串字面值,把结果存储在C风格字符串中.代码 ...

  2. Socket协议

    Socket协议的形象描述 socket的英文原义是"孔"或"插座".在这里作为4BDS UNIX的进程通信机制,取后一种意思.socket非常类似于电话插座. ...

  3. javascript继承---组合式继承

    原型链继承和构造函数继承中存在着很多的缺陷,所以,使用组合式继承了进行弥补这些缺陷 //组合继承 //父函数 function a(){ this.name = "兔子只吃胡萝卜" ...

  4. 开源的.NET定时任务组件Hangfire解析

    项目慢慢就要开工了,很多园友都在问这个事情,看来大伙对这事很上心啊,事情需要一步步的来,尽量写出一个我们都满意的项目.以前每次在博客前面都会扯淡一下,不过很多人都抱怨这样做不好,加上我这人扯淡起来就停 ...

  5. Windows 10 IoT Serials 7 – 如何用树莓派制作家庭流媒体播放器

    Windows 10平台引入了AllJoyn开源软件框架,它提供了一组服务可以创建动态近端网络,让设备可以相互连接实现功能交互.目前,AllJoyn开源软件框架由AllSeen联盟负责管理.AllSe ...

  6. 老司机带路——15个Android撸代码常见的坑

    老司机为何能够成为老司机,不是因为开车开得多,而是撸多了… 0x00 使用 startActivityForResult 后在 onActivityResult 中没有正确回调到 Activity.R ...

  7. 移动web开发经验

    1. font-family: "Microsoft YaHei",sans-serif;/*第二个是手机的一个默认的字体 手机没有微软雅黑*/ 2.主流手机浏览器内核都为webk ...

  8. 车大棒浅谈jQuery源码(二)

    前言 本来只是一个自己学习jQuery笔记的简单分享,没想到获得这么多人赏识.我自己也是傻呵呵的一脸迷茫,感觉到受宠若惊. 不过还是有人向批判我的文章说,这是基本知识点,完全跟jQuery源码沾不上边 ...

  9. LeetCode -- Word Break 动态规划,详细理解

    Given a string s and a dictionary of words dict, determine if s can be segmented into a space-separa ...

  10. 【C++】浅谈三大特性之一继承(三)

    四,派生类的六个默认成员函数 在继承关系里,如果我们没有显示的定义这六个成员函数,则编译系统会在适合场合为我们自动合成. 继承关系中构造函数和析构函数的调用顺序: class B { public: ...