asp.net core mvc剖析:KestrelServer

KestrelServer是基于Libuv开发的高性能web服务器,那我们现在就来看一下它是如何工作的。在上一篇文章中提到了Program的Main方法,在这个方法里Build了一个WebHost,我们再来看一下代码:



public static void Main( string [] args)
    {
        var host = new WebHostBuilder()
            .UseKestrel()
            .UseContentRoot(Directory.GetCurrentDirectory())
            .UseIISIntegration()
            .UseStartup<Startup>()
            .Build();
  
        host.Run();
    }

  里面有一个UseKestrel方法调用,这个方法的作用就是使用KestrelServer作为web server来提供web服务。在WebHost启动的时候,调用了IServer的Start方法启动服务,由于我们使用KestrelServer作为web server,自然这里调用的就是KestrelServer.Start方法,那我们来看下KestrelServer的Start方法里主要代码:

 首先,我们发现在Start方法里创建了一个KestrelEngine对象,具体代码如下:



var engine = new KestrelEngine( new ServiceContext
{
        FrameFactory = context =>
        {
            return new Frame<TContext>(application, context);
        },
        AppLifetime = _applicationLifetime,
        Log = trace,
        ThreadPool = new LoggingThreadPool(trace),
        DateHeaderValueManager = dateHeaderValueManager,
        ServerOptions = Options
  });

  KestrelEngine构造方法接受一个ServiceContext对象参数,ServiceContext里包含一个FrameFactory,从名称上很好理解,就是Frame得工厂,Frame是什么?Frame是http请求处理对象,每个请求过来后,都会交给一个Frame对象进行受理,我们这里先记住它的作用,后面还会看到它是怎么实例化的。除了这个外,还有一个是AppLiftTime,它是一个IApplicationLifetime对象,它是整个应用生命周期的管理对象,前面没有说到,这里补充上。



public interface IApplicationLifetime
     {
         /// <summary>
         /// Triggered when the application host has fully started and is about to wait
         /// for a graceful shutdown.
         /// </summary>
         CancellationToken ApplicationStarted { get ; }
         /// <summary>
         /// Triggered when the application host is performing a graceful shutdown.
         /// Requests may still be in flight. Shutdown will block until this event completes.
         /// </summary>
         CancellationToken ApplicationStopping { get ; }
         /// <summary>
         /// Triggered when the application host is performing a graceful shutdown.
         /// All requests should be complete at this point. Shutdown will block
         /// until this event completes.
         /// </summary>
         CancellationToken ApplicationStopped { get ; }
         /// <summary>
         /// Requests termination the current application.
         /// </summary>
         void StopApplication();
     }

  IApplicationLifetime中提供了三个时间点,

  1,ApplicationStarted:应用程序已启动
  2,ApplicationStopping:应用程序正在停止
  3,ApplicationStopped:应用程序已停止

  我们可以通过CancellationToken.Register方法注册回调方法,在上面说到的三个时间点,执行我们特定的业务逻辑。IApplicationLifetime是在WebHost的Start方法里创建的,如果想在我们自己的应用程序获取这个对象,我们可以直接通过依赖注入的方式获取即可。

 我们继续回到ServiceContext对象,这里面还包含了Log对象,用于跟踪日志,一般我们是用来看程序执行的过程,并可以通过它发现程序执行出现问题的地方。还包含一个ServerOptions,它是一个KestrelServerOptions,里面包含跟服务相关的配置参数:

1,ThreadCount:服务线程数,表示服务启动后,要开启多少个服务线程,因为每个请求都会使用一个线程来进行处理,多线程会提高吞吐量,但是并不一定线程数越多越好,在系统里默认值是跟CPU内核数相等。

2,ShutdownTimeout:The amount of time after the server begins shutting down before connections will be forcefully closed(在应用程序开始停止到强制关闭当前请求连接所等待的时间,在这个时间段内,应用程序会等待请求处理完,如果还没处理完,将强制关闭)

3,Limits:KestrelServerLimits对象,里面包含了服务限制参数,比如MaxRequestBufferSize,MaxResponseBufferSize

其他参数就不再一个一个说明了。

