1

我有一个类模板Z,当传递一个特定模板的任何实例化类型时,我想专门研究它N

struct L {
    template <typename S> void foo(S &) {/*...*/}
};

template <class T>
struct M {
    template <typename S> void foo(S &) {/*...*/}
};

template <class T>
struct N {
    template <typename S> void foo(S &) {/*...*/}
};

// I'd like to specialize this for TY==N<anything>
template <typename TX, typename TY>
struct Z {
    void bar(TX &tx) { /*...*/ ty->foo(tx); /*...*/ }
    TY *ty;
};

由于Z<int, L>and 和Z<int, N<int>>andZ<int, M<int>>都是有效的用例,我无法做任何事情来Z转换为模板模板,并且Z<TX, TY>::bar(TX &)TY类从N. 有没有办法做到这一点?

4

1 回答 1

1

这应该会影响您想要的专业化:

template <typename TX, typename ANY>
struct Z< TX, N<ANY> > {
    // ...
};

Z当第一个参数是TX,第二个参数是时,得到专门化N<ANY>。一个简单的例子:

template <typename A> struct N { A a; };

template <typename TX, typename TY>
struct Z { Z () { std::cout << "not special" << std::endl; } };

template <typename TX, typename ANY>
struct Z< TX, N<ANY> > { Z () { std::cout << "special" << std::endl; } };

int main ()
{
    Z<int, int> z1;
    Z<int, N<int> > z2;
}

输出结果:

not special
special
于 2012-06-13T05:11:23.637 回答