Open In App

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

Improve
Improve
Improve
Like Article
Like
Save Article
Save
Share
Report issue
Report

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

Example:

Input: {1, 45, 54, 71, 76, 12}
Output: min = 1, max = 76
Input: {10, 7, 5, 4, 6, 12}
Output: min = 4, max = 12

Approach:

  • Min or Minimum element can be found with the help of *min_element() function provided in STL.
  • Max or Maximum element can be found with the help of *max_element() function provided in STL.
  • MinMax function finds both minimum and maximum element in one go as a pair, this function is a part of algorithms library.

Syntax:

*min_element (first_index, last_index);
*max_element (first_index, last_index);
*minmax_element(first_index, last_index);

Below is the implementation of the above approach:

CPP




// C++ program to find the min and max element
// of Vector using *min_element(), *max_element(),
// *minmax_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 min element
    cout << "\nMin Element = "
         << *min_element(a.begin(), a.end());
 
    // Find the max element
    cout << "\nMax Element = "
         << *max_element(a.begin(), a.end());
 
    // Find min, max pair
    auto minmax = minmax_element(a.begin(), a.end());
    cout << "\npair_min = " << *minmax.first
         << ", pair_max = " << *minmax.second << '\n';
 
    return 0;
}


Output

Vector: 1 45 54 71 76 12 

Min Element = 1
Max Element = 76
pair_min = 1, pair_max = 76

Time Complexity: O(N)
Auxiliary Space: O(1)


Last Updated : 11 Mar, 2024
Like Article
Save Article
Previous
Next
Share your thoughts in the comments
Similar Reads