[STL]algorithm头文件下的max(), min(), abs(),swap(),reverse()函数

max(x, y)返回x与y的最大值,min(x, y)返回x与y的最小值。如果想比较三个数,可以写成max/min(x, max/min(y, z))。

abs(x)返回x的绝对值,这里的x需要是整数,浮点型的绝对值需要使用math头文件下的fabs()。

示例如下:

#include <iostream>
#include <algorithm>
using namespace std;
int main() {
    int x = 11, y = -12, z = 13;
    cout << max(x, max(y, z)) << endl;
    cout << min(x, min(y, z)) << endl;
    cout << abs(y) << endl;
    return 0;
}
/*
 result:
 13
-12
12
 */

swap()函数用来交换x和y的值,示例如下:

#include <iostream>
#include <algorithm>
using namespace std;
int main() {
    int x = 1, y = 2;
    swap(x, y);
    cout << x << ' ' << y << endl;
    return 0;
}
/*
 result: 2 1
 */

顺便手写一个swap函数:

#include <iostream>
using namespace std;
void swap(int* a, int * b) {
    int t = *a;
    *a = *b;
    *b = t;
}
int main() {
    int a = 1, b = 2;
    swap(&a, &b);
    cout << a << ' ' << b << endl;
    return 0;
}
/*
 result: 2 1
 */

 

reverse(it, it2)函数可以将数组指针在[it, it2)之间的元素或容器的迭代器在[it, it2)范围内的元素进行反转,示例如下:

#include <iostream>
#include <algorithm>
using namespace std;
int main() {
    int a[10] = {1, 2, 3, 4, 5};
    reverse(a, a + 4);
    for(int i = 0; i < 5; i ++) {
        cout << a[i] << ' ';
    }
    return 0;
}
/*
 result: 4 3 2 1 5
 */

上一篇:【六级单词】2022.2.7


下一篇:【JSCPC2021】Reverse the String(Lyndon 理论)