运算符一元重载功能

时间:2019-02-05 11:48:29

标签: c++ operator-overloading

我陷入一元运算符重载的问题。因此,在下面显示的代码中,我基本上没有得到与我的学校相符的预期结果。请参阅下面的更多信息。该函数有一些限制,我不能添加任何参数,否则会给我一个编译错误。那我该怎么办呢?如果您需要更多信息,请告诉我。谢谢!

    Point& Point::operator-() 
{

    x = -x;
    y = -y;
    return *this;

}

结果如下:

**********我的一元测试**********

pt1 =(3,4)

pt2 = -pt1

pt1 =(-3,-4)

pt2 =(-3,-4)

pt3 =(-3,4)

pt4 =---pt3

pt3 =(3,-4)

pt4 =(3,-4)

**********学校的一元测试**********

pt1 =(3,4)

pt2 = -pt1

pt1 =(3,4)//

pt2 =(-3,-4)

pt3 =(-3,4)

pt4 =---pt3

pt3 =(-3,4)//

pt4 =(3,-4)

驱动程序文件

  void UnaryTest(void)
{
cout << "\n********** Unary test ********** " << endl;

Point pt1(3, 4);
cout << "pt1 = " << pt1 << endl;
Point pt2 = -pt1;
cout << "pt2 = -pt1" << endl;

cout << "pt1 = " << pt1 << endl;
cout << "pt2 = " << pt2 << endl;

cout << endl;

Point pt3(-3, 4);
cout << "pt3 = " << pt3 << endl;
Point pt4 = - - -pt3;
cout << "pt4 = - - -pt3" << endl;

cout << "pt3 = " << pt3 << endl;
cout << "pt4 = " << pt4 << endl;
}

list.h文件

  class Point
  {
   public:

  explicit Point(double x, double y); 

  Point();

   double getX() const;

   double getY() const;

   Point operator+(const Point& other)const ;

   Point& operator+(double value);


   Point operator*(double value) ;

   Point operator%(double angle);


   double operator-(const Point& other)const ;

   Point operator-(double value);

   Point operator^(const Point& other);

   Point& operator+=(double value);
   Point& operator+=(const Point& other) ;

   Point& operator++();
   Point operator++(int); 

   Point& operator--(); 
   Point operator--(int); 

   Point& operator-() ;


        // Overloaded operators (14 member functions)
   friend std::ostream &operator<<( std::ostream &output, const Point 
  &point );
    friend std::istream &operator>>( std::istream  &input, Point 
  &point );

    // Overloaded operators (2 friend functions)

 private:
  double x; // The x-coordinate of a Point
  double y; // The y-coordinate of a Point

    // Helper functions
  double DegreesToRadians(double degrees) const;
  double RadiansToDegrees(double radians) const;
};

 // Point& Add(const Point& other); // Overloaded operators (2 non-member, 
 non-friend functions)
    // Point& Multiply(const Point& other);
    Point operator+( double value, const Point& other );
    Point operator*( double value, const Point& other );

1 个答案:

答案 0 :(得分:2)

原型是:

Point operator-(double value);

但是您的实现是:

Point& Point::operator-()

这行不通(请注意引用和不同的参数!)。

此外,您不应为此操作员在适当位置修改对象。相反,您应该有这个:

Point operator-() const;

然后:

Point Point::operator-() const
{
    return Point(-x, -y);
}
相关问题