原文: https://beginnersbook.com/2015/02/c-program-to-find-largest-element-of-an-array/

    在下面的程序中,我们使用给定数组的第一个元素初始化变量(max_element),然后我们使用循环将该变量与数组的所有其他元素进行比较,每当我们得到一个值大于max_element的元素时,我们将该元素移动到max_element并使用相同的方法进一步移动以获取数组中的最大元素。

    1. #include <stdio.h>
    2. /* This is our function to find the largest
    3. * element in the array arr[]
    4. */
    5. int largest_element(int arr[], int num)
    6. {
    7. int i, max_element;
    8. // Initialization to the first array element
    9. max_element = arr[0];
    10. /* Here we are comparing max_element with
    11. * all other elements of array to store the
    12. * largest element in the max_element variable
    13. */
    14. for (i = 1; i < num; i++)
    15. if (arr[i] > max_element)
    16. max_element = arr[i];
    17. return max_element;
    18. }
    19. int main()
    20. {
    21. int arr[] = {1, 24, 145, 20, 8, -101, 300};
    22. int n = sizeof(arr)/sizeof(arr[0]);
    23. printf("Largest element of array is %d", largest_element(arr, n));
    24. return 0;
    25. }

    输出:

    1. Largest element of array is 300