Есть ли рекомендованный шаблон для самостоятельной отмены и перезапуска задач?
Например, я работаю над API для проверки орфографии. Сеанс проверки орфографии завернут как Task
. Каждый новый сеанс должен отменить предыдущий и дождаться его завершения (для правильного повторного использования ресурсов, таких как поставщик услуг проверки орфографии и т.д.).
Я придумал что-то вроде этого:
class Spellchecker
{
Task pendingTask = null; // pending session
CancellationTokenSource cts = null; // CTS for pending session
// SpellcheckAsync is called by the client app
public async Task<bool> SpellcheckAsync(CancellationToken token)
{
// SpellcheckAsync can be re-entered
var previousCts = this.cts;
var newCts = CancellationTokenSource.CreateLinkedTokenSource(token);
this.cts = newCts;
if (IsPendingSession())
{
// cancel the previous session and wait for its termination
if (!previousCts.IsCancellationRequested)
previousCts.Cancel();
// this is not expected to throw
// as the task is wrapped with ContinueWith
await this.pendingTask;
}
newCts.Token.ThrowIfCancellationRequested();
var newTask = SpellcheckAsyncHelper(newCts.Token);
this.pendingTask = newTask.ContinueWith((t) => {
this.pendingTask = null;
// we don't need to know the result here, just log the status
Debug.Print(((object)t.Exception ?? (object)t.Status).ToString());
}, TaskContinuationOptions.ExecuteSynchronously);
return await newTask;
}
// the actual task logic
async Task<bool> SpellcheckAsyncHelper(CancellationToken token)
{
// do not start a new session if the the previous one still pending
if (IsPendingSession())
throw new ApplicationException("Cancel the previous session first.");
// do the work (pretty much IO-bound)
try
{
bool doMore = true;
while (doMore)
{
token.ThrowIfCancellationRequested();
await Task.Delay(500); // placeholder to call the provider
}
return doMore;
}
finally
{
// clean-up the resources
}
}
public bool IsPendingSession()
{
return this.pendingTask != null &&
!this.pendingTask.IsCompleted &&
!this.pendingTask.IsCanceled &&
!this.pendingTask.IsFaulted;
}
}
Клиентское приложение (UI) должно просто иметь возможность вызывать SpellcheckAsync
столько раз, сколько нужно, не беспокоясь об отмене ожидающего сеанса. Основной цикл doMore
работает в потоке пользовательского интерфейса (так как он включает в себя пользовательский интерфейс, а все вызовы поставщика услуг проверки орфографии связаны с IO).
Мне немного неудобно в том, что мне пришлось разделить API на два peices, SpellcheckAsync
и SpellcheckAsyncHelper
, но я не могу придумать лучшего способа сделать это, и он еще не протестирован.