4

boost 中是否有任何函数对象是 std::equal_to、std::greater 等函数对象族的通用等价物?

本质上, std::equal_to 应该变成类似

struct generic_equal_to
{
    template <class T, class U>
    bool operator()(const T& t, const U& u) const
    {
        return t == u;
    }
};

我可以看到 std::plus 等的通用版本由于返回类型的问题可能会变得更加棘手(尽管decltype可以解决这个问题)。不过,我看不出 std::equal_to 函数对象本身需要模板参数的任何可能原因。

这些版本肯定存在于 boost 或 STL 中的某个地方吗?当然,它们写起来很简单,但我非常不喜欢复制库代码,尤其是对于像这样看似微不足道的东西。

编辑

关于为什么我想要这个而不是使用 lambdas 或其他函数对象生成方法的一些上下文:

因此,我正在编写一个通用的boost::fusion序列比较函数:

template <class T>
bool sequence_equal(const T& left, const T& right)
{
    return fusion::all(
        fusion::zip(left, right),
        fusion::fused<generic_equal_to>());
}

请注意这fusion::fused<generic_equal_to>部分,这会导致您实际上无法按类型指定一个boost::lambdaboost::phoenix函数对象。我想一种解决方案可能是 decltype:

fusion::fused<decltype(_1 == _2)>()

不过,这似乎很尴尬,甚至可能不起作用,具体取决于实施方式boost::lambdaboost::phoenix实施方式-我真的不确定。

我知道你可以用fusion::make_fused它来解决整个问题,但是你必须实例化函数对象。那么,我想到的解决方案将是一个非模板equal_to结构——我称之为 mine generic_equal_to

我知道这是一个非常微不足道的问题 - 毕竟,它make_fused(_1 == _2)可能会内联到与fused<generic_equal_to>. 我简直不敢相信generic_equal_to在任何地方的 boost 或 STL 中都没有函数对象,因此提出了这个问题。

4

2 回答 2

1

我认为没有任何东西像您要求的那样直接,但是有一些实用程序不仅涵盖了您的用例,而且还超越了您的用例。它们是Boost.LambdaBoost.Phoenix(后者是 lambda 库的更通用的继承者)。

使用 Boost.Lambda 进行泛型相等的示例:

#include <boost/lambda/lambda.hpp>
#include <iomanip>
#include <iostream>

struct foo {};

bool operator==(foo, foo) { return true; }
bool operator==(foo, int) { return false; }

template <typename T, typename U, typename Func>
void f(const T& x, const U& y, Func func)
{
    std::cout << func(x, y) << std::endl;
}

int main()
{
    using namespace boost::lambda; // for placeholders
    std::cout << std::boolalpha;

    foo a, b;
    int i = 0;

    f(a, b, _1 == _2);
    f(a, i, _1 == _2);
}

同样,对于凤凰:

#include <boost/phoenix.hpp>
#include <iomanip>
#include <iostream>

struct foo {};

bool operator==(foo, foo) { return true; }
bool operator==(foo, int) { return false; }

template <typename T, typename U, typename Func>
void f(const T& x, const U& y, Func func)
{
    std::cout << func(x, y) << std::endl;
}

int main()
{
    using namespace boost::phoenix::arg_names; // for placeholders
    std::cout << std::boolalpha;

    foo a, b;
    int i = 0;

    f(a, b, arg1 == arg2);
    f(a, i, arg1 == arg2);
}

这些中的每一个都可以以明显的方式扩展以支持其他运算符(更一般地,扩展到其他表达式)。我个人会选择 Phoenix,因为如果你发现你需要的功能比 lambda 提供的更多,你最终不会同时包含两者。

于 2012-04-09T03:00:24.090 回答
1

现在在 C++14 中有std::equal_to<void>(也可以用作std::equal_to<>

std::equal_to<>std::equal_to推导参数和返回类型的特化。

template< class T, class U>
constexpr auto operator()( T&& lhs, U&& rhs ) const
  -> decltype(std::forward<T>(lhs) == std::forward<U>(rhs));

返回 lhs 和 rhs 之间相等比较的结果。

文档

于 2015-12-27T00:34:00.840 回答