如何取消并发繁重的任务?

时间:2015-05-20 06:05:25

标签: c# .net parallel-processing task-parallel-library cancellationtokensource

我有一个 Task 在该机构中经过繁重的流程。另外,我们无法访问此方法的主体(繁重的过程),我们必须等到完成该过程。

现在我的问题是,如何在不中断任务的情况下取消,以便我不检查其中的任何值?

我的代码是这样的:

private CancellationTokenSource CTS = new CancellationTokenSource();


public void CallMyMethod(CancellationTokenSource cts)
{
    //
    // Several methods they call each other. And pass tokens to each other.
    MyProcess(cts);
}


private void MyProcess(CancellationTokenSource cts)
{
    CancellationToken token = cts.Token;

    Task.Run(() =>
    {
        token.ThrowIfCancellationRequested(); // Work just when ThrowIfCancellationRequested called. and check that again

        if (token.IsCancellationRequested) // Must be checked every time, and after the investigation not work.
            return;

        // My long time process
        HeavyProcess();  // We have no access to the body of this method

    }, token);
}


private void CancelProcess()
{
    try
    {
        //
        // I want to cancel Now, Just Now not after HeavyProcess completion or checking token again!
        //
        CTS.Cancel();
        CTS.Token.ThrowIfCancellationRequested();
    }
    catch 
    { }
}

我可以在跑步后取消沉重的过程吗?

1 个答案:

答案 0 :(得分:7)

如果你无法控制长时间运行的方法,那么合作取消就不会起作用。你可以做的是将繁重的工作卸载到另一个进程,并在后台线程中监视进程:

private void MyProcess(CancellationTokenSource cts)
{
    cts.Token.ThrowIfCancellationRequested(); 

    // Move the heavy work to a different process
    var process = Process.Start(new ProcessStartInfo { /*  */ });

    // Register to the cancellation, where if the process is still
    // running, kill it.
    cts.Token.Register(() => 
    {
        if (!process.HasExited)
        {
            process.Kill();
        }
    });
}

现在,当你取消时,你调用我们终止进程的回调:

private void CancelProcess()
{
    CTS.Cancel();
}