0

我一直在学习 Ramda,想知道如何按索引对n数组求和。下面是我能用 2 个数组做的事情。我怎样才能使这种方法规模化?

即我希望能够做到这一点:sumByIndex( arr1, arr2, ..., arrn )

给定列表xand y,结果数组应该 yield [x0 + y0, x1 + y1, ..., xn + yn]。因此,对于n-array的情况,结果数组应该是[ a[0][0] + a[1][0] + ... a[n][0], a[0][1] + a[1][1] + ... a[n][1], ..., a[0][n] + a[1][n] + ... + a[n][n] ]wherea[n]数组作为 position 的参数n

var array1 = [1,2,3];
var array2 = [2,4,6];

var sumByIndex = R.map(R.sum);
var result = sumByIndex(R.zip(array1, array2));

$('pre').text(JSON.stringify(result, true));
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/ramda/0.18.0/ramda.min.js"></script>
<pre></pre>

4

3 回答 3

1

为了实现这一点,我们将从创建一些通用辅助函数开始:

// a new version of `map` that includes the index of each item
var mapI = R.addIndex(R.map);

// a function that can summarise a list of lists by their respective indices
var zipNReduce = R.curry(function(fn, lists) {
  return mapIndexed(function (_, n) {
    return fn(R.pluck(n, lists));
  }, R.head(lists));
});

一旦我们有了这些,我们就可以sumByIndex通过传递R.sumzipNReduce上面定义的来创建。

var sumByIndex = zipNReduce(R.sum);
sumByIndex([[1, 2, 3], [4, 5, 6], [7, 8, 9]]); // [12, 15, 18]

如果您希望创建一个接受不同数量的数组作为参数而不是数组数组的函数,您可以简单地将其包装为R.unapply

var sumByIndex_ = R.unapply(sumByIndex);
sumByIndex_([1, 2, 3], [4, 5, 6], [7, 8, 9]); // [12, 15, 18]

而且,如果您可能要处理不同大小的列表,我们可以R.sum稍微改变一下,将未定义的值默认为零:

var sumDefaultZero = R.reduce(R.useWith(R.add, [R.identity, R.defaultTo(0)]), 0);
var sumByIndexSafe = zipNReduce(sumDefaultZero);
sumByIndexSafe([[1, 2, 3], [], [7, 9]]); // [8, 11, 3]
于 2015-11-18T05:15:57.653 回答
1

我发现答案有点冗长。最好保持简单。

import { compose, map, unnest, zip, sum } from 'ramda';

const a = [1,2,3]
const b = [4,5,6]
const c = [7,8,9]

function groupByIndex(/*[1,2,4], [4,5,6], ...*/) {
  return [...arguments].reduce(compose(map(unnest), zip));
}

const sumByIndex = map(sum);
const res = sumByIndex(groupByIndex(a,b,c))
// => [12,15,18]
于 2017-07-01T09:11:31.573 回答
1

我参加聚会有点晚了,但假设所有数组的长度相同,我们可以将第一个数组作为归约函数的初始值。其余部分使用添加两个数字的 zipWith 函数进行迭代。

const {unapply, converge, reduce, zipWith, add, head, tail} = R;

const a = [1,2,3];
const b = [4,5,6];
const c = [7,8,9];

var zipSum = 
  unapply(
    converge(
      reduce(zipWith(add)), [
        head,
        tail]));


var res = zipSum(a, b, c);

console.log(res);
<script src="https://cdnjs.cloudflare.com/ajax/libs/ramda/0.25.0/ramda.js"></script>

于 2018-11-10T20:49:53.753 回答