web-dev-qa-db-ja.com

c ++演算子の複数定義<<

クラスの_<<_演算子をオーバーライドしようとしています。目的は基本的に、私のクラスにtoString()のような動作を実装することであり、それをcoutに送信すると有用な出力が生成されます。ダミーの例を使用して、私は以下のコードを持っています。コンパイルしようとすると、次のエラーが発生します。

_$ g++ main.cpp Rectangle.cpp
/tmp/ccWs2n6V.o: In function `operator<<(std::basic_ostream<char, std::char_traits<char> >&, CRectangle const&)':
Rectangle.cpp:(.text+0x0): multiple definition of `operator<<(std::basic_ostream<char, std::char_traits<char> >&, CRectangle const&)'
/tmp/ccLU2LLE.o:main.cpp:(.text+0x0): first defined here
_

なぜこれが起こっているのか理解できません。私のコードは以下です:

Rectangle.h:

_#include <iostream>
using namespace std;

class CRectangle {
    private:
        int x, y;
        friend ostream& operator<<(ostream& out, const CRectangle& r);
    public:
        void set_values (int,int);
        int area ();
};

ostream& operator<<(ostream& out, const CRectangle& r){
    return out << "Rectangle: " << r.x << ", " << r.y;
}
_

Rectangle.cpp:

_#include "Rectangle.h"

using namespace std;

int CRectangle::area (){
    return x*y;
}

void CRectangle::set_values (int a, int b) {
    x = a;
    y = b;
}
_

main.cpp:

_#include <iostream>
#include "Rectangle.h"

using namespace std;

int main () {
    CRectangle rect;
    rect.set_values (3,4);
    cout << "area: " << rect.area();
    return 0;
}
_
30
ewok

1つの定義ルールを破っています。クイックフィックスは:

inline ostream& operator<<(ostream& out, const CRectangle& r){
    return out << "Rectangle: " << r.x << ", " << r.y;
}

その他は次のとおりです。

  • ヘッダーファイルで演算子を宣言し、実装をRectangle.cppファイルに移動します。
  • クラス定義内で演算子を定義します。

class CRectangle {
    private:
        int x, y;
    public:
        void set_values (int,int);
        int area ();
        friend ostream& operator<<(ostream& out, const CRectangle& r){
          return out << "Rectangle: " << r.x << ", " << r.y;
        }
};

ボーナス:

  • ガードを含める
  • ヘッダーからusing namespace std;を削除します。
42
Luchian Grigore

関数のdefinition.hファイルに入れています。つまり、すべての翻訳単位に表示され、1つの定義ルールに違反します(=>定義したoperator<<すべてのオブジェクトモジュールで、リンカはどちらが「正しいものか」を知りません。

次のいずれかを行うことができます。

  • 演算子(つまりプロトタイプ)のdeclarationのみを.hファイルに書き込み、その定義をrectangle.cppに移動します
  • make operator<<inline-inline関数は、すべての定義が同一である限り、複数回定義することができます。

(また、インクルードではヘッダーガードを使用する必要があります。)

15
Matteo Italia