KestrelEngine对象创建好后,通过调用 engine.Start(threadCount),
根据配置的threadcount进行服务线程KestrelThread实例化,代码如下:
     public void Start(int count){            for (var index = 0; index < count; index++){Threads.Add(new KestrelThread(this));}            foreach (var thread in Threads){thread.StartAsync().Wait();}}

 上面的代码会创建指定数量的Thread对象,然后开始等待任务处理。KestrelThread是对libuv线程处理的封装。

这些工作都准备好后,就开始启动监听服务了,这个时候服务就开始接受http请求了,我们前面说到了,监听socket在listener类中创建(ListenerPrimary也是一个Listener),下面是listener的start方法



      public Task StartAsync(
             ListenOptions listenOptions,
             KestrelThread thread)
         {
             ListenOptions = listenOptions;
             Thread = thread;
             var tcs = new TaskCompletionSource< int >( this );
             Thread.Post(state =>
             {
                 var tcs2 = (TaskCompletionSource< int >) state;
                 try
                 {
                     var listener = ((Listener) tcs2.Task.AsyncState);                    //创建监听socket
                     listener.ListenSocket = listener.CreateListenSocket();                    //开始监听,当有连接请求过来后,触发ConnectionCallback方法
                     ListenSocket.Listen(Constants.ListenBacklog, ConnectionCallback, this );
                     tcs2.SetResult(0);
                 }
                 catch (Exception ex)
                 {
                     tcs2.SetException(ex);
                 }
             }, tcs);
             return tcs.Task;
         }
</ int ></ int >

  ConnectionCallback:当连接请求过来后被触发,在回调方法里,进行连接处理分发,连接分发代码如下:


protected virtual void DispatchConnection(UvStreamHandle socket)
    {
        var connection = new Connection( this , socket);
        connection.Start();
    }

  这个是listener类中的实现,我们前面看到,只有在线程数为1的情况下,才创建Listener对象进行监听,否则创建ListenerPrimary监听,ListenerPrimay里重写了方法,它的实现如下:


protected override void DispatchConnection(UvStreamHandle socket)
    {            //这里采用轮询的方式,把连接请求依次分发给不同的线程进行处理
        var index = _dispatchIndex++ % (_dispatchPipes.Count + 1);
        if (index == _dispatchPipes.Count)
        {              //
            base .DispatchConnection(socket);
        }
        else
        {
            DetachFromIOCP(socket);
            var dispatchPipe = _dispatchPipes[index];                //这里就是通过命名pipe,传递socket给特定的线程
            var write = new UvWriteReq(Log);
            write.Init(Thread.Loop);
            write.Write2(
                dispatchPipe,
                _dummyMessage,
                socket,
                (write2, status, error, state) =>
                {
                    write2.Dispose();
                    ((UvStreamHandle)state).Dispose();
                },
                socket);
        }
    }

  好了,连接请求找到处理线程后,后面就可以开始处理工作了。ListenerSecondary里的代码比较复杂,其实最终都会调用下面的代码完成Connection对象的创建?


var connection = new Connection( this , socket);
connection.Start();

  Connection表示的就是当前连接,下面是它的构造方法


public Connection(ListenerContext context, UvStreamHandle socket) : base (context)
         {
             _socket = socket;
             _connectionAdapters = context.ListenOptions.ConnectionAdapters;
             socket.Connection = this ;
             ConnectionControl = this ;
             ConnectionId = GenerateConnectionId(Interlocked.Increment( ref _lastConnectionId));
             if (ServerOptions.Limits.MaxRequestBufferSize.HasValue)
             {
                 _bufferSizeControl = new BufferSizeControl(ServerOptions.Limits.MaxRequestBufferSize.Value, this );
             }
        //创建输入输出socket流
             Input = new SocketInput(Thread.Memory, ThreadPool, _bufferSizeControl);
             Output = new SocketOutput(Thread, _socket, this , ConnectionId, Log, ThreadPool);
             var tcpHandle = _socket as UvTcpHandle;
             if (tcpHandle != null )
             {
                 RemoteEndPoint = tcpHandle.GetPeerIPEndPoint();
                 LocalEndPoint = tcpHandle.GetSockIPEndPoint();
             }
        //创建处理frame,这里的framefactory就是前面创建KestrelEngine时创建的工厂
             _frame = FrameFactory( this );
             _lastTimestamp = Thread.Loop.Now();
         }

  然后调用Connection的Start方法开始进行处理,这里面直接把处理任务交给Frame处理,Start方法实现:


