0

我是 C++ 新手,并试图让这个开源程序(为/在 linux 中开发)在 OS X 上的 xcode 中编译和运行。

use of undeclared identifier 'x'当我编译并运行代码时,我会遇到很多这样或这样的错误(超过 xcode 愿意计算的数量)use of undeclared identifier 'y'

以下是引发错误的代码示例:

template<typename T>
struct TVector2 {
    T x, y;
    TVector2(T _x = 0.0, T _y = 0.0)
        : x(_x), y(_y)
    {}
    double Length() const {
        return sqrt(static_cast<double>(x*x + y*y));
    }
    double Norm();
    TVector2<T>& operator*=(T f) {
        x *= f;
        y *= f;
        return *this;
    }
    TVector2<T>& operator+=(const TVector2<T>& v) {
        x += v.x;
        y += v.y;
        return *this;
    }
    TVector2<T>& operator-=(const TVector2<T>& v) {
        x -= v.x;
        y -= v.y;
        return *this;
    }
};
struct TVector3 : public TVector2<T> {
    T z;
    TVector3(T _x = 0.0, T _y = 0.0, T _z = 0.0)
    : TVector2<T>(_x, _y), z(_z)
    {}
    double Length() const {
        return sqrt(static_cast<double>(x*x + y*y + z*z)); //use of undeclared identifier x
    }
    double Norm();
    TVector3<T>& operator*=(T f) {
        x *= f;
        y *= f;
        z *= f;
        return *this;
    }

作为一个没有经验的 C++ 程序员,在我看来,x 和 y 看起来只是未声明的局部变量。我可以通过简单地声明变量来让编译器摆脱错误,就像这样......

struct TVector3 : public TVector2<T> {
    T z;
    T x;
    T y;

然而,这些错误的绝对数量让我认为

  1. 可能有(相当常见的)C++ 编译器版本允许您将变量 x 声明为 _x。这可以解释为什么我下载的源代码有这么多编译器错误。
  2. 也许我得到了一个“坏批次”的源代码,我不应该浪费我的时间来编译它,因为源代码不知何故很糟糕。

有经验的 C++ 开发人员能否解释可能发生的情况?

4

1 回答 1

4
  • x并且y是基类的数据成员,TVector2<T>.

  • 因为基类是依赖于模板参数的类型T,所以在查找非限定名称时不会搜索它。

  • 我相信 MSVC 曾经编译过这段代码,不确定它是否仍然在 C++11 模式下编译。原因是 MSVC 没有在模板中正确地进行名称解析。

  • 解决方法通常是说this->x而不是x.

于 2013-10-03T01:01:48.030 回答