我正在尝试将模板模板参数用作其他模板参数的默认值,但是当我尝试使用标识符(模板模板参数name / id)时,找不到它。 我正在使用VS 2013。 我的想法是,我有一个基于特定类型的模板实例化的“工厂”类,我需要返回另一个具有相同数量参数(4个)但具有相同专业化特性的对象。
template<class T1, class T2,class T3, class T4>
class CommandBus
{...}
template <
template<class T1, class T2, class T3, class T4> class ListenerType,
//The Line bellow fails to compile, T1 is not visible
//E0020 identifier "T1" is undefine
class CommandBusType = CommandBus<T1, T2, T3, T4> >
class CommandBusFactory {
static auto Get() {
return CommandBusType{};
}
};
int main{
//Say I would Have some Object :
Listener<int, int ,int int> Listener;
//Withought the Factory I would have to manually generate a ComamndBus of the same specialization (int , int , int, int):
CommandBus<int,int,int,int> cmdBus;
//But I could use a factory, things should look like:
Listener<int, int ,int int> listener;
auto cmdBus = CommandBusFactory<Listener<int,int,int,int>>::Get();
}
我原以为这可以工作,但是编译器抱怨例如 找不到模板参数CommandBusType的默认值(CommandBus)的标识符T1,T2等。
是否可以将模板模板参数用作其他模板参数的默认值?
答案 0 :(得分:2)
CommandBusFactory
的第一个模板参数本身就是一个模板。
但是,在main
中,您将Listener<int,int,int,int>
传递给它,这不是模板,而是类型。您需要使用类型模板参数。
然后,要从该类型中提取模板参数,可以使用模板专用化:
template
<
class X,
template <class, class, class, class> class Y
>
struct copy_template_params;
template
<
template <class, class, class, class> class X,
class A, class B, class C, class D,
template <class, class, class, class> class Y
>
struct copy_template_params<X<A,B,C,D>,Y>
{
using type = Y<A,B,C,D>;
};
template
<
class ListenerType,
class CommandBusType = typename copy_template_params<ListenerType,CommandBus>::type
>
class CommandBusFactory
{
public:
static auto Get()
{
return CommandBusType{};
}
};
答案 1 :(得分:1)
目前还不清楚您在尝试什么。在那里使用模板将允许CommandBusFactory
创建所提供的ListenerType
的不同实例,而不是让它们被传入,例如:
template <
template<class T1, class T2, class T3, class T4> class ListenerType,
class CommandBusType
>
class CommandBusFactory {
static auto Get() {
ListenerType<int, int, float, float> listener; // template params go here
ListenerType<std::string, std::string, double, double> listener2; // allowing different ones
return CommandBusType{};
}
};
int main() {
CommandBusFactory<Listener, SomeCommandBus> factory; // not here
}
如果您确实想提前提供ListenerType
,然后从中确定CommandBusType
,则可以使用typedef,返回值或类似的方式(例如具有value_type
的容器,等)。
template<class T1, class T2, class T3, class T4> class CommandBus {};
template<class T1, class T2, class T3, class T4> class Listener
{
public:
typedef T1 t1;
typedef T2 t2;
typedef T3 t3;
typedef T4 t4;
};
template <
class ListenerType,
class CommandBusType = CommandBus<typename ListenerType::t1, typename ListenerType::t2, typename ListenerType::t3, typename ListenerType::t4>
>
class CommandBusFactory {
static auto Get() {
return CommandBusType{};
}
};
int main() {
CommandBusFactory<Listener<int,int,float,float>> factory;
}