我正在开发一个WebAPI2项目进行一些数据收集,我试图弄清楚如何减少API方法的响应时间.
我有一个JavaScript函数,可以将信息发布到我的api.我的API接收此信息,将其插入数据库,然后返回HTTP Accepted.
假设数据处理完成的等待时间为5秒
// POST api/<controller> public HttpResponseMessage Post([FromBody]string value) { //This represents 5000 milliseconds of work System.Threading.Thread.Sleep(5000); return new HttpResponseMessage(HttpStatusCode.Accepted); }
这意味着,当我的JavaScript函数调用Post方法时,它会等待5秒钟的响应.
有没有办法可以立即返回HTTP Accepted的响应,然后继续处理我的数据?
从lilo.jacob更新解决方案
好的,我已经使用下面的线程解决方案更新了我的方法.这是新代码
// POST api/<controller> public HttpResponseMessage Post([FromBody]string value) { new System.Threading.Tasks.Task(() => { //This represents 5000 milliseconds of work System.Threading.Thread.Sleep(5000); }).Start(); return new HttpResponseMessage(HttpStatusCode.Accepted); }
几乎立即返回响应,这正是我所寻找的.
以下是Fiddler的一些结果,显示了响应时间的变化
第一个响应显示启动时WebAPI的延迟,请求4,5和7正在使用线程并在彼此之后立即触发.响应11显示相同的请求而未启用线程,请注意5秒延迟.
解决方法
您可以尝试在单独的线程中执行“昂贵”代码.
它将是这样的:
// POST api/<controller> public HttpResponseMessage Post([FromBody]string value) { new System.Threading.Tasks.Task(() => { //insert to db code; }).Start(); return new HttpResponseMessage(HttpStatusCode.OK); }