Open In App

How to find the maximum element of a Vector using STL in C++?

Last Updated : 23 Jan, 2023
Improve
Improve
Like Article
Like
Save
Share
Report

Given a vector, find the maximum element of this vector using STL in C++. Example:

Input: {1, 45, 54, 71, 76, 12}
Output: 76

Input: {1, 7, 5, 4, 6, 12}
Output: 12

Approach: Max or Maximum element can be found with the help of *max_element() function provided in STL. 

Syntax:

*max_element (first_index, last_index);

CPP




// C++ program to find the max
// of Array using *max_element() in STL
 
#include <bits/stdc++.h>
using namespace std;
 
int main()
{
    // Get the vector
    vector<int> a = { 1, 45, 54, 71, 76, 12 };
 
    // Print the vector
    cout << "Vector: ";
    for (int i = 0; i < a.size(); i++)
        cout << a[i] << " ";
    cout << endl;
 
    // Find the max element
    cout << "\nMax Element = "
         << *max_element(a.begin(), a.end());
    return 0;
}


Output:

Vector: 1 45 54 71 76 12 

Max Element = 76

Time Complexity: O(N), where N is number of elements in the given range of the vector.
Auxiliary Space: O(1)


Like Article
Suggest improvement
Previous
Next
Share your thoughts in the comments

Similar Reads