• 设为首页
  • 点击收藏
  • 手机版
    手机扫一扫访问
    迪恩网络手机版
  • 关注官方公众号
    微信扫一扫关注
    公众号

TypeScript sampleCombine.default函数代码示例

原作者: [db:作者] 来自: [db:来源] 收藏 邀请

本文整理汇总了TypeScript中xstream/extra/sampleCombine.default函数的典型用法代码示例。如果您正苦于以下问题:TypeScript default函数的具体用法?TypeScript default怎么用?TypeScript default使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。



在下文中一共展示了default函数的5个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的TypeScript代码示例。

示例1: update

 .map(project =>
   frame$
     .compose(sampleCombine(input$))
     .fold(
       (state, [frame, input]) => update(state, frame, input),
       stateFromProject(project)
     )
开发者ID:helix-pi,项目名称:helix-pi,代码行数:7,代码来源:editor.ts


示例2: main

function main(sources: any) {
  const {DOM, Time} = sources;

  const speed$ = DOM.select('.speed')
    .events('input')
    .map((ev: any) => ev.target.value)
    .startWith(maxSpeed / 2);

  const height$ = DOM.select('.height')
    .events('input')
    .map((ev: any) => ev.target.value)
    .startWith(maxHeight / 2);

  const nodeCount$ = DOM.select('.node-count')
    .events('input')
    .map((ev: any) => ev.target.value)
    .startWith(45);

  const time$ = Time.animationFrames().map(({time}: any) => time);

  return {
    DOM: time$
      .compose(sampleCombine(speed$, height$, nodeCount$))
      .map(
        ([timestamp, speed, height, nodeCount]: [
          number,
          number,
          number,
          number
        ]) =>
          div('.time', [
            nodes(timestamp, speed, height, nodeCount),
            'Speed',
            input('.speed', {
              props: {type: 'range', min: 1, max: maxSpeed, value: speed},
            }),
            'Height',
            input('.height', {
              props: {type: 'range', min: 1, max: maxHeight, value: height},
            }),
            'Nodes',
            input('.node-count', {
              props: {
                type: 'range',
                min: 1,
                max: maxNodeCount,
                value: nodeCount,
              },
            }),
          ])
      ),
  };
}
开发者ID:ntilwalli,项目名称:cyclejs,代码行数:53,代码来源:index.ts


示例3: main

function main({ time, DOM }) {

  const raf$ = time.animationFrames()

  const pause$ = DOM
    .select("document")
    .events("keyup")
    .filter(event => event.keyCode == 32)
    .fold(acc => !acc, false)

  return {
    DOM: raf$
      .compose(sampleCombine(pause$))
      .filter(([_, paused]) => !paused)
      .fold(updateState, links)
      .map(render)
  }
}
开发者ID:atomrc,项目名称:find.thomasbelin.fr,代码行数:18,代码来源:application.ts


示例4: DOMDriver

  function DOMDriver(vnode$: Stream<VNode>, name = 'DOM'): MainDOMSource {
    domDriverInputGuard(vnode$);
    const sanitation$ = xs.create<null>();

    const firstRoot$ = domReady$.map(() => {
      const firstRoot = getValidNode(container) || document.body;
      vnodeWrapper = new VNodeWrapper(firstRoot);
      return firstRoot;
    });

    // We need to subscribe to the sink (i.e. vnode$) synchronously inside this
    // driver, and not later in the map().flatten() because this sink is in
    // reality a SinkProxy from @cycle/run, and we don't want to miss the first
    // emission when the main() is connected to the drivers.
    // Read more in issue #739.
    const rememberedVNode$ = vnode$.remember();
    rememberedVNode$.addListener({});

    // The mutation observer internal to mutationConfirmed$ should
    // exist before elementAfterPatch$ calls mutationObserver.observe()
    mutationConfirmed$.addListener({});

    const elementAfterPatch$ = firstRoot$
      .map(
        firstRoot =>
          xs
            .merge(rememberedVNode$.endWhen(sanitation$), sanitation$)
            .map(vnode => vnodeWrapper.call(vnode))
            .startWith(addRootScope(toVNode(firstRoot)))
            .fold(patch, toVNode(firstRoot))
            .drop(1)
            .map(unwrapElementFromVNode)
            .startWith(firstRoot as any)
            .map(el => {
              mutationObserver.observe(el, {
                childList: true,
                attributes: true,
                characterData: true,
                subtree: true,
                attributeOldValue: true,
                characterDataOldValue: true,
              });
              return el;
            })
            .compose(dropCompletion) // don't complete this stream
      )
      .flatten();

    const rootElement$ = concat(domReady$, mutationConfirmed$)
      .endWhen(sanitation$)
      .compose(sampleCombine(elementAfterPatch$))
      .map(arr => arr[1])
      .remember();

    // Start the snabbdom patching, over time
    rootElement$.addListener({error: reportSnabbdomError});

    const delegator = new EventDelegator(rootElement$, isolateModule);

    return new MainDOMSource(
      rootElement$,
      sanitation$,
      [],
      isolateModule,
      delegator,
      name
    );
  }
开发者ID:cyclejs,项目名称:cyclejs,代码行数:68,代码来源:makeDOMDriver.ts


示例5: Project

function Project(sources: IOnionifySources): IOnionifySinks {
  const project$ = sources.onion.state$;

  const nameComponent = isolate(ProjectName)({
    ...sources,
    name$: project$.map((project: any) => project.name)
  });

  const changeName$ = nameComponent.nameChange$.map(
    (name: string) => (project: any): any => ({
      ...project,
      name
    })
  );

  const record$ = sources.DOM.select(".record").events("click");
  const stopRecording$ = sources.DOM.select(".stop-recording").events("click");

  const recording$ = xs
    .merge(record$.mapTo(true), stopRecording$.mapTo(false))
    .startWith(false)
    .remember();

  const play$ = sources.DOM.select(".play").events("click");
  const pause$ = sources.DOM.select(".pause").events("click");

  const playing$ = xs
    .merge(recording$, play$.mapTo(true), pause$.mapTo(false))
    .startWith(false)
    .remember();

  const keydown$ = sources.DOM
    .select("document")
    .events("keydown")
    .map((ev: KeyboardEvent) => ev.key.toLowerCase());

  const keyup$ = sources.DOM
    .select("document")
    .events("keyup")
    .map((ev: KeyboardEvent) => ev.key.toLowerCase());

  const recordKeydown$ = keydown$
    .compose(sampleCombine(recording$))
    .map(([key, recording]) => {
      return function(project: Project): Project {
        if (!recording || project.lastInput === key) {
          return project;
        }

        if (project.keys.indexOf(key) === -1) {
          return project;
        }

        const scenario = activeScenario(project) as Scenario;

        scenario.input[project.currentFrame] =
          scenario.input[project.currentFrame] || [];

        scenario.input[project.currentFrame].push({ type: "keydown", key });

        project.lastInput = key;

        return project;
      };
    });

  const recordKeyup$ = keyup$
    .compose(sampleCombine(recording$))
    .map(([key, recording]) => {
      return function(project: Project): Project {
        if (!recording) {
          return project;
        }

        const scenario = activeScenario(project) as Scenario;

        scenario.input[project.currentFrame] =
          scenario.input[project.currentFrame] || [];

        scenario.input[project.currentFrame].push({ type: "keyup", key });

        project.lastInput = null;

        return project;
      };
    });

  const actorMouseDown$ = sources.DOM
    .select(".simulation.main .actor")
    .events("mousedown")
    .map((ev: any) => {
      const actorId = ev.target.id;

      ev.stopPropagation(); // I am evil

      return actorId;
    });

  const mouseUp$ = sources.DOM.select("document").events("mouseup");

//.........这里部分代码省略.........
开发者ID:helix-pi,项目名称:helix-pi,代码行数:101,代码来源:editor.ts



注:本文中的xstream/extra/sampleCombine.default函数示例由纯净天空整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。


鲜花

握手

雷人

路过

鸡蛋
该文章已有0人参与评论

请发表评论

全部评论

专题导读
上一篇:
TypeScript xterm.Terminal类代码示例发布时间:2022-05-25
下一篇:
TypeScript dropRepeats.default函数代码示例发布时间:2022-05-25
热门推荐
热门话题
阅读排行榜

扫描微信二维码

查看手机版网站

随时了解更新最新资讯

139-2527-9053

在线客服(服务时间 9:00~18:00)

在线QQ客服
地址:深圳市南山区西丽大学城创智工业园
电邮:jeky_zhao#qq.com
移动电话:139-2527-9053

Powered by 互联科技 X3.4© 2001-2213 极客世界.|Sitemap