当我的对象在C ++的右侧时,如何重载操作符*?

时间:2011-01-30 23:43:56

标签: c++ overloading operator-keyword

我想实现“operator *”重载INSIDE我的类,所以我可以执行以下操作:

Rational a(1, 2), b;
b = 0.5 * a; // b = 1/4

请注意,b在右侧,有没有办法在内部内部执行类?

3 个答案:

答案 0 :(得分:7)

没有。您必须将operator*定义为自由函数。当然,您可以根据第二个参数的成员函数来实现它。

答案 1 :(得分:5)

是:

class Rational {
  // ...
  friend Rational operator*(float lhs, Rational rhs) { rhs *= lhs; return rhs; }
};

注意:这当然是滥用friend关键字。 应该是一个免费的功能。

答案 2 :(得分:0)

答案是不可以,但由于浮动值在左侧,您可能会认为“0.5 * a”的结果类型将是双倍。在这种情况下,您可以考虑对转换运算符做一些事情。请注意,“pow(a,b)”仅用于说明这个想法。

  1 #include <stdio.h>
  2 #include <math.h>
  3 
  4 class Complicated
  5 {
  6 public:
  7     Complicated(int a, int b) : m_a(a), m_b(b)
  8     {
  9     }   
 10      
 11     Complicated(double a) : m_a(a)
 12     {
 13     }
 14     
 15     template <typename T> operator T()
 16     {
 17         return (T)(pow(10, m_b) * m_a);
 18     }   
 19     
 20     void Print()
 21     {
 22         printf("(%f, %f)\n", m_a, m_b);
 23     }   
 24     
 25 private:
 26     double m_a;
 27     double m_b;
     28 };  
 29
 30 
 31 int main(int argc, char* argv[])
 32 {
 33     Complicated pr(1, 2);
 34     Complicated c = 5.1 * (double) pr;
 35     c.Print();
 36 }
 37