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從線程池中抓取一個線程
→執(zhí)行GetCustomerData方法調用第三方服務,假設持續(xù)8秒鐘的時間,執(zhí)行完畢
→渲染Index視圖
在執(zhí)行執(zhí)行GetCustomerData方法的時候,由于是同步的,這時候無法再從線程池抓取其它線程,只能等到GetCustomerData方法執(zhí)行完畢。
這時候,可以改善一下整個過程。
→請求來到Index這個Action
→ASP.NET從線程池中抓取一個線程服務于Index這個Action方法
→同時,ASP.NET又從線程池中抓取一個線程服務于GetCustomerData方法
→渲染Index視圖,同時獲取GetCustomerData方法返回的數(shù)據(jù)
所以,當涉及到多種請求,比如,一方面是來自客戶的請求,一方面需要請求第三方的服務或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;
}
}現(xiàn)在就可以寫一個異步Action了。
public async Task<ActionResult> Index()
{
CustomerHelper cHelper = new CustomerHelper();
List<Customer> result = await cHlper.GetCustomerDataAsync();
return View(result);
}Index視圖和同步的時候相比,并沒有什么區(qū)別。
@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
到此這篇關于ASP.NET MVC使用異步Action的文章就介紹到這了。希望對大家的學習有所幫助,也希望大家多多支持腳本之家。
相關文章
ASP.NET MVC使用EasyUI的datagrid多選提交保存教程
ASP.NET MVC使用EasyUI的datagrid多選提交保存教程,需要的朋友可以參考下。2011-12-12
asp.net LC.exe已退出代碼為 -1的原因分析及解決方法
錯誤“LC.exe”已退出,代碼為 -1。是VS2005,并且在項目中引用了第三方組件。2013-06-06
在FireFox/IE下Response中文文件名亂碼問題解決方案
只是針對沒有空格和IE的情況下使用Response.AppendHeader()如果想在FireFox下輸出沒有編碼的文件,并且IE下輸出的文件名中空格不為+號,就要多一次判斷了,接下來將詳細介紹下感興趣的朋友可以了解下,或許對你有所幫助2013-02-02

