Example 1: javascript array find highest value of array of objects by key
Math.max.apply(Math, array.map(function(o) { return o.y; }))
Example 2: How to find the max id in an array of objects in JavaScript
const shots = [
{id: 1, amount: 2},
{id: 2, amount: 4},
{id: 3, amount: 52},
{id: 4, amount: 36},
{id: 5, amount: 13},
{id: 6, amount: 33}
];
shots.reduce((acc, shot) => acc = acc > shot.amount ? acc : shot.amount, 0);
Example 3: Obtain smallest value from array of objects in Javascript
myArray.sort(function (a, b) {
return a.Cost - b.Cost
})
var min = myArray[0],
max = myArray[myArray.length - 1]
Example 4: max value array of object javascript
Math.max(...arr.map(o => o.value));
Example 5: how to find max number in array javascript
const array1 = [1, 3, 2];
console.log(Math.max(...array1));
Example 6: get object with max value javascript
let objects = [{id: 0, votes: 5}, {id: 1, votes: 3}, {id: 2, votes: 11}]
let maxObj = objects.reduce((max, obj) => (max.votes > obj.votes) ? max : obj);
/* `max` is always the object with the highest value so far.
* If `obj` has a higher value than `max`, then it becomes `max` on the next iteration.
* So here:
* | max = {id: 0, votes: 5}, obj = {id: 1, votes: 3}
* | max = {id: 0, votes: 5}, obj = {id: 2, votes: 11}
* reduced = {id: 2, votes: 11}
*/