列出并隔离Cycle.js中的3个项目

时间:2016-07-25 21:37:44

标签: cyclejs xstream-js

作为一个新手我试图在Cycle.js中制作列出3项。但代码有bug。 我制作了jsbin并将代码放在下面

http://jsbin.com/labonut/10/edit?js,output

问题:当我点击最后一个复选框时,它会添加新复选框(我不想要),而旧复选框不会更改它的“开/关”标签。除了最后一个之外,所有都没有反应。我做错了什么?

const xs = xstream.default;
const {div, span, input, label, makeDOMDriver} = CycleDOM;

function List(sources) {

  sources.DOM
  var vdom$ = xs.fromArray([
    {text: 'Hi'},
    {text: 'My'},
    {text: 'Ho'}
  ])
    .map(x => isolate(ListItem)({Props: xs.of(x), DOM: sources.DOM}))
    .map(x => x.DOM)
    .flatten()
    .fold((x, y) => x.concat([y]), [])
    .map(x => div('.list', x));

  return {
    DOM: vdom$
  }
}

function ListItem(sources) {
  const domSource = sources.DOM;
  const props$ = sources.Props;

  var newValue$ = domSource
    .select('.checker')
    .events('change')
    .map(ev => ev.target.checked);

  var state$ = props$
    .map(props => newValue$
      .map(val => ({
        checked: val,
        text: props.text
      }))
      .startWith(props)
    )
    .flatten();

  var vdom$ = state$
      .map(state => div('.listItem',[
        input('.checker',{attrs: {type: 'checkbox', id: 'toggle'}}),
        label({attrs: {for: 'toggle'}}, state.text),
        " - ",
        span(state.checked ? 'ON' : 'off')
      ]));
  return {
    DOM: vdom$
  }
}


Cycle.run(List, {
  DOM: makeDOMDriver('#app')
});

2 个答案:

答案 0 :(得分:3)

稍短的变种。

第1行,获取Items Dom流数组。

第二行,然后将流组合成一个流并将元素包装到父div

function List(sources) {

  var props = [
    {text: 'Hi'},
    {text: 'My'},
    {text: 'Ho'}
  ];

  var items = props.map(x => isolate(ListItem)({Props: xs.of(x), DOM: sources.DOM}).DOM);

  var vdom$ = xs.combine(...items).map(x => div('.list', x));

  return {
    DOM: vdom$
  }
}

答案 1 :(得分:1)

灵感来自Vladimir's answer这里的旧学校"他答案的变化和我原来答案的改进:

function List(sources) {

  const props = [
    {text: 'Hi'},
    {text: 'My'},
    {text: 'Ho'}
  ];

  var items = props.map(x => isolate(ListItem)({Props: xs.of(x), DOM: sources.DOM}).DOM);

  const vdom$ = xs.combine.apply(null, items)
    .map(x => div('.list', x));

  return {
    DOM: vdom$
  };
}

Old school JSBin demo

(原始答案。)

问题出现在您的List功能中。坦率地说,我不知道原因,但已经找到了另一个解决方案:

function List(sources) {

  const props = [
    {text: 'Hi'},
    {text: 'My'},
    {text: 'Ho'}
  ];

  function isolateList (props) {
    return props.reduce(function (prev, prop) {
      return prev.concat(isolate(ListItem)({Props: xs.of(prop), DOM: sources.DOM}).DOM);
    }, []);
  }

  const vdom$ = xs.combine.apply(null, isolateList(props))
    .map(x => div('.list', x));

  return {
    DOM: vdom$
  };
}

JSBin demo

这里的一个区别是我没有流式传输props对象中的项目。相反,我将数组传递给reduce一个列表项vdom流数组的道具,然后apply将该数组传递给xstream {{1}工厂。