让我坐下来有2个功能:
int foo(const int, const float);
int bar(const int, const char);
现在,我想根据它是否与这些功能之一匹配来重载Veradic模板功能。例如:
template <typename... T>
decltype(foo(declval<T>()...) func(T... args);
template <typename... T>
decltype(bar(declval<T>()...) func(T... args);
但是我得到了错误:
错误C2995:'unknown-type func(T ...)':功能模板已经定义
因为T
的定义必须不同,所以我本以为这是有效的重载,但是似乎不是:(有人可以帮我允许此重载吗?
答案 0 :(得分:2)
假设您呼叫func(0,0)
。在重载解决方案中,以下两项都应考虑:
template <typename... T>
decltype(foo(declval<T>()...) func(T... args);
template <typename... T>
decltype(bar(declval<T>()...) func(T... args);
替换完成:
template <typename... T = {int, int}>
decltype(foo(declval<int>(),declval<int>()) func(int, int);
template <typename... T = {int, int}>
decltype(bar(declval<int>(),declval<int>()) func(int, int);
先评估 foo
和bar
调用,然后decltype
进行:
template <typename... T = {int, int}>
int func(int, int);
template <typename... T = {int, int}>
int func(int, int);
请注意,这些是相同的签名。编译器抱怨,您不允许这样做。
从某种意义上说,如何获得相同的签名并不重要。
您可以编写一个特征,上面写着“您可以使用这些参数调用bar
”。假设您这样做。
template<class...Ts>
constexpr bool can_call_bar_with = /* some expression */;
和
template<class...Ts>
constexpr bool can_call_foo_with = /* some expression */;
现在我们可以这样做:
template <typename... T,
std::enable_if_t< can_call_foo_with<T...>, bool> = true
>
int func(T... args);
template <typename... T,
std::enable_if_t< can_call_bar_with<T...> && ! can_call_foo_with<T...>, bool> = true
>
int func(T... args);
现在,无论您传递给什么T...
,您都永远不会得到两个func
;这是因为我确保SFINAE仅使一个签名有效。
写
template<class...Ts>
constexpr bool can_call_bar_with = /* some expression */;
有is_detected
或我的can_apply
惯用法。
参见here。
如果您想问“在重载解析中首选foo
和`bar之间的哪一个”,那是一个不同且更困难的问题。没有通用的方法。带有签名列表,就可以做到。
//您将执行以下操作:
template<class...Ts>
struct types_t {};
template<std::size_t I, class Sig>
struct make_tagged_sig;
template<std::size_t I, class Sig>
using tagged_sig = typename make_tagged_sig<I,Sig>::type;
template<std::size_t I, class...Ts>
struct make_tagged_sig<I, types_t<Ts...>> {
using type=std::integral_constant<std::size_t,I>(Ts...);
};
template<class Sig>
struct overload_check;
template<class R, class...Args>
struct overload_check<R(Args...)> {
R test(Args...) const;
};
template<class...Sigs>
struct overload_checker:
overload_check<Sigs>...
{
using overload_check<Sigs>::test...;
template<class...Args>
constexpr auto operator()( types_t<Args...> ) const {
return decltype( test( std::declval<Args>()... ) ){};
}
};
template<class Indexes, class...Sigs>
struct which_overload_helper;
template<class...Sigs>
using which_overload_helper_t = typename which_overload_helper<std::index_sequence_for<Sigs...>, Sigs...>::type;
template<std::size_t...Is, class...Sigs>
struct which_overload_helper<std::index_sequence<Is...>, Sigs...> {
using type = overload_checker< tagged_sig<Is, Sigs>... >;
};
template<class Args, class...Sigs>
constexpr std::size_t which_overload = which_overload_helper_t<Sigs...>{}( Args{} );