我正在处理一个矢量类,并试图重载一些运算符。我看了无数的例子,尝试了我能想到的每一个改动,但仍然是g ++抱怨
WHERE
显然g ++告诉我,我正在定义一个成员函数,但我还没有将我的运算符声明为成员函数。
这是代码(我省略了大部分代码,因为它工作正常并且不相关): vec.h
include/vector.cpp:9:38: error: no ‘vec vec::operator+(const vec&)’ member function declared in class ‘vec’
vec.cpp:
#ifndef _BEN_VECTOR
#define _BEN_VECTOR
#include <math.h>
#include <string>
#include <sstream>
class vec{
public:
/* Constructor */
vec(double X, double Y);
/* OPERATORS */
vec operator+( const vec& other);
private:
int dims;
double x;
double y;
};
#endif /* _BEN_VECTOR */
对不起,如果这是重复的 - 我已经在interwebz上搜索了好几个小时,但没有找到任何东西。当我看到我的错误有多明显时,我相信我会感到尴尬:)谢谢
答案 0 :(得分:0)
这是我的Vector2类的一部分,也许这会对你有帮助。
class Vector2 {
public:
union {
float m_f2[2];
struct {
float m_fX;
float m_fY;
};
};
inline Vector2();
inline Vector2( float x, float y );
inline Vector2( float* pfv );
// ~Vector2(); // Default Okay
// Operators
inline Vector2 operator+() const;
inline Vector2 operator+( const Vector2 &v2 ) const;
inline Vector2& operator+=( const Vector2 &v2 );
};
inline Vector2::Vector2() :
m_fX( 0.0f ),
m_fY( 0.0f ) {
}
inline Vector2::Vector2( float x, float y ) :
m_fX( x ),
m_fY( y ) {
}
inline Vector2::Vector2( float* pfv ) :
m_fX( pfv[0] ),
m_fY( pfv[1] ) {
}
// operator+() - Unary
inline Vector2 Vector2::operator+() const {
return *this;
}
// operator+() - Binary
inline Vector2 Vector2::operator+( const Vector2 &v2 ) {
return Vector2( m_fX + v2.m_fX, m_fY + v2.m_fY );
}
// Operator+=()
inline Vector2& Vector2::operator+=( const Vector2 &v2 ) {
m_fX += v2.m_fX;
m_fY += v2.m_fY;
return *this;
}