在 object 未更新时传递对常量 object 的引用

passing reference to constant object while the object is not updated

我在下面写了一个玩具class。

header

class saleData{
  private:
    std::string isbn;
    unsigned cnt;
    double price;

  public:
    saleData(const std::string s, unsigned c, double p): isbn{s}, cnt{c}, price{p} {};
    
    unsigned getCnt(){
      return cnt;
    }

    double getPrice(){
      return price;
    }

    saleData &combine(####const#### saleData &x){
      cnt += x.getCnt();
      price=(price*cnt + x.getCnt()*x.getPrice()) / (cnt + x.getCnt());
      return *this;
    }
};

主要功能

int main(){
  saleData x("xx", 3, 4.4);
  saleData y("yy", 4, 3.3);
  x.combine(y);
  cout<<"total revenue is "<<x.getCnt() * x.getPrice()<<endl;
  return 0;
}

如果我在组合函数中有那个####const####,我会得到一些编译错误,比如

sale_data.h:25:35: error: passing 'const saleData' as 'this' argument of 'unsigned int 
saleData::getCnt()' discards qualifiers [-fpermissive] 
       price=(price*cnt + x.getCnt()*x.getPrice()) / (cnt + x.getCnt());

如果我删除常量,一切正常。

但我没有为 saleData x 修改任何内容,对吗?我正在阅读它的 cnt 和价格。

非常量成员函数(getPrice()getCnt())无法在 const 对象上调用。您应该让它们 const,告诉它们不会修改任何非静态数据成员。

class saleData{
  private:
    std::string isbn;
    unsigned cnt;
    double price;

  public:
    saleData(const std::string s, unsigned c, double p): isbn{s}, cnt{c}, price{p} {};
    
    unsigned getCnt() const {
      return cnt;
    }

    double getPrice() const {
      return price;
    }

    saleData &combine(const saleData &x){
      cnt += x.getCnt();
      price=(price*cnt + x.getCnt()*x.getPrice()) / (cnt + x.getCnt());
      return *this;
    }
};