...

/

Solution Review: Merge Two Sorted Arrays

Solution Review: Merge Two Sorted Arrays

This review provides a detailed analysis of the different ways to solve the "Merge Two Sorted Arrays" challenge.

We'll cover the following...

Solution #

Press + to interact
namespace chapter_2
{
class Solution
{
// Merge two sorted array
static int[] mergeArrays(int [] arr1, int []arr2, int arr1Size, int arr2Size)
{
int[] arr3 = new int[arr1Size + arr2Size]; // creating a new array
int i = 0, j = 0, k = 0;
// Traverse both arrays
while (i < arr1Size && j < arr2Size)
{
// if first array element is less than second array element
if (arr1[i] < arr2[j])
arr3[k++] = arr1[i++]; // copy Ist array element to the new array
else
arr3[k++] = arr2[j++]; // copy 2nd array element to the new array
}
// Store remaining elements of the first array
while (i < arr1Size)
arr3[k++] = arr1[i++];
// Store remaining elements of the second array
while (j < arr2Size)
arr3[k++] = arr2[j++];
return arr3; // returning array
}
static void Main(string[] args)
{
int size1 = 5, size2 = 3;
int []arr = { 1, 12, 14, 17, 23 }; // creating array 1
int []arr1 = { 11, 19, 27 }; // creating array 2
int[] arr2 = mergeArrays(arr, arr1, size1, size2); // calling mergeArrays
for (int i = 0; i < size1 + size2; i++)
{
Console.Write(arr2[i] + " ");
}
return;
}
}
}

Explanation

Start by creating a new array arr3 of size equal to the input array sizes (line 9). If the first array element is less than the second array element, then copy the first array element in arr3. Copy the second array element in the new array and increment both arrays, which is arr3 and the array from which the element is ...