4

我正在尝试为数学编程编写一个大小和类型的通用向量类。我在部分专业化方面遇到问题。

当我尝试将向量类的成员方法专门化为给定大小时,就会出现问题。

我可以提供一个简单的例子:

template <size_t Size, typename Type>
class TestVector
{
public:
    inline TestVector (){}
    TestVector cross (TestVector const& other) const;
};

template < typename Type >
inline TestVector< 3, Type > TestVector< 3, Type >::cross (TestVector< 3, Type > const& other) const
{
    return TestVector< 3, Type >();
}

void test ()
{
    TestVector< 3, double > vec0;
    TestVector< 3, double > vec1;
    vec0.cross(vec1);
}

尝试编译这个简单的示例时,我收到一个编译错误,指出“交叉”专业化与现有声明不匹配:

error C2244: 'TestVector<Size,Type>::cross' : unable to match function definition to an existing declaration
see declaration of 'TestVector<Size,Type>::cross'
definition
    'TestVector<3,Type> TestVector<3,Type>::cross(const TestVector<3,Type> &) const'
    existing declarations
    'TestVector<Size,Type> TestVector<Size,Type>::cross(const TestVector<Size,Type> &) const'

我试图将 cross 声明为模板:

template <size_t Size, typename Type>
class TestVector
{
public:
    inline TestVector (){}

    template < class OtherVec >
    TestVector cross (OtherVec const& other) const;
};

template < typename Type >
TestVector< 3, Type > TestVector< 3, Type >::cross< TestVector< 3, Type > > (TestVector< 3, Type > const& other) const
{
    return TestVector< 3, Type >();
}

此版本通过编译但在链接时失败:

 unresolved external symbol "public: class TestVector<3,double> __thiscall TestVector<3,double>::cross<class TestVector<3,double> >(class TestVector<3,double> const &)const

我在这里想念什么?谢谢,弗洛伦特

4

2 回答 2

1

一种方法是定义cross为“函子”(即带有 的类operator())。

template<size_t S, typename T>
class Vec {
  // ... stuff
  friend struct Cross<S, T>;
  Vec<S, T> cross(const Vec<S, T>& other) {
    return Cross<S, T>()(*this, other);
  }
  // ... more stuff
};


template<size_t S, typename T> struct Cross {
  Vec<S, T> operator() (const Vec<S, T>& a, const Vec<S, T>& b) {
    // general definition
  }
};

// Partial specialization
template<typename T> struct Cross<3, T> {
  vec<3, T> operator() (const Vec<3, T>& a, const Vec<3, T>& b) {
    // specialize definition
  }
};
于 2012-11-21T14:41:37.923 回答
0

您不能部分专门化一个方法。您可以在某些条件下超载。在这里,您可以选择您的课程的部分专业化

template <size_t Size, typename Type> class TestVector
{
public:
    inline TestVector (){}
    TestVector cross (TestVector const& other) const;
};

具有一般行为的定义:

TestVector<size_t Size, typename Type>::cross (TestVector const& other) const {
     // general
}

和一个专门的模板,使您能够定义案例 int 的特定行为是 3

template <typename Type> class TestVector<3, Type>
{
public:
    inline TestVector (){}
    TestVector cross (TestVector const& other) const;
};

自定义行为的定义:

TestVector<typename Type>::cross (TestVector const& other) const {
     // custom
}
于 2014-05-12T12:00:13.040 回答