12

今日ここで 3 番目の質問 ;-) ですが、私は c++ テンプレート プログラミングと演算子のオーバーロードに本当に慣れていません。

私は次のことを試みています:

ターミナルログ.hh

//snipped code

class Terminallog {
public:

    Terminallog();
    Terminallog(int);
    virtual ~Terminallog();

    template <class T>
    Terminallog & operator<<(const T &v);
    template <class T>
    Terminallog & operator<<(const std::vector<T> &v);
    template <class T>
    Terminallog & operator<<(const T v[]);
    Terminallog & operator<<(const char v[]);

//snipped code
};

//snipped code
template <class T>
Terminallog &Terminallog::operator<<(const T &v) {
    std::cout << std::endl;
    this->indent();
    std::cout << v;
    return *this;
}

template <class T>
Terminallog &Terminallog::operator<<(const std::vector<T> &v) {
    for (unsigned int i = 0; i < v.size(); i++) {
        std::cout << std::endl;
        this->indent();
        std::cout << "Element " << i << ": " << v.at(i);
    }
    return *this;
}

template <class T>
Terminallog &Terminallog::operator<<(const T v[]) {
    unsigned int elements = sizeof (v) / sizeof (v[0]);
    for (unsigned int i = 0; i < elements; i++) {
        std::cout << std::endl;
        this->indent();
        std::cout << "Element " << i << ": " << v[i];
    }
    return *this;
}

Terminallog &Terminallog::operator<<(const char v[]) {
    std::cout << std::endl;
    this->indent();
    std::cout << v;
    return *this;
}
//snipped code

このコードをコンパイルしようとすると、リンカー エラーが発生します。

g++ src/terminallog.cc inc/terminallog.hh testmain.cpp -o test -Wall -Werror 
/tmp/ccifyOpr.o: In function `Terminallog::operator<<(char const*)':
testmain.cpp:(.text+0x0): multiple definition of `Terminallog::operator<<(char const*)'
/tmp/cccnEZlA.o:terminallog.cc:(.text+0x0): first defined here
collect2: ld returned 1 exit status

そのため、私は現在、頭を壁にぶつけて解決策を探しています。しかし、壁の中にそれが見つからない...

誰かが私の間違いを見せてくれたら素晴らしいだろう

どうもありがとう

フィアロンセム

4

1 に答える 1

13

この機能

Terminallog &Terminallog::operator<<(const char v[]) {
    std::cout << std::endl;
    this->indent();
    std::cout << v;
    return *this;
}

テンプレートではなく、通常のメンバー関数です。この .h ファイルが複数の .cpp フィルタに含まれていると、表示されている複数定義エラーが発生します。それを宣言するとinline、コンパイラは複数の定義を許可し、エラーを修正する必要があります。

inline
Terminallog &Terminallog::operator<<(const char v[]) {
于 2011-03-28T00:08:54.147 に答える