Rxjs 如何按顺序执行 Promise

发布于 2022-09-11 23:59:15 字数 1175 浏览 13 评论 0

Rxjs 如何按顺序执行 Promise

相关代码

const { of, from, forkJoin } = require("rxjs");
const { catchError } = require("rxjs/operators");

const the_test1 = new Promise((resolve, reject) => {
  setTimeout(() => {
    reject("fail");
  }, 2000);
});

const the_test2 = new Promise(resolve => {
  setTimeout(() => {
    resolve("success");
  }, 2000);
});

const the_test3 = new Promise(resolve => {
  setTimeout(() => {
    resolve("success");
  }, 2000);
});

const promiseToObservable = promise => {
  return from(promise).pipe(catchError(err => of(err)));
};

const StartTime = new Date().getTime();
forkJoin([
  promiseToObservable(the_test1),
  promiseToObservable(the_test2),
  promiseToObservable(the_test3)
]).subscribe(val => {
  console.log(val);
  console.log(new Date().getTime() - StartTime);
});

在线调试

https://codesandbox.io/s/bold-blackburn-p2nhy

问题描述

希望等待 the_test1 执行完成后再执行 the_test2,the_test2 执行完成后再执行 the_test3。6s 后返回结果而不是并发执行。

你期待的结果是什么?

目前为并发执行,大约 2s 左右返回接口,希望串行,大约 6s 左右返回结果

如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。

扫码二维码加入Web技术交流群

发布评论

需要 登录 才能够评论, 你可以免费 注册 一个本站的账号。

评论(1

隔岸观火 2022-09-18 23:59:16

首先你要明白 new Promise(executor)executor 方法是立即执行的,所以你的问题不在 RxJS 而在你创建几个 the_test 的时候就已经开始跑异步逻辑了。

解决方式有很多种,下面是一个例子

const { of } = require("rxjs");
const { concatMap, reduce, catchError } = require("rxjs/operators");

const the_test1 = () =>
  new Promise((resolve, reject) => {
    setTimeout(() => {
      reject("fail");
    }, 2000);
  });

const the_test2 = () =>
  new Promise(resolve => {
    setTimeout(() => {
      resolve("success");
    }, 2000);
  });


const the_test3 = () =>
  new Promise(resolve => {
    setTimeout(() => {
      resolve("success");
    }, 2000);
  });

console.log('starting...');
const StartTime = new Date().getTime();
of(the_test1, the_test2, the_test3).pipe(
  concatMap(test => test().catch(err => err)),
  reduce((acc, cur) => [...acc, cur], [])
).subscribe(val => {
  console.log(val);
  console.log(new Date().getTime() - StartTime);
});

~没有更多了~
我们使用 Cookies 和其他技术来定制您的体验包括您的登录状态等。通过阅读我们的 隐私政策 了解更多相关信息。 单击 接受 或继续使用网站,即表示您同意使用 Cookies 和您的相关数据。
原文