public void Start()
         {
             Reset();       //启动了异步处理任务开始进行处理
             _requestProcessingTask =
                 Task.Factory.StartNew(
                     (o) => ((Frame)o).RequestProcessingAsync(), //具体的处理方法
                     this ,
                     default (CancellationToken),
                     TaskCreationOptions.DenyChildAttach,
                     TaskScheduler.Default).Unwrap();
             _frameStartedTcs.SetResult( null );
         }


1
RequestProcessingAsync方法里不再详细介绍了,把主要的代码拿出来看一下:



。。。。。 //_application就是上一篇文章提到的HostApplication,首先调用CreateContext创建HttpContext对象
var context = _application.CreateContext( this );
。。。。。。 //进入处理管道
await _application.ProcessRequestAsync(context).ConfigureAwait( false );
。。。。。。



ProcessRequestAsync完成处理后,把结果输出给客户端,好到此介绍完毕。

相关文章:

  • 聊聊ASP.NET Core默认提供的这个跨平台的服务器——KestrelServer

原文地址:http://www.jianshu.com/p/72b13fc4ae34


.NET社区新闻,深度好文,微信中搜索dotNET跨平台或扫描二维码关注

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/326691.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

ssm(Spring+Spring mvc+mybatis)Dao层实现类——DeptDaoImpl

/** * Title: DeptDaoImpl.java * Package org.dao.impl * Description: TODO该方法的主要作用&#xff1a; * author A18ccms A18ccms_gmail_com * date 2017-12-26 下午9:02:32 * version V1.0 */ package org.dao.impl;import java.util.List;import org.dao.IDeptDao…

win 7 mysql 1067_win7系统登陆MySQL服务出现1067错误的解决方法

很多小伙伴都遇到过win7系统登陆MySQL服务出现1067错误的困惑吧&#xff0c;一些朋友看过网上零散的win7系统登陆MySQL服务出现1067错误的处理方法&#xff0c;并没有完完全全明白win7系统登陆MySQL服务出现1067错误是如何解决的&#xff0c;今天小编准备了简单的解决办法&…

图的快速入门

