4

有没有办法取消 ES7 异步功能?

在此示例中,单击时,我想在调用 new 之前中止异步函数调用。

async function draw(){
  for(;;){
    drawRandomRectOnCanvas();
    await sleep(100);
  }
}

function sleep(t){
  return new Promise(cb=>setTimeout(cb,t));
}

let asyncCall;

window.addEventListener('click', function(){
  if(asyncCall)
    asyncCall.abort(); // this dont works
  clearCanvas();
  asyncCall = draw();
});
4

2 回答 2

6

JavaScript 中还没有内置任何内容,但您可以轻松地自行开发。

MS.Net 使用取消令牌的概念来取消任务(.net 相当于 Promises)。它工作得很好,所以这里有一个 JavaScript 的精简版。

假设您创建了一个旨在表示取消的类:

function CancellationToken(parentToken){
  if(!(this instanceof CancellationToken)){
    return new CancellationToken(parentToken)
  }
  this.isCancellationRequested = false;
  var cancellationPromise = new Promise(resolve => {
    this.cancel = e => {
      this.isCancellationReqested = true;
      if(e){
        resolve(e);
      }
      else
      {
        var err = new Error("cancelled");
        err.cancelled = true;
        resolve(err);
      }
    };
  });
  this.register = (callback) => {
    cancellationPromise.then(callback);
  }
  this.createDependentToken = () => new CancellationToken(this);
  if(parentToken && parentToken instanceof CancellationToken){
    parentToken.register(this.cancel);
  }
}

然后您更新了睡眠功能以了解此令牌:

function delayAsync(timeMs, cancellationToken){
  return new Promise((resolve, reject) => {
    setTimeout(resolve, timeMs);
    if(cancellationToken)
    {
      cancellationToken.register(reject);
    }
  });
}

现在您可以使用令牌取消它传递给的异步函数:

var ct = new CancellationToken();
delayAsync(1000)
    .then(ct.cancel);
delayAsync(2000, ct)
    .then(() => console.log("ok"))
    .catch(e => console.log(e.cancelled ? "cancelled" : "some other err"));

http://codepen.io/spender/pen/vNxEBZ

...或者使用 async/await 样式或多或少地做同样的事情:

async function Go(cancellationToken)
{
  try{
    await delayAsync(2000, cancellationToken)
    console.log("ok")
  }catch(e){
    console.log(e.cancelled ? "cancelled" : "some other err")
  }
}
var ct = new CancellationToken();
delayAsync(1000).then(ct.cancel);
Go(ct)
于 2015-10-01T22:28:16.867 回答
3

除非您的问题纯粹是理论上的,否则我假设您正在使用 Babel、Typescript 或其他一些转译器来支持 es6-7,并且可能使用一些 polyfill 来支持遗留环境中的 Promise。虽然很难说未来什么会成为标准,但有一种非标准的方式可以得到你今天想要的东西:

  1. 使用 Typescript 获取 es6 特性和 async/await。
  2. 在所有环境中将 Bluebird 用于 Promise,以获得良好的 Promise 取消支持。
  3. 使用cancelable-awaiter,它可以让 Bluebird 取消与 Typescript 中的 async/await 配合得很好。
于 2016-12-25T21:39:36.293 回答