在我的真实世界应用程序中,我使用CRTP构造一个或多或少的大类“堆栈”。我需要知道这些类的“通用基数”是什么,因此我在{stack}的一个类中用type
定义了using
。稍后,我将不再使用此定义的类型作为模板化函数参数,但这将无法正常工作,我总是会遇到g ++无法解释模板参数'VAR_TYPE'的情况。
是否有机会解决此问题,因为不建议手动定义类型,因为如果我的“类堆栈”的结构发生变化,则应自动更改类型。
template < typename T> struct B { using HERE = B<T>; };
template < typename T> struct C: public B<T> { };
template <typename T>
using COMMON_BASE = typename C<T>::HERE;
template < typename T>
void Print2( )
{
std::cout << __PRETTY_FUNCTION__ << std::endl;
}
// g++ reports:
// error: no matching function for call to 'CheckMe(COMMON_BASE<int>*&)'
// note: candidate: 'template<class VAR_TYPE> void CheckMe(COMMON_BASE<VAR_TYPE>*)'
// note: template argument deduction/substitution failed:
// note: couldn't deduce template parameter 'VAR_TYPE'
template < typename VAR_TYPE >
void CheckMe( COMMON_BASE<VAR_TYPE>* ) { std::cout << "COMMON_BASE<>" << std::endl; }
// "hardcoded" works fine but should be avoided
//template < typename VAR_TYPE >
//void CheckMe( B<VAR_TYPE>* ) { std::cout << "B<>" << std::endl; }
void CheckMe( int* ) { std::cout << "int" << std::endl; }
//void CheckMe( ... ){ std::cout << "default" << std::endl; }
int main()
{
COMMON_BASE< int >* cb;
B<int>* bi;
CheckMe( cb );
CheckMe( bi );
Print2< COMMON_BASE<int>* >(); // gives: void Print2() [with T = B<int>*]
}
答案 0 :(得分:1)
可悲的是,模板参数推导仅在即时上下文中有效,否则这样做是不合逻辑的。想想那个例子:
template<typename T>
using common_base = std::conditional<(sizeof(T) > 8), int, float>
template<typename T>
void call_me(common_base<T>) {
// ...
}
int main() {
call_me(1.4f); // What is T?
}
这样看起来似乎很明显,但是您的示例也正在发生这种情况。您可以想象一下:
// Ah! Fooled you compiler!
template<> struct B<int> { using HERE = B<std::string>; };
然后,这些调用应该得出什么?
CheckMe(bi); // should deduce B<int> or B<std::string>?
如您所见,编译器无法通过非直接上下文推论,因为可能没有1:1关系,有时甚至无法推论。
那你该怎么办?
简化模板功能是使其正常工作的常用方法:
template<typename T>
struct B {
using HERE = B<T>;
using type = T;
};
template<typename BaseType>
void CheckMe(BaseType* bt) {
using VAR_TYPE = BaseType::type; // yay, can use member type
}