最新消息:雨落星辰是一个专注网站SEO优化、网站SEO诊断、搜索引擎研究、网络营销推广、网站策划运营及站长类的自媒体原创博客

c# - How can I abort an action in ASP.NET MVC - Stack Overflow

programmeradmin1浏览0评论

I want to stop the actions that are called by the jQuery.ajax method on the server side. I can stop the Ajax request using $.ajax.abort() method on the client side but not on the server side.

Updated:

I used async action instead of sync action, but I didn't get what I want! As you know server can't process more than one request at the same time that's causes each request have to wait till the previous one is finished even if previous request is canceled by $.Ajax.Abort() method. I know if I use [SessionState(System.Web.SessionState.SessionStateBehavior.ReadOnly)] attribute it almost what I want but it doesn’t satisfy me.

Above all I want to abort processing method on server side by user. That's it :)

I want to stop the actions that are called by the jQuery.ajax method on the server side. I can stop the Ajax request using $.ajax.abort() method on the client side but not on the server side.

Updated:

I used async action instead of sync action, but I didn't get what I want! As you know server can't process more than one request at the same time that's causes each request have to wait till the previous one is finished even if previous request is canceled by $.Ajax.Abort() method. I know if I use [SessionState(System.Web.SessionState.SessionStateBehavior.ReadOnly)] attribute it almost what I want but it doesn’t satisfy me.

Above all I want to abort processing method on server side by user. That's it :)

Share Improve this question edited Jul 21, 2013 at 10:02 Saeed Hamed asked Jul 19, 2013 at 22:35 Saeed HamedSaeed Hamed 7322 gold badges11 silver badges28 bronze badges 6
  • If i understand correctly , you don't want any XHR to hit your server? – Rameez Ahmed Sayad Commented Jul 19, 2013 at 22:46
  • :) ... maybe something on these lines might help stackoverflow./questions/216173/… or stackoverflow./questions/216173/… – Rameez Ahmed Sayad Commented Jul 19, 2013 at 22:57
  • 2 Thanks, but it isn't something that I want!! I call an action that takes for example 1 minute. I want to let users cancel request if they want, I'm using $.ajax.abort() and it works correctly and it cancels the request but I know the server is working on previous request. If I send another request with that session on server it must wait until end of last action. – Saeed Hamed Commented Jul 19, 2013 at 23:14
  • @user2349133 As long as it's on client side , you can check it's state , based on that ask users ... once it goes to server ... I don't see a way of cancelling that particular XHR request – Rameez Ahmed Sayad Commented Jul 19, 2013 at 23:17
  • what is the long running action doing? Can you use paging there, i.e. process 100 "things" per call? – Felipe Castro Commented Jul 20, 2013 at 0:39
 |  Show 1 more ment

5 Answers 5

Reset to default 5

You may want to look at using the following type of controller Using an Asynchronous Controller in ASP.NET MVC

and also see if this article helps you out as well Cancel async web service calls, sorry I couldn't give any code examples this time.

I've created an example as a proof of concept to show that you can cancel server side requests. My github async cancel example

If you're calling other sites through your code you have two options, depending on your target framework and which method you want to use. I'm including the references here for your review:

WebRequest.BeginGetResponse for use in .Net 4.0 HttpClient for use in .Net 4.5, this class has a method to cancel all pending requests.

Hope this gives you enough information to reach your goal.

Here is an example Backend:

[HttpGet]
public List<SomeEntity> Get(){
        var gotResult = false;
        var result = new List<SomeEntity>();
        var tokenSource2 = new CancellationTokenSource();
        CancellationToken ct = tokenSource2.Token;
        Task.Factory.StartNew(() =>
        {
            // Do something with cancelation token to break current operation
            result = SomeWhere.GetSomethingReallySlow();
            gotResult = true;
        }, ct);
        while (!gotResult)
        {
            // When you call abort Response.IsClientConnected will = false
            if (!Response.IsClientConnected)
            {
                tokenSource2.Cancel();
                return result;
            }
            Thread.Sleep(100);
        }
        return result;
}

Javascript:

var promise = $.post("/Somewhere")
setTimeout(function(){promise.abort()}, 1000)

Hope I'm not to late.

I found this article: Cancelling Long Running Queries in ASP.NET MVC and Web API extremely helpful. I'll sum up the article here.

Quick notes before I get started:

  • I'm running MVC5, not ASP.NET Core MVC.
  • I want to be able to cancel actions when I navigate away from the page or cancel them with jQuery abort.

I ended up with something like this:

// Just add the CancellationToken parameter to the end of your parameter list
public async Task<ActionResult> GetQueryDataAsync(
    int id,
    CancellationToken cancellationToken)
{
    CancellationToken dcToken = Response.ClientDisconnectedToken;
    var linkTokenSrc = CancellationTokenSource
        .CreateLinkedTokenSource(
            cancellationToken, 
            dcToken
        );

    using (var dbContext = new Entities())
    {
        var data = await dbContext.ComplicatedView
            /* A bunch of linq statements */
            .ToListAsync(linkTokenSrc.Token)
            .ConfigureAwait(true);

        // Do stuff and return data unless cancelled
        // ...
    }
}

Since I'm using MVC5, I had to use the workaround prescribed in the article, i.e. reading from the Response.ClientDisconnectedToken and linking the token sources.

If you are using ASP.NET Core MVC instead, you should be able to just use the CancellationToken parameter directly instead of having to link it according to the article.

After this, all I had to do was make sure I aborted the XHR's in the JavaScript when I navigate away from the page.

We have seen the problem in IE, where an aborted request still got forwarded to the controller action - however, with the arguments stripped, which lead to different error, reported in our logs and user activity entries.

I have solved this using a filter like the following

using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;
using System.Web.Mvc;
using TWV.Infrastructure;
using TWV.Models;

namespace TWV.Controllers
{
    public class TerminateOnAbortAttribute : FilterAttribute, IActionFilter
    {
        public void OnActionExecuting(ActionExecutingContext filterContext)
        {
            // IE does not always terminate when ajax request has been aborted - however, the input stream gets wiped
            // The content length - stays the same, and thus we can determine if the request has been aborted
            long contentLength = filterContext.HttpContext.Request.ContentLength;
            long inputLength = filterContext.HttpContext.Request.InputStream.Length;
            bool isAborted = contentLength > 0 && inputLength == 0;
            if (isAborted)
            {
                filterContext.Result = new EmptyResult();
            }
        }

        public void OnActionExecuted(ActionExecutedContext filterContext)
        {
            // Do nothing
        }
    }
}

A simple solution is to use something like below. I use it for cancelling long running tasks (specifically generating thousands of notifications). I also use the same approach to poll progress and update progress bar via AJAX. Also, this works practically on any version of MVC and does not depends on new features of .NET

public class MyController : Controller
{

private static m_CancelAction = false;

public string CancelAction()
{
    m_CancelAction = true;
    return "ok";
}

public string LongRunningAction()
{
    while(...)
    {
        Dosomething (i.e. Send email, notification, write to file, etc)

        if(m_CancelAction)
        {
            m_CancelAction = false;
            break;
            return "aborted";
        }
    }

    return "ok";
}
}
发布评论

评论列表(0)

  1. 暂无评论