3

我注意到,如果我ramda有时在尝试为Jest要导出的方法编写测试时遇到问题。我将问题归结为以下测试和两个基本的减速器功能。我已将它们张贴在上面gist,以免用代码堵塞这个问题。

https://gist.github.com/beardedtim/99aabe3b08ba58037b20d65343ed9d20

ramda减速器出现以下错误:

      ● counter usage › counter counts the words and their index in the given list of words

    expect(received).toEqual(expected)

    Expected value to equal:
      [{"count": 3, "indexes": [0, 2, 4], "value": "a"}, {"count": 1, "indexes": [1], "value": "b"}, {"count": 1, "indexes": [3], "value": "c"}]
    Received:
      [{"count": 15, "indexes": [0, 2, 4, 0, 2, 4, 0, 2, 4, 0, 2, 4, 0, 2, 4], "value": "a"}, {"count": 5, "indexes": [1, 1, 1, 1, 1], "value": "b"}, {"count": 5, "indexes": [3, 3, 3, 3, 3
], "value": "c"}]

这使我相信ramdareduce 是保持某种状态或words彼此共享。我不确定这是怎么发生的。任何人都知道我应该在谷歌上搜索什么或其他处理此问题的一些文档/示例?

4

2 回答 2

3

state Array( final) 被硬连线到reduceWithIndex. 对该函数的所有调用共享同一个final数组。

试试这个:

import { reduce, addIndex } from 'ramda';

const reduceWithIndex = addIndex(reduce)((final, word, index) => {
  const found = final.find(({ value }) =>
    value.toLowerCase() === word.toLowerCase()
  );
  if (found) {
    found.count++;
    found.indexes.push(index);
  } else {
    final.push({
      value: word.toLocaleLowerCase(),
      count: 1,
      indexes: [index],
    });
  }

  return final;
});

export default words => reduceWithIndex([], words);
于 2017-04-17T01:48:16.077 回答
1

托马斯的诊断是准确的。但我会选择一个稍微不同的修复:

import { reduce, addIndex, append } from 'ramda';

const reduceWithIndex = addIndex(reduce);

export default reduceWithIndex((final, word, index) => {
  const found = final.find(({ value }) =>
    value.toLowerCase() === word.toLowerCase()
  );
  if (found) {
    found.count++;
    found.indexes.push(index);
    return final;
  }
  return append({
      value: word.toLocaleLowerCase(),
      count: 1,
      indexes: [index],
  }, final);
}, []);

函数式编程涉及很多事情,但最重要的事情之一是不可变数据结构。尽管没有什么可以阻止您改变累加器对象并将其传递回减速器函数,但我发现它的风格很差。相反,总是返回一个新对象,你就不会遇到这样的问题。Ramda 的所有功能都是建立在这个原则之上的,所以在使用的时候append,你会自动得到一个新的列表。

我还建议更改if-block 以避免found对象的内部突变。我将把它留作练习,但如果很难做到,请随意 ping。

您可以在 Ramda REPL中看到原始解决方案更改版本之间的差异。

于 2017-04-17T03:35:03.123 回答