This question already has answers here:
“invalid use of incomplete type” error with partial template specialization

(5个答案)


2年前关闭。




我是模板的新手,所以也许这是一件微不足道的事情,但我无法使其正常工作。我正在尝试对类成员函数进行部分特化。最短的代码是:
template <typename T, int nValue> class Object{
private:
    T m_t;
    Object();
public:
    Object(T t): m_t(t) {}
    T Get() { return m_t; }
    Object& Deform(){
        m_t*=nValue;
        return *this;
    }
};

template <typename T>
Object<T,0>& Object<T,0>::Deform(){
    this->m_t = -1;
    return *this;
}

int main(){
    Object<int,7> nObj(1);
    nObj.Deform();
    std::cout<<nObj.Get();
}

我尝试使用非成员函数,并且效果很好。成员函数的完全特化也是可行的。

但是,每当我尝试使用部分规格时。成员函数的形式错误:
PartialSpecification_MemberFu.cpp(17): error: template argument
list must match the parameter list Object<T,0>& Object<T,0>::Deform().

将不胜感激:-)

最佳答案

您不能仅对单个成员函数进行部分特化,而必须对整个类进行部分特化。因此,您将需要以下内容:

template <typename T>
class Object<T, 0>
{
private:
    T m_t;
    Object();
public:
    Object(T t): m_t(t) {}
    T Get() { return m_t; }
    Object& Deform()
    {
        std::cout << "Spec\n";
        m_t = -1;
        return *this;
    }
};

关于c++ - c++模板部分特化成员函数,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/31659886/

10-12 05:23