std::max 用法與範例

本篇介紹 C++ 的 std::max 用法與範例,

C++ std::max 兩數取最大值

C++ std::max 可以取各種變數類型的兩數最大值,包含 int, short, long, float, double 甚至是 char,
範例如下,其中比較 AB 就是 char 變數類型取最大值,

std-max.cpp
1
2
3
4
5
6
7
8
9
10
11
12
// g++ std-max.cpp -o a.out
#include <iostream>
#include <algorithm>

using namespace std;

int main() {
cout << std::max(1, 99) << "\n";
cout << std::max('A', 'B') << "\n";
cout << std::max(2.5f, 4.3f) << "\n";
return 0;
}

輸出:

1
2
3
99
B
4.3

std::max 多個數值中取最大值 (C++11)

這個是 C++11 才加入的功能,讓 std::max 可以接受多個數值作為輸入,然後回傳這當中的最大值,
寫法如下,第一種直接用 { } 大括號的方式將數值帶入,然後它會呼叫到 std::initializer_list 建構子,
第二種寫法是直接先宣告好 std::initializer_list, 再將其變數帶入 std::max,
第三種就是懶人寫法 auto ~~~

std-max2.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
// g++ std-max2.cpp -o a.out -std=c++11
#include <iostream>
#include <algorithm>
#include <typeinfo>

using namespace std;

int main() {
cout << std::max({1, 3, 5, 7}) << "\n";

std::initializer_list<int> array = {2, 4, 6, 8};
cout << std::max(array) << "\n";

auto array2 = {2, 4, 6, 8};
cout << std::max(array2) << "\n";
cout << typeid(array2).name() << "\n";

return 0;
}

輸出如下,這邊我們順便使用 typeid 來看看 auto 建立 array2 出來的變數類型是什麼,
關於 typeid 的用法可以參考這篇介紹,這邊只要知道它可以用來印出變數類型是什麼類型就好,
結果就是 St16initializer_listIiE,簡單說它就是 std::initializer_list,
所以編譯器會在編譯時期幫我們將 auto 自動轉換成 std::initializer_list,

1
2
3
4
7
8
8
St16initializer_listIiE

補充
如果想要在類似 vector 這種容器裡面取出最大值的方法請參考這篇

以上就是 std::max 用法與範例介紹,
如果你覺得我的文章寫得不錯、對你有幫助的話記得 Facebook 按讚支持一下!

其他參考
std::max - cppreference.com
https://en.cppreference.com/w/cpp/algorithm/max

其它相關文章推薦
C/C++ 新手入門教學懶人包
std::max_element 用法與範例
std::min 用法與範例
C++ virtual 的兩種用法
C/C++ 字串反轉 reverse
C/C++ call by value傳值, call by pointer傳址, call by reference傳參考 的差別
C++ 類別樣板 class template
std::sort 用法與範例
std::find 用法與範例
std::queue 用法與範例
std::map 用法與範例