Javascript rewrite

196 Views Asked by At

The code writes a function that takes a string consisting of one or more space separated words, and returns an object that shows the number of words of different sizes.

function wordSizes(sentence = ''){
  if(!sentence){
    return {};
  }
  return sentence.split(' ').reduce((acc,v)=>{
    acc[v.length] = acc[v.length] ? [...acc[v.length], v] : [v];
    return acc;
  },{});
}
console.log(wordSizes("What's up doc?")); // {2: "up", 4: "doc?", 6: "What's"}

I want to return this instead where the actual word is replaced by the length count. Can some one help me.{ "2": 1, "4": 1, "6": 1 }

2

There are 2 best solutions below

0
On

You were on the right track

acc[v.length] = acc[v.length] || 0;
acc[v.length]++;
return acc;

or

acc[v.length] = (acc[v.length] || 0) + 1;
return acc;

or

acc[v.length] = acc[v.length] ? acc[v.length]++ : 1;
return acc;
0
On

One line to modify, just count length instead

acc[v.length] = acc[v.length] ? acc[v.length] + 1 : 1;

function wordSizes(sentence = ''){
  if(!sentence){
    return {};
  }
  return sentence.split(' ').reduce((acc,v)=>{
    acc[v.length] = acc[v.length] ? acc[v.length] + 1 : 1;
    return acc;
  },{});
}
console.log(wordSizes("What's up up doc?")); 

or one line

const wordSizes = (sentence = '') =>
  sentence.split(' ').reduce((acc,v) => ({...acc, [v.length]: (acc[v.length] || 0) + 1 }), {})

console.log(wordSizes("What's up up doc?"));