Add mostFrequent

This commit is contained in:
Angelos Chalaris
2020-01-03 15:32:46 +02:00
parent a3fdf9c6c4
commit 27ecf5fd86
2 changed files with 31 additions and 0 deletions

23
snippets/mostFrequent.md Normal file
View File

@ -0,0 +1,23 @@
---
title: mostFrequent
tags: array,intermediate
---
Returns the most frequent element in an array.
Use `Array.prototype.reduce()` to map unique values to an object's keys, adding to existing keys every time the same value is encountered.
Use `Object.entries()` on the result in combination with `Array.prototype.reduce()` to get the most frequent value in the array.
```js
const mostFrequent = arr =>
Object.entries(arr.reduce(
(a, v) => {
a[v] = a[v] ? a[v] + 1 : 1;
return a;
}, {}
)).reduce((a, v) => v[1] >= a[1] ? v : a, [null, 0])[0];
```
```js
mostFrequent(['a', 'b', 'a', 'c', 'a', 'a', 'b']); // 'a'
```