3

考虑以下代码:

struct Test {
    template <int S>
    bool call();
};

template <>
bool Test::call<0>() {
    return false;
}

template <>
bool Test::call<1>() {
    return true;
}

template <int S, typename T>
static void func(T& t) {
    t.call<S>();
}

int main()
{
    Test t;
    func<0>(t);
}

我得到一个编译错误:

a.cpp: In function ‘void func(T&)’:
a.cpp:19:15: error: expected primary-expression before ‘)’ token
a.cpp: In instantiation of ‘void func(T&) [with int S = 0; T = Test]’:
a.cpp:25:14:   required from here
a.cpp:19:5: error: invalid operands of types ‘&lt;unresolved overloaded function type>’ and ‘int’ to binary ‘operator<’

如果我把t.call<0>()t.call<1>()放在main()函数中,它工作正常。有人能告诉我为什么模板参数推导不适用于这段代码吗?我不确定为什么在这种情况下传入具有部分专用模板成员函数的类型不起作用。

4

3 回答 3

3

你需要说

template <int S, typename T>
static void func(T& t) {
    t.template call<S>();
}

因为T是依赖类型名,编译器不知道call()是模板函数,所以要说清楚。

于 2013-11-04T10:04:50.223 回答
1

您需要使用template关键字消除解析的歧义:

template <int S, typename T>
static void func(T& t)
{
    t.template call<S>();
}
于 2013-11-04T10:03:50.377 回答
1

看起来好像你想写

t. template call<S>();

该名称call显然是依赖的,因此,除非明确声明它是模板,否则不应将其视为模板。目前,我无法轻松检查这是否是唯一的问题。

于 2013-11-04T10:04:29.357 回答