zoukankan      html  css  js  c++  java
  • ASP.NET MVC什么时候使用异步Action

    在没有使用异步Action之前,在Action内,比如有如下的写法:

    public ActionResult Index()
    
    {
    
        CustomerHelper cHelper = new CustomerHelper();
    
        List<Customer> result = cHelper.GetCustomerData();
    
        return View(result);
    
    }
    

    以上,假设,GetCustomerData方法是调用第三方的服务,整个过程都是同步的,大致是:

    →请求来到Index这个Action
    →ASP.NET从线程池中抓取一个线程
    →执行GetCustomerData方法调用第三方服务,假设持续8秒钟的时间,执行完毕
    →渲染Index视图

    在执行执行GetCustomerData方法的时候,由于是同步的,这时候无法再从线程池抓取其它线程,只能等到GetCustomerData方法执行完毕。

    这时候,可以改善一下整个过程。

    →请求来到Index这个Action
    →ASP.NET从线程池中抓取一个线程服务于Index这个Action方法
    →同时,ASP.NET又从线程池中抓取一个线程服务于GetCustomerData方法
    →渲染Index视图,同时获取GetCustomerData方法返回的数据

    所以,当涉及到多种请求,比如,一方面是来自客户的请求,一方面需要请求第三方的服务或API,可以考虑使用异步Action。

    假设有这样的一个View Model:

    public class Customer
    
    {
    
        public int Id{get;set;}
    
        public Name{get;set;}
    
    }
    

     假设使用Entity Framework作为ORM框架。

    public class CustomerHelper
    
    {
    
    	public async Task<List<Customer>> GetCustomerDataAsync()
    
    	{
    
    		MyContenxt db = new MyContext();
    
    		var query = from c in db.Customers
    
    					orderby c.Id ascending
    
    					select c;
    
    		List<Customer>	result = awai query.ToListAsycn();
    
    		return result;				
    
    	}
    
    }
    

     现在就可以写一个异步Action了。

    public async Task<ActionResult> Index()
    
    {
    
    	CustomerHelper cHelper = new CustomerHelper();
    
    	List<Customer> result = await cHlper.GetCustomerDataAsync();
    
    	return View(result);
    
    }
    

     Index视图和同步的时候相比,并没有什么区别。

    @model List<Customer>
    
    @foreach(var customer in Model)
    
    {
    
    	<span>@customer.Name</span>
    
    }
    

     当然,异步还设计到一个操作超时,默认的是45秒,但可以通过AsyncTimeout特性来设置。

    [AsyncTimeout(3000)]
    
    public async Task<ActionResult> Index()
    
    {
    
    	...
    
    }
    

     如果不想对操作超时设限。

    [NoAsyncTimeout]
    
    public async Task<ActionResult> Index()
    
    {
    
    	...
    
    }
    

     综上,当涉及到调用第三方服务的时候,就可以考虑使用异步Action。async和await是异步编程的2个关键字,async总和Action成对出现,而在调用异步方法之前要加上await关键字。

    转自:https://www.cnblogs.com/darrenji/p/4436764.html

  • 相关阅读:
    python的垃圾回收机制
    生成器
    装饰器
    模块与包
    MES实施会有哪些情况?为你介绍两种常见的类型
    中国智慧工厂未来发展及趋势几何?这里给你讲个清楚
    未来智能工厂是什么样?这五种产业必不可少
    制造企业非常头疼的插单问题,本文给你这些实用建议,第7点最具价值
    MES选型很困惑?避开这三个禁忌!
    如何适应应用场景?高级排程系统的功能如此强大!
  • 原文地址:https://www.cnblogs.com/lvxiangjack/p/10430167.html
Copyright © 2011-2022 走看看