- concat
- 签名:
concat(observables: ...*): Observable
- 签名:
- 按照顺序,前一个 observable 完成了再订阅下一个 observable 并发出值。
- 示例
- 示例 1: concat 2个基础的 observables
- 示例 2: concat 作为静态方法
- 示例 3: 使用延迟的 souce observable 进行 concat
- 示例 4: 使用不完成的 source observable 进行 concat
- 示例
- 其他资源
concat
签名: concat(observables: ...*): Observable
按照顺序,前一个 observable 完成了再订阅下一个 observable 并发出值。
你可以把 concat 想象成 ATM 机前的长队,下一次交易 (subscription) 不能在前一个交易完成前开始!
此操作符可以既有静态方法,又有实例方法!
如果生产量是首要考虑的,而不需要关心产生值的顺序,那么试试用 merge 来代替!
示例
( 示例测试 )
示例 1: concat 2个基础的 observables
( StackBlitz |
jsBin |
jsFiddle )
import { concat } from 'rxjs/operators';
import { of } from 'rxjs/observable/of';
// 发出 1,2,3
const sourceOne = of(1, 2, 3);
// 发出 4,5,6
const sourceTwo = of(4, 5, 6);
// 先发出 sourceOne 的值,当完成时订阅 sourceTwo
const example = sourceOne.pipe(concat(sourceTwo));
// 输出: 1,2,3,4,5,6
const subscribe = example.subscribe(val =>
console.log('Example: Basic concat:', val)
);
示例 2: concat 作为静态方法
( StackBlitz |
jsBin |
jsFiddle )
import { of } from 'rxjs/observable/of';
import { concat } from 'rxjs/observable/concat';
// 发出 1,2,3
const sourceOne = of(1, 2, 3);
// 发出 4,5,6
const sourceTwo = of(4, 5, 6);
// 作为静态方法使用
const example = concat(sourceOne, sourceTwo);
// 输出: 1,2,3,4,5,6
const subscribe = example.subscribe(val => console.log(val));
示例 3: 使用延迟的 souce observable 进行 concat
( StackBlitz |
jsBin |
jsFiddle )
import { delay, concat } from 'rxjs/operators';
import { of } from 'rxjs/observable/of';
// 发出 1,2,3
const sourceOne = of(1, 2, 3);
// 发出 4,5,6
const sourceTwo = of(4, 5, 6);
// 延迟3秒,然后发出
const sourceThree = sourceOne.pipe(delay(3000));
// sourceTwo 要等待 sourceOne 完成才能订阅
const example = sourceThree.pipe(concat(sourceTwo));
// 输出: 1,2,3,4,5,6
const subscribe = example.subscribe(val =>
console.log('Example: Delayed source one:', val)
);
示例 4: 使用不完成的 source observable 进行 concat
( StackBlitz |
jsBin |
jsFiddle )
import { interval } from 'rxjs/observable/interval';
import { of } from 'rxjs/observable/of';
import { concat } from 'rxjs/observable/concat';
// 当 source 永远不完成时,随后的 observables 永远不会运行
const source = concat(interval(1000), of('This', 'Never', 'Runs'));
// 输出: 0,1,2,3,4....
const subscribe = source.subscribe(val =>
console.log(
'Example: Source never completes, second observable never runs:',
val
)
// 输出: 0,1,2,3,4....
const subscribe = source.subscribe(val => console.log('Example: Source never completes, second observable never runs:', val));
其他资源
- concat - 官方文档
- 组合操作符: concat, startWith - André Staltz
源码: https://github.com/ReactiveX/rxjs/blob/master/src/internal/operators/concat.ts