使用std::result_of时出现意外的SFINAE故障



在c++14中,如果表达式格式错误*,std::result_of应导致SFINAE。相反,在下面的最后一种情况下,我得到了一个编译错误("二进制表达式的无效操作数")(即,让编译器推导std::plus<>的类型)。前三个案例不出所料。代码和结果如下所示。

#include <boost/mpl/placeholders.hpp>
#include <boost/mpl/apply.hpp>
#include <iostream>
#include <utility>
#include <stdexcept>
#include <functional>
namespace mpl = boost::mpl;

template <typename OP, typename T, typename OP_T = typename mpl::apply<OP, T>::type>
struct apply_if_ok: OP_T {
    template <typename...Args, typename R = std::result_of_t<OP_T(Args...)>>
    R operator()(Args&&...args) const {
        return static_cast<OP_T>(*this)(std::forward<Args>(args)...);
    }
    template <typename...Args>
    auto operator()(...) const {
        // throw std::runtime_error("Invalid arguments");
        return "Invalid arguments";
    }
};

int main() {
    using OP = std::plus<mpl::_>;
    int i = 3;
    auto n1 = apply_if_ok<OP, void>()(1, 2);
    std::cout << "plus (1, 2) = " << n1 << std::endl;
    auto n2 = apply_if_ok<OP, void>()(1, &i);
    std::cout << "plus (1, *) = " << n2 << std::endl;
    auto n3 = apply_if_ok<OP, int>()(&i, &i);
    std::cout << "plus (*, *) = " << n3 << std::endl;
    // auto n4 = apply_if_ok<OP, void>()(&i, &i);
    // std::cout << "plus (*, *) = " << n4 << std::endl;
}

输出:

% c++ -std=c++1y -g -pedantic    sfinae_result_of.cc   -o sfinae_result_of
./sfinae_result_of
plus (1, 2) = 3
plus (1, *) = 0x7fff5e782a80
plus (*, *) = Invalid arguments
% c++ -v
Apple LLVM version 6.0 (clang-600.0.56) (based on LLVM 3.5svn)
Target: x86_64-apple-darwin14.1.0
Thread model: posix

如果能指出我做错了什么,我们将不胜感激!

谢谢。

  • 来自cppreference.com。我认为相关的标准参考是20.10.7.6,对最后一个表条目的评论

这是由libc++中的一个错误引起的,实际上我几天前刚刚报告了这个错误。(更新:该错误已在中继中修复。)

问题是他们的"菱形函子"实现是不一致的。例如,他们实现std::plus<void>::operator()如下:

template <class _T1, class _T2>
_LIBCPP_CONSTEXPR_AFTER_CXX11 _LIBCPP_INLINE_VISIBILITY
auto operator()(_T1&& __t, _T2&& __u) const
    { return _VSTD::forward<_T1>(__t) + _VSTD::forward<_T2>(__u); }

什么时候应该是

template <class _T1, class _T2>
_LIBCPP_CONSTEXPR_AFTER_CXX11 _LIBCPP_INLINE_VISIBILITY
auto operator()(_T1&& __t, _T2&& __u) const
    -> decltype(_VSTD::forward<_T1>(__t) + _VSTD::forward<_T2>(__u))
    { return _VSTD::forward<_T1>(__t) + _VSTD::forward<_T2>(__u); }

缺少尾部返回类型意味着两件事:

  1. 他们不再"完美回归";相反,返回类型是使用auto的规则推导的,本质上导致它衰减。当后面的返回类型中的表达式格式良好时,它等效于返回decltype(auto)
  2. SFINAE不再适用于表达式CCD_ 4。在无错误的实现中,operator()声明将从重载集中删除,重载解析将失败,然后std::result_of将发挥其对SFINAE友好的作用。相反,函数声明被成功地实例化,由重载解析选择,然后当编译器试图实例化主体以实际推导返回类型时,会发生硬错误

您的问题是由#2引起的。

相关内容

  • 没有找到相关文章

最新更新