我正在浏览令人敬畏的boost :: hana库的帮助页面的示例,并且无法使内省示例正常工作。
此代码用于在编译时检查对象是否具有特定的成员函数,然后使用此成员函数或执行默认操作。
所以我宣布了这两种类型:
struct WithoutToString
{ };
struct WithToString
{
std::string toString()
{
return "implements toString()";
}
};
这是使用hana::is_valid
检查的第一个版本:
auto has_toString = hana::is_valid([] (auto&& obj) -> decltype(obj.toString()) { });
template <typename T>
std::string optionalToString1(T const& obj)
{
return hana::if_(has_toString(obj),
[] (auto& x) { return x.toString(); },
[] (auto& x) { return "toString not defined"; }
)(obj);
}
这是使用hana::sfinae
检查的第二个版本:
template <typename T>
std::string optionalToString2(T const& obj)
{
auto maybeToString = hana::sfinae([](auto&& x) -> decltype(x.toString())
{
return x.toString();
});
return maybeToString(obj).value_or("toString not defined");
}
使用这样的两个版本......
int main()
{
WithToString obj;
std::cout << optionalToString1(obj);
std::cout << optionalToString2(obj);
return 0;
}
...始终显示“toString not defined”而不是“implements toString()”。
注意:使用obj
检查static_assert(has_toString(obj), "Does not implement toString().");
会显示正确的行为。
我错过了什么吗?或者它是编译器(clang 5.0.1)还是库(boost 1.66)问题?
谢谢。
答案 0 :(得分:3)
optionalToStringX
个功能需要T const&
。 toString
不是const限定的成员函数,因此不适用。
<强> Live On Coliru 强>
#include <boost/hana.hpp>
#include <string>
namespace hana = boost::hana;
struct WithoutToString { };
struct WithToString { std::string toString() const { return "implements toString()"; } };
namespace v1 {
//This is the 1st version of the check using hana::is_valid:
auto has_toString = hana::is_valid([] (auto&& obj) -> decltype(obj.toString()) { });
template <typename T>
std::string optionalToString1(T const& obj)
{
return hana::if_(has_toString(obj),
[] (auto&& x) { return std::forward<decltype(x)>(x).toString(); },
[] (auto&&) { return "toString not defined"; }
)(obj);
}
}
namespace v2 {
//This is the 2nd version of the check using hana::sfinae:
template <typename T>
std::string optionalToString2(T const& obj)
{
auto maybeToString = hana::sfinae([](auto&& x) -> decltype(x.toString())
{
return x.toString();
});
return maybeToString(obj).value_or("toString not defined");
}
}
#include <iostream>
int main()
{
WithToString with;
WithoutToString without;
std::cout << std::boolalpha << v1::has_toString(without) << std::endl;
std::cout << std::boolalpha << v1::has_toString(with) << std::endl;
std::cout << v1::optionalToString1(without) << std::endl;
std::cout << v1::optionalToString1(with) << std::endl;
std::cout << v2::optionalToString2(without) << std::endl;
std::cout << v2::optionalToString2(with) << std::endl;
}
打印
true
false
implements toString()
toString not defined
implements toString()
toString not defined