编辑:与原始答案完全不同,没有给出真正的解决方案。
此代码在使用 gcc 4.5.1 的 ideone 上编译。这是我能做的最好的。
#include <array>
#include <iostream>
using namespace std;
template<typename T>
struct has_property
{
struct UnmentionableType { UnmentionableType() {} };
//test if type has operator() (...)
template<typename U, typename A1, typename A2, typename A3, typename A4, typename A5>
static auto ftest(U* t, A1 a1, A2 a2, A3 a3, A4 a4, A5 a5) -> decltype((*t)(a1, a2, a3, a4, a5), char(0));
static std::array<char, 2> ftest(...);
public:
static const bool value = sizeof(ftest((T*)0, UnmentionableType(), UnmentionableType(), UnmentionableType(), UnmentionableType(), UnmentionableType())) == 1;
};
class c1
{
public:
int operator() () { return 0; }
};
class c2
{
public:
void operator() (int) { }
};
class c3
{
public:
template<typename... Args>
void operator() (Args... a) { }
};
class c4
{
public:
template<typename T>
void operator() (T t) { }
};
int main()
{
cout<<boolalpha<<has_property<c1>::value<<endl;
cout<<boolalpha<<has_property<c2>::value<<endl;
cout<<boolalpha<<has_property<c3>::value<<endl;
cout<<boolalpha<<has_property<c4>::value<<endl;
}
输出:
false
false
true
false
笔记:
1)根据要求,它仅在可变参数模板化 operator() 上触发(嗯,几乎)
2)这不是一个“完美”的解决方案,但它应该足够好用于实际使用。
不幸的是 gcc 4.5.1 不能扩展参数包;我怀疑这可能对你有用:
template<typename U, typename... A>
static auto ftest(U* t, A... a) -> decltype((*t)(a...), char(0));
我仍然看不到一种方法来实际测试函数的真实可变性,而不是只传递 5 个(或更多)随机类型参数。
使用 with_enable if - 除了部分类专业化之外,我没有看到任何其他解决方案:
//non-specialized
template<typename T, typename E=void>
class container
{
T* ptr;
public:
T* get() { return ptr; }
};
//specialization for class with appropriate operator()
template<typename T>
class container<T, typename std::enable_if<has_property<T>::value, void>::type>
{
T* ptr;
public:
T* get() { return ptr; }
template <typename... Args>
decltype(T::template operator ()(Args()...)) operator ()(Args... args) const
{
return (*get()).operator ()(args...);
}
};