在 C++ 中,std::less
是一個函數對象(也稱為比較器或仿函數),它提供了兩個參數之間的“小于”操作。std::less
主要用于排序和關聯容器(如 std::map
, std::set
等)中的元素比較。以下是 std::less
的一些常見使用場景:
#include<algorithm>
#include<vector>
#include<functional>
int main() {
std::vector<int> v = {3, 1, 4, 1, 5, 9};
std::sort(v.begin(), v.end(), std::less<int>());
// 現在v已經按照升序排列
}
如果你有一個自定義類型,并希望在關聯容器中使用它,你可能需要提供一個比較函數。std::less
可以作為這樣一個比較函數的基礎。
#include <set>
#include<string>
struct Person {
std::string name;
int age;
};
struct PersonLess : public std::less<Person> {
bool operator()(const Person& p1, const Person& p2) const {
return p1.age < p2.age; // 根據年齡進行比較
}
};
int main() {
std::set<Person, PersonLess> people = {{"Alice", 30}, {"Bob", 25}, {"Charlie", 35}};
// people 將根據年齡進行排序
}
有時候,你可能想要一個不同于默認 <
操作符的比較方式。在這種情況下,你可以創建一個新的比較函數對象,并從 std::less
派生。
#include<vector>
#include<algorithm>
struct CaseInsensitiveLess : public std::less<std::string> {
bool operator()(const std::string& s1, const std::string& s2) const {
return std::lexicographical_compare(
s1.begin(), s1.end(), s2.begin(), s2.end(),
[](unsigned char c1, unsigned char c2) { return std::tolower(c1) < std::tolower(c2); }
);
}
};
int main() {
std::vector<std::string> words = {"Apple", "banana", "Cherry", "apple", "Banana"};
std::sort(words.begin(), words.end(), CaseInsensitiveLess());
// words 現在按照不區分大小寫的字母順序排列
}
注意:在上面的例子中,我們使用了 C++11 的 lambda 表達式來實現不區分大小寫的比較。如果你使用的是更早的 C++ 版本,你可能需要使用其他方法來實現相同的功能。