我很难把这个简单的事情进行下去。
我发现一件有效的事情:
#include <type_traits>
struct A
{
int Method();
};
static_assert( std::is_same_v<
decltype(A{}.Method()), int
>
); // pass. cool.
好的。但不是;不是很好。因为我现在有一个默认的可构造要求,并且我需要编写一个带有所有参数的调用表达式。谁知道他们!
考虑实际情况:
struct A
{
int Method(MysteriousArgumentsIDontCareAboutAndCanChangeInTheFuture);
};
static_assert( std::is_same_v<
decltype(A{}.Method()), int
>
); // not so cool anymore (too few arguments to function call, expected 1, have 0)
如何使用std::invoke_result
?
static_assert( std::is_same_v<
std::invoke_result_t< A::Method >, int
>
);
不。
在没有对象参数的情况下调用非静态成员函数
MSVC说
非标准语法;使用“&”创建指向成员的指针
我可以用这种表达来弄乱我想要的一切,但没有任何好处。
例如:
using T = std::invoke_result_t< decltype(&A::Method) >;
错误:“ std :: invoke_result”中没有名为“ type”的类型
如果我删除了decltype
,则是类型值不匹配(当然),等等...
cppreference.com提到了C ++ 14版本的这种用法:
std::result_of<decltype(&C::Func)(C, char, int&)>::type
没有比我的第一次尝试更好的了。所有的论点仍然存在。
在我们的简单情况下:https://godbolt.org/z/KtQbth
帮助?
答案 0 :(得分:2)
您可以使用Piotr Skotnicki建议的特征:
template <typename T>
struct return_type;
template <typename R, typename... Args>
struct return_type<R(Args...)> { using type = R; };
template <typename R, typename... Args>
struct return_type<R(*)(Args...)> { using type = R; };
template <typename R, typename C, typename... Args>
struct return_type<R(C::*)(Args...)> { using type = R; };
template <typename R, typename C, typename... Args>
struct return_type<R(C::*)(Args...) &> { using type = R; };
template <typename R, typename C, typename... Args>
struct return_type<R(C::*)(Args...) &&> { using type = R; };
template <typename R, typename C, typename... Args>
struct return_type<R(C::*)(Args...) const> { using type = R; };
template <typename R, typename C, typename... Args>
struct return_type<R(C::*)(Args...) const&> { using type = R; };
template <typename R, typename C, typename... Args>
struct return_type<R(C::*)(Args...) const&&> { using type = R; };
template <typename R, typename C, typename... Args>
struct return_type<R(C::*)(Args...) volatile> { using type = R; };
template <typename R, typename C, typename... Args>
struct return_type<R(C::*)(Args...) volatile&> { using type = R; };
template <typename R, typename C, typename... Args>
struct return_type<R(C::*)(Args...) volatile&&> { using type = R; };
template <typename R, typename C, typename... Args>
struct return_type<R(C::*)(Args...) const volatile> { using type = R; };
template <typename R, typename C, typename... Args>
struct return_type<R(C::*)(Args...) const volatile&> { using type = R; };
template <typename R, typename C, typename... Args>
struct return_type<R(C::*)(Args...) const volatile&&> { using type = R; };
template <typename T>
using return_type_t = typename return_type<T>::type;
现在您可以这样做:
static_assert(std::is_same_v<return_type_t<decltype(&A::Method)>, int>);
答案 1 :(得分:0)
[static_assert( std::is_same_v< decltype(std::declval<A>().Method()), int >);//super cool now][1]