如何在C ++中获取一组字符串中最长的字符串

时间:2018-09-20 07:11:42

标签: c++11 set

我有一组字符串

set<string> strings;

如何获取集合中包含的最长字符串?在python中,我可以执行以下操作:

print max(strings, key=len)

c ++中是否有类似的功能?

1 个答案:

答案 0 :(得分:5)

您可以使用<algorithm>标头附带的std::max_element并传递自定义比较谓词。

#include <algorithm>
#include <iostream>

const auto longest = std::max_element(strings.cbegin(), strings.cend(),
    [](const std::string& lhs, const std::string& rhs) { return lhs.size() < rhs.size(); });

if (longest != strings.cend())
    std::cout << *longest << "\n";

这显然不如python版本那么简洁,这就是要解决的范围。使用range-v3投影,可以归结为

#include <range/v3/all.hpp>

const auto longest = ranges::max_element(strings, std::less<>{}, &std::string::size);