什么是使用Ramda将字段添加到数组中最后一个出现对象的最佳方法?

时间:2016-02-17 15:23:35

标签: list ramda.js

假设我有一个简单的对象数组,它们都有一个类型字段:

    let arr = [
  {
    "name": "First",
    "type": "test"
  },
  {
    "name": "Second",
    "type": "test"
  },
  {
    "name": "Third",
    "type": "test2"
  },
  {
    "name": "Fourth",
    "type": "test2"
  },
  {
    "name": "Fifth",
    "type": "test3"
  },
  {
    "name": "Sixth",
    "type": "test3"
  }
    ]

使用Ramda将字段添加到每种类型的最后一次出现的最佳方法是什么?

得到:

    let newArr = [
  {
    "name": "First",
    "type": "test"
  },
  {
    "name": "Second",
    "type": "test",
    "last": true
  },
  {
    "name": "Third",
    "type": "test2"
  },
  {
    "name": "Fourth",
    "type": "test2",
    "last": true
  },
  {
    "name": "Fifth",
    "type": "test3"
  },
  {
    "name": "Sixth",
    "type": "test3",
    "last": true
  }
    ]

我真的无法绕过它!提前致谢! :)

2 个答案:

答案 0 :(得分:1)

这是一个可能的解决方案:

//    f :: [{ type :: a }] -> [{ type :: a, last :: Boolean }]
const f = R.addIndex(R.map)((x, idx, xs) =>
  R.assoc('last',
          R.none(R.propEq('type', x.type), R.drop(idx + 1, xs)),
          x));

对于列表中的每个值,我们展望未来是否存在具有相同type属性的后续值。

答案 1 :(得分:0)

我猜测你的数据被分组显示,不同类型的元素没有穿插。如果猜测错误,则需要有不同的解决方案。

我的版本涉及两个辅助函数,一个根据谓词对列表进行分组,该谓词报告两个(连续)值是否属于一起:

const breakWhen = R.curry(
  (pred, list) => R.addIndex(R.reduce)((acc, el, idx, els) => {
    if (idx === 0 || !pred(els[idx - 1], el)) {
      acc.push([el])
    } else {
      acc[acc.length - 1].push(el);
    }
    return acc;
  }, [], list)
);

第二个Lens专注于列表的最后一个元素:

const lastLens = R.lens(R.last, (a, s) => R.update(s.length - 1, a, s));

使用这两个,您可以构建一个如下函数:

const checkLasts = R.pipe(
  breakWhen(R.eqProps('type')),
  R.map(R.over(lastLens, R.assoc('last', true))),
  R.flatten
);

checkLasts(arr);

breakWhen的实施非常糟糕。我相信还有更好的东西。该功能结合了Ramda的splitEverysplitWhen

的创意

这与David Chambers的解决方案略有不同,因为它没有向其余元素添加last: false属性。但显然它更复杂。如果数据未按预期分组,则其中任何一个都将失败。