535

我正在尝试使用新的异步功能,我希望解决我的问题将在未来对其他人有所帮助。这是我正在工作的代码:

  async function asyncGenerator() {
    // other code
    while (goOn) {
      // other code
      var fileList = await listFiles(nextPageToken);
      var parents = await requestParents(fileList);
      // other code
    }
    // other code
  }

  function listFiles(token) {
    return gapi.client.drive.files.list({
      'maxResults': sizeResults,
      'pageToken': token,
      'q': query
    });
  }

问题是,我的 while 循环运行得太快,脚本每秒向 google API 发送太多请求。因此,我想构建一个延迟请求的睡眠功能。因此我也可以使用这个函数来延迟其他请求。如果有其他方法可以延迟请求,请告诉我。

无论如何,这是我的新代码不起作用。请求的响应在 setTimeout 内返回给匿名异步函数,但我只是不知道如何将响应返回给睡眠函数 resp。到初始 asyncGenerator 函数。

  async function asyncGenerator() {
    // other code
    while (goOn) {
      // other code
      var fileList = await sleep(listFiles, nextPageToken);
      var parents = await requestParents(fileList);
      // other code
    }
    // other code
  }

  function listFiles(token) {
    return gapi.client.drive.files.list({
      'maxResults': sizeResults,
      'pageToken': token,
      'q': query
    });
  }

  async function sleep(fn, par) {
    return await setTimeout(async function() {
      await fn(par);
    }, 3000, fn, par);
  }

我已经尝试了一些选项:将响应存储在全局变量中并从睡眠函数中返回,在匿名函数中回调等。

4

15 回答 15

939

您的sleep函数不起作用,因为setTimeout(还没有?)返回可以await编辑的承诺。您将需要手动承诺它:

function timeout(ms) {
    return new Promise(resolve => setTimeout(resolve, ms));
}
async function sleep(fn, ...args) {
    await timeout(3000);
    return fn(...args);
}

顺便说一句,为了减慢你的循环速度,你可能不想使用一个sleep接受回调并像这样推迟它的函数。我建议:

while (goOn) {
  // other code
  var [parents] = await Promise.all([
      listFiles(nextPageToken).then(requestParents),
      timeout(5000)
  ]);
  // other code
}

这让计算parents至少需要 5 秒。

于 2015-10-23T00:21:15.763 回答
361

快速的单线、内联方式

 await new Promise(resolve => setTimeout(resolve, 1000));
于 2018-08-20T22:01:11.813 回答
219

从 Node 7.6开始,您可以将promisifyutils 模块中的 functions 功能与setTimeout().

节点.js

const sleep = require('util').promisify(setTimeout)

Javascript

const sleep = m => new Promise(r => setTimeout(r, m))

用法

(async () => {
    console.time("Slept for")
    await sleep(3000)
    console.timeEnd("Slept for")
})()
于 2018-02-20T09:47:04.193 回答
44

setTimeout不是一个async函数,所以你不能在 ES7 async-await 中使用它。但是你可以sleep使用 ES6 Promise来实现你的函数:

function sleep (fn, par) {
  return new Promise((resolve) => {
    // wait 3s before calling fn(par)
    setTimeout(() => resolve(fn(par)), 3000)
  })
}

然后你就可以在sleepES7 async-await 中使用这个新功能了:

var fileList = await sleep(listFiles, nextPageToken)

请注意,我只是在回答您关于将 ES7 async/await 与 结合使用的问题setTimeout,尽管它可能无助于解决您每秒发送过多请求的问题。


更新:现代 node.js 版本有一个内置的异步超时实现,可通过util.promisify助手访问:

const {promisify} = require('util');
const setTimeoutAsync = promisify(setTimeout);
于 2015-10-22T23:54:58.030 回答
31

2021 年更新

await setTimeout终于到了 Node.js 16,不再需要使用util.promisify()

import { setTimeout } from 'timers/promises';

(async () => {
  const result = await setTimeout(2000, 'resolved')
  // Executed after 2 seconds
  console.log(result); // "resolved"
})()

官方 Node.js 文档:Timers Promises API(Node 中已经内置的库)

于 2020-10-30T12:04:50.500 回答
11

如果您想使用与setTimeout您可以编写这样的辅助函数相同的语法:

const setAsyncTimeout = (cb, timeout = 0) => new Promise(resolve => {
    setTimeout(() => {
        cb();
        resolve();
    }, timeout);
});

然后你可以这样称呼它:

const doStuffAsync = async () => {
    await setAsyncTimeout(() => {
        // Do stuff
    }, 1000);

    await setAsyncTimeout(() => {
        // Do more stuff
    }, 500);

    await setAsyncTimeout(() => {
        // Do even more stuff
    }, 2000);
};

doStuffAsync();

我提出了一个要点:https ://gist.github.com/DaveBitter/f44889a2a52ad16b6a5129c39444bb57

于 2019-02-19T18:13:08.413 回答
7
var testAwait = function () {
    var promise = new Promise((resolve, reject) => {
        setTimeout(() => {
            resolve('Inside test await');
        }, 1000);
    });
    return promise;
}

var asyncFunction = async function() {
    await testAwait().then((data) => {
        console.log(data);
    })
    return 'hello asyncFunction';
}

asyncFunction().then((data) => {
    console.log(data);
});

//Inside test await
//hello asyncFunction
于 2019-09-22T14:11:36.590 回答
4
await new Promise(resolve => setTimeout(() => { resolve({ data: 'your return data'}) }, 1000))
于 2021-05-23T04:52:20.787 回答
3

这是我现在在 2020 年在 AWS labdas 中使用 nodejs 的版本

const sleep = require('util').promisify(setTimeout)

async function f1 (some){
...
}

async function f2 (thing){
...
}

module.exports.someFunction = async event => {
    ...
    await f1(some)
    await sleep(5000)
    await f2(thing)
    ...
}
于 2020-05-27T02:41:16.440 回答
2
await setTimeout(()=>{}, 200);

如果您的 Node 版本为 15 及以上,则可以使用。

于 2020-10-28T21:01:26.357 回答
1

根据Dave回答制作了一个实用程序

基本上done是在操作完成时传入一个回调来调用。

// Function to timeout if a request is taking too long
const setAsyncTimeout = (cb, timeout = 0) => new Promise((resolve, reject) => {
  cb(resolve);
  setTimeout(() => reject('Request is taking too long to response'), timeout);
});

这就是我使用它的方式:

try {
  await setAsyncTimeout(async done => {
    const requestOne = await someService.post(configs);
    const requestTwo = await someService.get(configs);
    const requestThree = await someService.post(configs);
    done();
  }, 5000); // 5 seconds max for this set of operations
}
catch (err) {
  console.error('[Timeout] Unable to complete the operation.', err);
}
于 2020-03-25T01:48:34.880 回答
0

以下代码适用于 Chrome 和 Firefox 以及其他浏览器。

function timeout(ms) {
    return new Promise(resolve => setTimeout(resolve, ms));
}
async function sleep(fn, ...args) {
    await timeout(3000);
    return fn(...args);
}

但在 Internet Explorer 中,我得到一个语法错误"(resolve **=>** setTimeout..."

于 2019-07-17T06:54:49.420 回答
0

如何一次记录所有响应?

async function sayHello(name) {
  let greet = `Hey! ${name} very nice to meet you bud.`;
  setTimeout(() => {
    return {
      greet,
      createdAt: new Date(),
    };
  }, 1000);
}

const response1 = async () => await sayHello("sounish");
const response2 = async () => await sayHello("alex");
const response3 = async () => await sayHello("bill");

async function getData() {
  const data1 = await sayHello("sounish");
  const data2 = await sayHello("alex");
  const data3 = await sayHello("bill");
  return { data1, data2, data3 };
}

Promise.all([sayHello("sounish"), sayHello("alex"), sayHello("bill")]).then(
  (allResponses) => {
    console.log({ allResponses });
  }
);

getData().then((allData) => {
  console.log({ allData });
});
于 2021-12-05T07:40:49.660 回答
0

我将这段代码片段留给想要获取 API 调用(例如获取客户端)的人setTimeout

const { data } = await new Promise(resolve => setTimeout(resolve, 250)).then(() => getClientsService())
setName(data.name || '')
setEmail(data.email || '')
于 2022-01-13T06:54:40.627 回答
-6

这是单行中的更快修复。

希望这会有所帮助。

// WAIT FOR 200 MILISECONDS TO GET DATA //
await setTimeout(()=>{}, 200);
于 2019-08-07T09:10:52.720 回答