1

以下代码在 Visual Studio 2012 Express、Windows 8 下编译得很好

但在我首选的平台上,Eclipse Juno,OS XI 上的 GCC 4.2 收到以下错误:

../src/Test.cpp:20: error: 'std::istream& TestNS::operator>>(std::istream&, TestNS::Test&)' 应该在'TestNS'中声明

#include <cstdio>
#include <cstdlib>
#include <iostream>

using std::istream;

namespace TestNS
{
class Test
{
    friend istream &operator>>(istream &in, Test &value);

public:
    Test(double real, double image);

private:
    double real;
    double image;
    void initialize(double real, double image);

};
}

#include <cstdio>
#include <cstdlib>
#include <iostream>
#include "Header.h"

using std::istream;
using namespace TestNS;

TestNS::Test::Test(double real = 0.0, double image = 0.0) : real(real), image(image)
{

}

void TestNS::Test::initialize(double real,  double image)
{
this->real = real;
this->image = image;
}

istream& TestNS::operator>> (istream &in, TestNS::Test &value)
{
value.real = 10.0;
value.image = 10.0;

return in;

}

int main()
{

}

任何帮助都是最有帮助的。为学校项目工作。

4

1 回答 1

4

看来 GCC 给出的错误是正确的。在您的示例中, 的朋友声明operator>>确实指定operator>>将成为 的成员TestNS,但实际上并没有在那里声明它。你仍然需要一个operator>>inside声明,TestNS然后才能在外部定义它TestNS

namespace TestNS
{
    class Test
    {
        friend istream &operator>>(istream &in, Test &value);

    public:
        Test(double real, double image);

    private:
        double real;
        double image;
        void initialize(double real, double image);

    };

    istream &operator>>(istream &in,Test &value); // need this
}

现在可以了:

istream& TestNS::operator>> (istream &in, TestNS::Test &value)
{
    value.real = 10.0;
    value.image = 10.0;        
    return in;    
}

标准的相关部分是 7.3.1.2 p2 (for C++03):

命名命名空间的成员也可以通过显式限定正在定义的名称在该命名空间之外定义, 前提是正在定义的实体已经在命名空间中声明......

下一段表明(虽然有些间接)虽然类中的友元声明确实使函数成为命名空间的成员,但它实际上并没有在那里声明它,因为函数的名称需要单独声明才能在命名空间:

如果friend非本地类中的声明首先声明了一个类或函数,则友元类或函数是最内层封闭命名空间的成员。直到在该命名空间范围内提供了匹配的声明(在授予友谊的类声明之前或之后),才通过简单的名称查找找到朋友函数的名称。

于 2013-05-04T06:01:23.263 回答