I have a simple question, i have following simple Parallel for loop. this for loop is part of windows service. I want to stop the loop, when someone stops the service. I can find three ways to stop parallel for, which is in if condition. What is the best way of stopping the parallel for loop and what are the differences?
CancellationTokenSource cancellationToken = new CancellationTokenSource();
ParallelOptions options = new ParallelOptions();
options.CancellationToken = cancellationToken.Token;
Parallel.For(0, maximum_operations, options, (a, loopState) =>
{
{
//Do something
if(!KeepProcessing)
{
//loopState.Break();
//loopState.Stop();
cancellationToken.Cancel();
}
}
});
CancellationToken
is used to signal cancellation.
loopState.Break()
and loopState.Stop()
are used to end execution.
Here's an example
Parallel.For(0, maximum_operations, options, (a, loopState) =>
{
// do work
// cancellationToken.Cancel() should be called externally
if(token.IsCancellationRequested)
{
// cancellation requested - perform cleanup work if necessary
// then call
loopState.Break();
// or
loopState.Stop();
}
});
loopState.Break()
means complete all iterations on all threads that are prior to the current iteration on the current thread, and then exit the loop (MSDN).
loopState.Stop()
means stop all iterations as soon as convenient (MSDN).
Another way to terminate execution is call token.ThrowIfCancellationRequested(), but you will need to handle the OperationCanceledException
exception:
public void MyMethod()
{
try
{
Parallel.For(0, maximum_operations, options, (a, loopState) =>
{
// do work
token.ThrowIfCancellationRequested();
});
}
catch (OperationCanceledException)
{
// handle cancellation
}
}
All of these methods are valid ways to terminate execution of Parallel.For
. Which one you use depends on your requirements.
For example:
token.ThrowIfCancellationRequested()
loopState.Break()
or loopState.Stop()
Some articles for reference:
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With