Find the biggest element in the array

To find the biggest element in an array in C++, you can follow these steps:

  1. Declare and initialize an array: Start by declaring an array variable and initialize it with some values. For example:

cpp int arr[] = {10, 45, 23, 78, 56}; int size = sizeof(arr) / sizeof(arr[0]);

  1. Initialize a variable to store the maximum element: Declare a variable to store the maximum element found so far. Set its initial value to the first element in the array. For example:

cpp int maxElement = arr[0];

  1. Iterate over the array: Use a loop to iterate over each element in the array. Compare each element with the current maximum element and update the maximum element if a larger value is found. For example:

cpp for (int i = 1; i < size; i++) { if (arr[i] > maxElement) { maxElement = arr[i]; } }

  1. Print the maximum element: After the loop finishes, the variable maxElement will contain the largest element in the array. You can then print it or use it as needed. For example:

cpp cout << "The maximum element in the array is: " << maxElement << endl;

Here is the complete code snippet:

#include <iostream>
using namespace std;

int main() {
    int arr[] = {10, 45, 23, 78, 56};
    int size = sizeof(arr) / sizeof(arr[0]);
    int maxElement = arr[0];

    for (int i = 1; i < size; i++) {
        if (arr[i] > maxElement) {
            maxElement = arr[i];
        }
    }

    cout << "The maximum element in the array is: " << maxElement << endl;

    return 0;
}