What value does the binary search function return in the exa
     What value does the binary search function return, in the example of 4.b.?  Write C++ code for a function which sorts the integers of a one-dimensional array in ascending order. The array and the number of elements in it are the parameters. 
  
  Solution
Here is the code for SelectionSort() function, which sorts the array of elements in ascending order:
void SelectionSort(int A[], int SIZE)
 {
 int i, j;
 for(i = 0; i < SIZE-1; i++)   //For each element.
 {
 int min = i;           //Assumes the first element in the remaining array as min.
 for(j = i; j < SIZE; j++)   //Find the position of least element in remaining array.
 if(A[j] < A[min])
 min = j;
 int temp = A[i];       //Exchange the first element in the array, with minimum element.
 A[i] = A[min];
 A[min] = temp;
 }
 }

