C Programming Code Examples C > Arrays and Matrices Code Examples Program to Find the two Elements such that their Sum is Closest to Zero Program to Find the two Elements such that their Sum is Closest to Zero - Initialize the array named array[] with the random values. - Call the function minabsvaluepair and pass array and its size as parameters. - In the function definition receive the parameters through variables array[] and array_size. - If the array_size is less than 2, then print the output as "Invalid Input" and exit. - Initialize the variables min_l and min_r with 0 and 1 respectively. - Initialize the variable min_sum with the sum of 1st two elements of the array. - Using two for loops, compare all the combinations with this default sum. - If the minimum one exits, then change the values of variables min_l and min_r with this new array positions and exit. - Print the array values with the positions min_l and min_r as output and exit. # include <stdio.h> # include <stdlib.h> # include <math.h> void minabsvaluepair(int array[], int array_size) { int count = 0; int l, r, min_sum, sum, min_l, min_r; /* Array should have at least two elements*/ if (array_size < 2) { printf("Invalid Input"); return; } /* Initialization of values */ min_l = 0; min_r = 1; min_sum = array[0] + array[1]; for (l = 0; l < array_size - 1; l++) { for (r = l + 1; r < array_size; r++) { sum = array[l] + array[r]; if (abs(min_sum) > abs(sum)) { min_sum = sum; min_l = l; min_r = r; } } } printf(" The two elements whose sum is minimum are %d and %d", array[min_l], array[min_r]); } int main() { int array[] = {13, 18, -29, 36, -16, 38}; minabsvaluepair(array, 6); getchar(); return 0; }