我想用 rxjs 查找字符串序列

I want to find string sequence with rxjs

我想用 rxjs 查找字符串序列

例如

目标字符串:01234010

匹配字符串:01

答案 = 2

我有一个使用 javascript

的解决方案
let index = 0;
while (true) {
  let foundIndex = targetSequence.indexOf(matchSequence, index);
  if (foundIndex == -1) break;

  index = foundIndex + 1;
}

但问题是我必须将 rxjs 与那些骨架代码一起使用

import { from, Observable } from "rxjs";
const targetSequence = `01234010`;
const matchSequence = "01";

const _target = from(targetSequence);
const _output: Observable<number> = _target.pipe(
  // here is your code
);

_output.subscribe({
    next: val => console.log(`count : ${val}`)
  });

你们有什么想法吗?

为此,您可以使用 rxJS 运算符 map

例如

const targetSequence = '01234010';
const matchSequence = '01';

const _target = of(targetSequence);
const _output = _target.pipe(
  map((val) => {
    let foundIndex = val.indexOf(matchSequence);
    return foundIndex + matchSequence.length;
  })
);

_output.subscribe({next: (val) => console.log(val)})

注意: 我使用 of 方法生成可观察对象,为每个字符使用 from 发射。我还稍微修改了您查找结果的方法,但我认为它实现了您想要的。