How to select Min/Max dates in an array using JavaScript ?

Given an array of JavaScript date. The task is to get the minimum and maximum date of the array using JavaScript.
Below are the following approaches:
- Use Math.max.apply() and Math.min.apply() Methods
- Use reduce() Method
Approach 1: Use Math.max.apply() and Math.min.apply() Methods
- Get the JavaScript dates in an array.
- Use Math.max.apply() and Math.min.apply() function to get the maximum and minimum dates respectively.
Example: In this example, the maximum and minimum date is determined by the above approach.
Javascript
| let dates = [];dates.push(newDate("2019/06/25"));dates.push(newDate("2019/06/26"));dates.push(newDate("2019/06/27"));dates.push(newDate("2019/06/28"));functionGFG_Fun() {    let maximumDate = newDate(Math.max.apply(null, dates));    let minimumDate = newDate(Math.min.apply(null, dates));    console.log("Max date is - "+ maximumDate);    console.log("Min date is - "+ minimumDate);}GFG_Fun(); | 
Output
Max date is - Fri Jun 28 2019 00:00:00 GMT+0000 (Coordinated Universal Time) Min date is - Tue Jun 25 2019 00:00:00 GMT+0000 (Coordinated Universal Time)
Approach 2: Use reduce() method
- Get the JavaScript dates in an array.
- Use reduce() method in an array of dates and define the respective function for the maximum and minimum dates.
Example: In this example, the maximum and minimum date is determined by the above approach.
Javascript
| let dates = [];dates.push(newDate("2019/06/25"));dates.push(newDate("2019/06/26"));dates.push(newDate("2019/06/27"));dates.push(newDate("2019/06/28"));functionGFG_Fun() {    let mnDate = dates.reduce(function(a, b) {        returna < b ? a : b;    });    let mxDate = dates.reduce(function(a, b) {        returna > b ? a : b;    });    console.log("Max date is - "+ mxDate);    console.log("Min date is - "+ mnDate);}GFG_Fun(); | 
Output
Max date is - Fri Jun 28 2019 00:00:00 GMT+0000 (Coordinated Universal Time) Min date is - Tue Jun 25 2019 00:00:00 GMT+0000 (Coordinated Universal Time)
 
				 
					


