0

我正在尝试使用基于模板的方法在 C++ 中实现一个基本的 2D 矢量类。我的课看起来像

template <typename T>
class Vector2 {
public:
union {
    struct {
        T x,y;
    };
    struct {
        T lon, lat;
    };
};

Vector2():x(0), y(0)   {}
Vector2(const T c):x(c), y(c) {}
Vector2(const Vector2<T> & v):x(v.x), y(v.y){}
Vector2(const T _x, const T _y):x(_x), y(_y) {}
};

现在我想添加一些运算符,例如

inline template <typename T> Vector2<T> operator + (const Vector2<T>& a, const Vector2<T>& b){return Vector2<T>(a.x + b.x, a.y + b.y);}

对于开发,我目前正在使用 XCode,Apple 的 LLVM 编译器编译所有内容。因为我需要在 Linux 系统上额外编译,所以我也想使用 gcc。但是在我的 Linux 系统(Fedora,gcc 版本 4.1.2)和我的 mac(也是 gcc 版本 4.1.2)上编译都失败了,我得到了错误

错误:“<”标记之前的预期不合格 ID

我的基于模板的小帮助函数也会发生同样的错误

inline template<typename T> Vector2<T> vector2Lerp(const Vector2<T>& A, const Vector2<T>& B,
                                    const Vector2<T>& C, const Vector2<T>& D, const double x, const double y)
{
    // use two helper Points
    Vector2<T> P(A + x * (B - A));
    Vector2<T> Q(C + x * (D - C));

    // interpolate between helper Points
    return P + y * (Q - P);
}

所以我的问题是,如果有人可以帮助我解决这个问题。谢谢您的帮助!

4

1 回答 1

4

inline在错误的地方使用了关键字。使用前应引入模板参数:

template <typename T> inline Vector2<T> operator + (....);

注意函数模板是inline默认的,所以你可以省略它。

于 2013-05-28T23:03:47.790 回答