如何按顺序将流拆分为多个流

问题描述 投票:1回答:1

使用RxJS 6,

我有一个任意数据流:

[in] -> a, b, c, d, e, f, g, h, i, ....

我想以交替顺序将它分成固定数量的N个流(在这种情况下是3个输出流):

[out] -> stream1 -> a, d, g
      -> stream2 -> b, e, h
      -> stream3 -> c, f, i

或者更简单地说:

a => stream1
b => stream2
c => stream3
d => stream1
e => stream2
f => stream3
g => stream1
h => stream2
i => stream3

谁知道我怎么能这样做?

javascript rxjs rxjs6
1个回答
0
投票

您可以使用N迭代partition并在每次迭代中将您的流分成两部分:

import { from, merge } from 'rxjs';
import { partition, map } from 'rxjs/operators';

const source = from(['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i']);

function split(source, n) {
  const streams = [];
  let toSplit = source;
  for (let k = n; k > 0; --k) {
    const [stream, rest] = toSplit.pipe(
      partition((_, i) => i % k === 0)
    );
    streams.push(stream);
    toSplit = rest;
  }
  return streams;
}

const obs = split(source, 3);

const subscribe = merge(
  obs[0].pipe(map(val => `1: ${val}`)),
  obs[1].pipe(map(val => `2: ${val}`)),
  obs[2].pipe(map(val => `3: ${val}`)),
).subscribe(val => console.log(val));

See this StackBlitz example.

© www.soinside.com 2019 - 2024. All rights reserved.