home *** CD-ROM | disk | FTP | other *** search
/ Sams Teach Yourself C in 21 Days (6th Edition) / STYC216E.ISO / mac / Examples / Day09 / passing.c < prev    next >
C/C++ Source or Header  |  2002-04-27  |  835b  |  41 lines

  1. /* Passing an array to a function. */
  2.  
  3. #include <stdio.h>
  4.  
  5. #define MAX 10
  6.  
  7. int array[MAX], count;
  8.  
  9. int largest(int num_array[], int length);
  10.  
  11. int main( void )
  12. {
  13.     /* Input MAX values from the keyboard. */
  14.  
  15.     for (count = 0; count < MAX; count++)
  16.     {
  17.         printf("Enter an integer value: ");
  18.         scanf("%d", &array[count]);
  19.     }
  20.  
  21.     /* Call the function and display the return value. */
  22.     printf("\n\nLargest value = %d\n", largest(array, MAX));
  23.  
  24.     return 0;
  25. }
  26. /* Function largest() returns the largest value */
  27. /* in an integer array */
  28.  
  29. int largest(int num_array[], int length)
  30. {
  31.     int count, biggest = -12000;
  32.  
  33.     for ( count = 0; count < length; count++)
  34.     {
  35.         if (num_array[count] > biggest)
  36.             biggest = num_array[count];
  37.     }
  38.  
  39.     return biggest;
  40. }
  41.