To find the median of an array, first sort the array and then find the middle element.
- Sort the array in ascending order.
- If the array has an odd length, return the middle element.
- If the array has an even length, return the average of the two middle elements.
function findMedian(arr) {
arr.sort((a, b) => a - b);
const mid = Math.floor(arr.length / 2);
return arr.length % 2 !== 0 ? arr[mid] : (arr[mid - 1] + arr[mid]) / 2;
}
// Example usage
console.log(findMedian([1, 3, 5, 2, 4])); // Output: 3
console.log(findMedian([7, 1, 2, 8])); // Output: 4.5
This method has a time complexity of O(n log n), where n is the length of the array.
Tags: intermediate, JavaScript, Arrays, Algorithm