最值查找max,min及类似函数用法与说明

本篇介绍了在算法竞赛中最为常用的关于最值查找的部分函数

文章目录

  • 一、max和min函数的基本用法
  • 二、max_element和min_element函数用法及说明
  • 三、nth_element函数的基本用法


一、max和min函数的基本用法

max(a, b)返回a和b中较大的那个值,只能传入两个值,或传入一个列表。

传入两个值

#include
#include

using namespace std;

int main()
{
    int a, b;
    cin >> a >> b; //输入两个数a和b
    
    cout << max(a, b) << endl;//打印最大值
    
    return 0;
}

传入一个列表

#include
#include

using namespace std;

int main()
{
    cout << max({2, 4, 7, 9, 21}) << endl; //打印输出21
    
    return 0;
}

同理,min(a, b)返回a和b中较小的那个值,只能传入两个值,或传入一个列表。

传入两个值

#include
#include

using namespace std;

int main()
{
    int a, b;
    cin >> a >> b; //输入两个数a和b
    
    cout << min(a, b) << endl;//打印最大值
    
    return 0;
}

传入一个列表

#include
#include

using namespace std;

int main()
{
    cout << min({2, 4, 7, 9, 21}) << endl; //打印输出2
    
    return 0;
}

二、max_element和min_element函数用法及说明

max_element的用法
max_element(st, ed)返回地址[st, ed)中最大的那个值的地址(迭代器), 传入参数为两个地址或迭代器。

#include
#include
#include

using namespace std;

vector<int> arr = {2, 5, 7, 3, 4}; //这里可以使用容器,也可以使用数组

int main()
{
    cout << *max_element(arr.begin(), arr.end()) << endl; //输出最大元素7,通过*来解引用得到地址的值
    
    return 0;
}

min_element的用法
min_element(st, ed)返回地址[st, ed)中最小的那个值的地址(迭代器), 传入参数为两个地址或迭代器。

#include
#include
#include

using namespace std;

vector<int> arr = {2, 5, 7, 3, 4}; //这里可以使用容器,也可以使用数组

int main()
{
    cout << *min_element(arr.begin(), arr.end()) << endl; //输出最小元素2,通过*来解引用得到地址的值
    
    return 0;
}

三、nth_element函数的基本用法

nth_element函数属于一种排序函数,是一种特殊的部分排序逻辑。其用法为:
nth_element(st, k, ed)返回值为void, 传入参数为三个地址或迭代器。其中第二个参数位置的元素将处于正确的位置,其他位置的元素顺序可能是任意的,但前面的都比它小,后面的都比它大。

#include
#include
#include 

using namespace std;

vector<int> arr = {4, 2, 5, 8, 3, 7, 9};

int main()
{
    nth_element(arr.begin(), arr.begin() + 3, arr.end());
    
    for(int i = 0; i < arr.size(); i ++)
        cout << arr[i] << " ";
        
    return 0;
}

代码结果:
最值查找max,min及类似函数用法与说明_第1张图片

这是最值查找的全部内容了,之后有了更深入的学习后会进行进一步完善和修改。觉得这篇文章对您有帮助的可以点一个赞,这是对我最大的支持和动力。

你可能感兴趣的:(C,++语法知识,c++,算法,开发语言)