2

我试图在我的代码中重载 operator<<。如果我注释掉我尝试在自定义类中使用 << 运算符的行,它编译得很好。该错误几乎看起来不喜欢 c++ 库(?)。

我对这个问题的所有研究都表明这是一个链接问题。大多数建议使用 g++ 而不是 gcc。我使用 g++ 作为我的编译器,我仍然得到这个错误。

代码:

#include <iostream>
using namespace std;

//prototype the class and the functions
template<class T> class strange;
template<class T> ostream& operator<< (ostream& osObject, strange<T>& sObject);


//begin class
template <class T>
class strange
{
    public:
        // .... function prototypes go here.
            strange(T x,T y);
            friend ostream& operator<< <> (ostream& osObject, strange<T>& sObject);

    private:
    T a;
    T b;
};
// .... your function definitions go here
template <class T>
        strange<T>::strange(T first, T second){
        a = first;
        b = second;
}

template <class T>
ostream& operator<< (ostream& osObject, const strange<T>& sObject){
        osObject << sObject.a << ", " << sObject.b;
        return osObject;
}



int main()
{
    strange<int> x1(4,6) , x2(12,2) ;
    //strange<char> y1('m','n') , y2('m','n') ;
    cout << "x1 = " << x1 << endl;
    return 0;
}

错误:

test.cpp:(.text+0x7a): undefined reference to `std::basic_ostream<char, std::char_traits<char> >& operator<< <int>(std::basic_ostream<char, std::char_traits<char> >&, strange<int>&)'
collect2: ld returned 1 exit status

知道是什么原因造成的吗?

4

1 回答 1

4

我做了两处更改,一处是朋友定义,另一处是原型。这应该编译:

#include <iostream>
using namespace std;

//prototype the class and the functions
template<class T> class strange;
template<class T> ostream& operator<< (ostream& osObject, const strange<T>& sObject);


//begin class
template <class T>
class strange
{
    public:
        // .... function prototypes go here.
            strange(T x,T y);
            friend ostream& operator<< <> (ostream& osObject, const strange<T>& sObject);

    private:
    T a;
    T b;
};
// .... your function definitions go here
template <class T>
        strange<T>::strange(T first, T second){
        a = first;
        b = second;
}

template <class T>
ostream& operator<< (ostream& osObject, const strange<T>& sObject){
        osObject << sObject.a << ", " << sObject.b;
        return osObject;
}



int main()
{
    strange<int> x1(4,6) , x2(12,2) ;
    //strange<char> y1('m','n') , y2('m','n') ;
    cout << "x1 = " << x1 << endl;
    return 0;
}

这在 clang、g++ 和ideone中编译

为了解释这个问题,编译器正在查看链接时间以获取以下定义:

 std::ostream & operator<< <int>(std::ostream &, strange<int>&);

当您只有以下定义时:

 std::ostream & operator<< <int>(std::ostream &, strange<int> const &);

这是因为您的原型(显式原型和朋友原型)与您的定义之间的沟通不畅。

于 2012-09-08T15:47:38.700 回答