To merge two sorted arrays into one sorted array, use two pointers to compare the elements from both arrays.
- Initialize two pointers, one for each array.
- Compare the elements at the current pointers and add the smaller element to the result array.
- Move the pointer of the array from which the element was taken.
- If one array is exhausted, add the remaining elements of the other array to the result.
- Return the merged sorted array.
function mergeSortedArrays(arr1, arr2) {
let result = [];
let i = 0, j = 0;
while (i < arr1.length && j < arr2.length) {
if (arr1[i] < arr2[j]) {
result.push(arr1[i]);
i++;
} else {
result.push(arr2[j]);
j++;
}
}
return result.concat(arr1.slice(i), arr2.slice(j));
}
// Example usage
console.log(mergeSortedArrays([1, 3, 5], [2, 4, 6])); // Output: [1, 2, 3, 4, 5, 6]
This method has a time complexity of O(n + m), where n and m are the lengths of the two arrays.
Tags: intermediate, JavaScript, Arrays, Algorithm