使用js reduce()创建键值对,并创建一个数组作为值

时间:2019-03-31 12:51:25

标签: javascript arrays reduce

我在使用JavaScript的reduce()函数时遇到问题;我必须将数组作为值。我可以成功创建一个数组,但不能向其添加新值。

有一个包含单词的数组,我必须创建一个“映射”,其键是单词的第一个字母,值是以所述字母开头的单词。

arr = ["Here", "is", "a", "sentence", "with", "a", "lot", "of", "words"];

预期输出应为:

{ ​h: [ "here" ],
  ​i: [ "is" ],
  ​a: [ "a", "a" ],
  ​s: [ "sentence", ]​,
  w: [ "with", "words" ]​,
  l: [ "lot" ],
  ​o: [ "of" ]
}

这是我解决问题的方法,但它会覆盖现有值。

function my_func (param)
{
   return param.reduce ( (returnObj, arr) => {
    returnObj[arr.charAt(0)] = new Array(push(arr));
    return returnObj;
  } , {})

}

我尝试了此操作,但由于无法推断valueOf()的类型而产生错误,因此无法正常工作。


function my_func (param)
{
   return param.reduce ( (returnObj, arr) => {
    returnObj[arr.charAt(0)] = (new Array(returnObj[arr.charAt(0)].valueOf().push(arr)));
    return returnObj;
  } , {})

}

4 个答案:

答案 0 :(得分:0)

在下面查看我的解决方案。希望这会有所帮助!

const arr = ["Here", "is", "a", "sentence", "with", "a", "lot", "of", "words"];

const getWordsDict = (array) => array.reduce(
  (acc, word) => {
    const lowerCasedWord = word.toLowerCase()
    const wordIndex = lowerCasedWord.charAt(0)

    return {
      ...acc,
      [wordIndex]: [
        ...(acc[wordIndex] || []),
        lowerCasedWord,
      ],
    }
  }, 
  {}
)

console.log( getWordsDict(arr) )

答案 1 :(得分:0)

您每次都覆盖累加器对象的属性。相反,请使用||运算符检查是否已添加带有字符的项目,并创建一个新数组(如果尚不存在)。

let array = ["Here", "is", "a", "sentence", "with", "a", "lot", "of", "words"]

function my_func(param) {
  return param.reduce((acc, str) => {
    let char = str.charAt(0).toLowerCase();
    acc[char] = acc[char] || [];
    acc[char].push(str.toLowerCase());
    return acc;
  }, {})
}

console.log(my_func(array))

答案 2 :(得分:0)

var result = ["Here", "is", "a", "sentence", "with", "a", "lot", "of", "words"].reduce(function(map, value) {

  var groupKey = value.charAt(0).toLowerCase();
  var newValue = value.toLowerCase();

  return map[groupKey] = map.hasOwnProperty(groupKey) ? map[groupKey].concat(newValue) : [newValue], map;
}, {});

console.log( result );

答案 3 :(得分:0)

param.reduce((acc, el) => {
  const key = el[0] // use `el[0].toLowerCase()` for case-insensitive 
  if (acc.hasOwnProperty(key)) acc[key].push(el)
  else acc[key] = [el]
  return acc
}, {})