How to find Min & Max properties in an array of objects in Javascript

I have the following javascript object:

Person1.Name = "John"; Person1.Age = 12; Person2.Name = "Joe"; Person2.Age = 5; 

Then I have an array of people, how can I find Min / Max based on the age of people?

Any solution in Javascript or JQuery is valid.

Your help is greatly appreciated.

+4
source share
2 answers

Say your array looks like this:

 var persons = [{Name:"John",Age:12},{Name:"Joe",Age:5}]; 

then you can:

 var min = Math.min.apply(null, persons.map(function(a){return a.Age;})) ,max = Math.max.apply(null, persons.map(function(a){return a.Age;})) 

[ Change ] Added ES2015 method:

 const minmax = (someArrayOfObjects, someKey) => { const values = someArrayOfObjects.map( value => value[someKey] ); return { min: Math.min.apply(null, values), max: Math.max.apply(null, values) }; }; console.log( minmax( [ {Name: "John", Age: 12}, {Name: "Joe", Age: 5}, {Name: "Mary", Age: 3}, {Name: "James sr", Age: 93}, {Name: "Anne", Age: 33} ], 'Age') ); 
+16
source

First, you sort the array using a custom sort function :

 var sorted = persons.sort(function(a, b) { if(a.Age > b.Age) return 1; else if(a.Age < b.Age) return -1; else return 0; }); 

Then you can just take the first and last:

 var min = sorted[0], max = sorted[sorted.length - 1]; 
+1
source

All Articles