18

尝试map::compare使用 lambda 覆盖函数,似乎以下解决方案有效。

auto cmp = [](const int&a, const int& b) { return a < b; };
std::map<int, int, decltype(cmp)> myMap(cmp);

但是,我必须先定义cmp,然后再使用它。
我可以在不定义“cmp”的情况下执行此操作吗?

4

4 回答 4

25

不,您不能在未评估的上下文中使用 lambda - 即您的示例中的模板参数。因此,您必须在其他地方定义它(使用auto),然后使用decltype... 另一种方式,正如已经提到的那样,是使用“序数”仿函数

如果您的问题是关于“如何在定义映射时使用 lambda 表达式 *一次* ”,您可以利用 lambda 的隐式转换来std::function像这样:

#include <iostream>
#include <functional>
#include <map>

int main()
{
    auto m = std::map<int, int, std::function<bool(const int&, const int&)>>{
        [](const int& a, const int& b)
        {
            return a < b;
        }
    };
    return 0;
}

您可以为该map类型引入别名以减少以后的输入...

于 2013-08-04T16:58:22.837 回答
7
#include <iostream>
#include <functional>
#include <map>
#include <typeinfo>

typedef std::map< int, int, std::function<bool(const int&, const int&)> > MyMap;

int main()
{
    auto cmp = [](const int& a, const int& b) { return a < b; };
    MyMap map(cmp);

    return 0;
}

使用std::function为比较器类型提供适当的类型签名,您可以定义映射类型,然后分配您希望的任何 lambda 比较。

于 2013-08-04T17:16:42.307 回答
5

你可以做这样的事情,其中​​映射的类型是从你传递给函数的函数中推断出来的。

#include <map>

template<class Key, class Value, class F>
std::map<Key, Value, F> make_map(const F& f) {
    return std::map<Key, Value, F>{f};
}

int main() {
    auto my_map = make_map<int, int>([](const int&a, const int& b) { return a < b; });
    my_map[10] = 20;
}

我没有看到很多这样做的理由,但我不会说它没用。通常,您需要一个已知的比较器,以便可以轻松地传递地图。通过上面的设置,您可以一直使用模板函数,如下所示

tempalte<class F>
void do_somthing(const std::map<int, int, F>& m) {

}

这不一定是坏事,但我的直觉告诉我,拥有一个只能由泛型函数处理的类型是不好的。我认为它适用于 lambda 函数,但仅此而已。这里的解决方案是使用 std::function

#include <map>
#include <functional>

template<class Key, class Value>
using my_map_t = std::map<Key, Value, std::function<bool(const Key&, const Key&)>>;

int main() {
    my_map_t<int,  int> my_map{[](const int&a, const int& b) { return a < b; }};
    my_map[10] = 20;
}

现在你可以使用任何你想要的谓词并且你有一个具体的类型可以使用,my_map

希望这可以帮助!

于 2013-08-04T17:14:43.413 回答
0

在 C++20 中,您可以这样

std::map<int, int, decltype([](const int&a, const int& b) { return a < b; })> myMap;


int main() {
    myMap.insert({7, 1});
    myMap.insert({46, 2});
    myMap.insert({56, 3});
    for (const auto& [key,value]:myMap) {
        std::cout <<  key <<  "  " << value << std::endl;
    }
}
于 2021-09-02T18:22:24.930 回答