快速入门案例 代码实现 package com.atguigu.graph;import java.util.ArrayList; import java.util.Arrays;/*** 创建人 wdl* 创建时间 2021/4/2* 描述*/ public class Graph {private ArrayList<String> vertexList;//存储顶点集合private int[][] edges;//存储图对应的…

Spring 注入集合

转载自 Spring 注入集合 注入集合 你已经看到了如何使用 value 属性来配置基本数据类型和在你的 bean 配置文件中使用<property>标签的 ref 属性来配置对象引用。这两种情况下处理奇异值传递给一个 bean。 现在如果你想传递多个值&#xff0c;如 Java Collection 类…

.net core依赖注入的封装

现在流行的系统一般都采用依赖注入的实现方式&#xff0c;利用DI容器来直接获取所用到的类/接口的实例。.net core也一样采用DI的方式&#xff0c;提供了DI容器的接口IServiceCollection&#xff0c;并提供了基于该接口的缺省实现ServiceCollection。 这样我们就可以不再像以前…

ssm(Spring+Spring mvc+mybatis)Dao层配置sql的文件——DeptDaoMapper.xml

<?xml version"1.0" encoding"UTF-8"?> <!DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd"><!-- namespace&#xff1a;接口的全路径名 --> <map…

图的深度优先遍历+图解

图解 代码实现 package com.atguigu.graph;import java.util.ArrayList; import java.util.Arrays;/*** 创建人 wdl* 创建时间 2021/4/2* 描述*/ public class Graph {private ArrayList<String> vertexList;//存储顶点集合private int[][] edges;//存储图对应的邻接矩阵…

php mysql 编码为utf-8_php连mysql用 utf-8编码乱码怎么办

展开全部PHP页面转UTF-8编码问32313133353236313431303231363533e78988e69d8331333361316639题1.在代码开始出加入一行&#xff1a;复制代码 代码如下:header("Content-Type:text/html;charsetutf-8");2.PHP文件编码问题点击编辑器的菜单&#xff1a;“文件”->“…

Spring 自动装配 ‘byName’

转载自 Spring 自动装配 ‘byName’ Spring 自动装配 ‘byName’ 这种模式由属性名称指定自动装配。Spring 容器看作 beans&#xff0c;在 XML 配置文件中 beans 的 auto-wire 属性设置为 byName。然后&#xff0c;它尝试将它的属性与配置文件中定义为相同名称的 beans 进行…

Azure SQL的DTU和eDTU到底是个什么鬼

Azure SQL 使用了数据库事务单位 (DTU) 和弹性数据库事务单位 (eDTU)来作为一个计量单位。 但是DTU和eDTU是什么鬼啊? 官方文档这样解释 DTU 是一个资源度量单位&#xff0c;表示保证可用于单一数据库服务层内特定性能级别的单个 Azure SQL 数据库的资源。 DTU是一定比例的 C…

ssm(Spring+Spring mvc+mybatis)Service层接口——IDeptService

/** * Title: IDeptService.java * Package org.service * Description: TODO该方法的主要作用&#xff1a; * author A18ccms A18ccms_gmail_com * date 2017-12-26 下午9:10:12 * version V1.0 */ package org.service;import org.dao.IDeptDao;/** * * 项目名称&…

centos5.9 mysql_CentOS 5.9系统服务器使用yum安装Apache+PHP+MySQL环境

Centos 里的 yum 在线安装很慢.以下是替换为中国CentOS镜像服务器!中国官方镜像网站: http://centos.ustc.edu.cn//* 使用说明 */cd /etc/yum.repos.d[进入yum.repos.d目录]mv CentOS-Base.repo CentOS-Base.repo.save[修改源文件名称备份]wget http://centos.ustc.edu.cn/Cent…

2015蓝桥杯省赛---java---B---1(三角形面积)

题目 三角形面积 解法 数学方法&#xff0c;直接求三角形的面积 88 - (82)/2 - (46)/2 - (84)/2 64 - (81216) 64 - 36 28 答案 28

Spring 自动装配 ‘byType’

转载自 Spring 自动装配 ‘byType’ Spring 自动装配 ‘byType’ 这种模式由属性类型指定自动装配。Spring 容器看作 beans&#xff0c;在 XML 配置文件中 beans 的 autowire 属性设置为 byType。然后&#xff0c;如果它的 type 恰好与配置文件中 beans 名称中的一个相匹配…

ssm(Spring+Spring mvc+mybatis)Service层实现类——DeptServiceImpl

/** * Title: DeptServiceImpl.java * Package org.service.impl * Description: TODO该方法的主要作用&#xff1a; * author A18ccms A18ccms_gmail_com * date 2017-12-26 下午9:19:09 * version V1.0 */ package org.service.impl;import java.util.List;import org.…

深入理解Async/Await

C# 5 Async/Await 语法特性&#xff0c;极大地简化了异步编程&#xff0c;但我们知道&#xff0c;异步编程的基本原理并没有发生根本改变。也就是说&#xff0c;当一些复杂的东西看起来很简单时&#xff0c;它通常意味着有一些有趣的事情在背后发生。在计算机程序设计语言领域&…

c mysql 编码_mysql编码转换 mysql编码设置详解

查看mysql编码&#xff1a;一、 代码示例:mysql> show variables like character_set_%;------------------------------------------------------| variable_name | value |------------------------------------------------------| character_set_client | latin1 || cha…

2015蓝桥杯省赛---java---B---2(立方变自身)

题目 立方变自身 分析 简单枚举 i^3 99之后&#xff0c;数字越大&#xff0c;数字之和越不可能等于其自身。 代码 package com.atguigu.TEST;public class Demo01 {private static int ans;public static void main(String[] args) { // 6for (int i 1; i < 99; i) {…

Spring 由构造函数自动装配

转载自 Spring 由构造函数自动装配 Spring 由构造函数自动装配 这种模式与 byType 非常相似&#xff0c;但它应用于构造器参数。Spring 容器看作 beans&#xff0c;在 XML 配置文件中 beans 的 autowire 属性设置为 constructor。然后&#xff0c;它尝试把它的构造函数的参数…

ssm(Spring+Spring mvc+mybatis)Spring配置文件——applicationContext-servlet.xml

<?xml version"1.0" encoding"UTF-8"?> <beansxmlns"http://www.springframework.org/schema/beans"xmlns:xsi"http://www.w3.org/2001/XMLSchema-instance"xmlns:p"http://www.springframework.org/schema/p"xm…