在名称空间内的类中将stringstream与运算符重载一起使用时,“没有匹配'operator >>'”

时间:2019-07-17 02:05:20

标签: c++

我正在尝试在命名空间内的类中重载>>运算符,但是当我尝试将其与字符串流一起使用时,它将无法正常工作。这是我的代码的简化版本:

#include <iostream>
#include <string>
#include <sstream>

using namespace std;

namespace Foo {
    class Bar {
    public:
        string str;
        friend istream& operator >>(istream& in, Bar& t);
    };
}

inline istream& operator >>(istream& in, Foo::Bar& t) {
    in >> t.str;
    return in;
}

int main() {
    Foo::Bar foo;
    stringstream("foo") >> foo;

    cout << foo.str << endl;

    return 0;
}

这是错误:

main.cpp:22:22: error: no match for ‘operator>>’ (operand types are ‘std::stringstream {aka std::__cxx11::basic_stringstream<char>}’ and ‘Foo::Bar’)

事情是通过其他方式实现的:

#include <iostream>
#include <string>
#include <sstream>

using namespace std;

namespace Foo {
    class Bar {
    public:
        string str;
        friend istream& operator >>(istream& in, Foo::Bar& t) {
            in >> t.str;
            return in;
        }
    };
}



int main() {
    Foo::Bar foo;
    stringstream("foo") >> foo;

    cout << foo.str << endl;

    return 0;
}
#include <iostream>
#include <string>
#include <sstream>

using namespace std;

class Bar {
public:
    string str;
    friend istream& operator >>(istream& in, Bar& t);
};

inline istream& operator >>(istream& in, Bar& t) {
    in >> t.str;
    return in;
}

int main() {
    Bar foo;
    stringstream("foo") >> foo;

    cout << foo.str << endl;

    return 0;
}

问题是,我不知道为什么第一种方法应该是错误的。如果有帮助,我正在linux上使用g ++编译器。有人可以帮助我了解发生了什么事吗?

1 个答案:

答案 0 :(得分:2)

由于Sam Varshavchik的提示(在上面的评论中),我已经能够提出第一个版本的正确版本:

#include <iostream>
#include <string>
#include <sstream>

namespace Foo {
    class Bar {
    public:
        std::string str;
        friend std::istream& operator >>(std::istream& in, Bar& t);
    };

    std::istream& operator >>(std::istream& in, Bar& t);
}

std::istream& Foo::operator >>(std::istream& in, Foo::Bar& t) {
    in >> t.str;
    return in;
}

using namespace std;

int main() {
    Foo::Bar foo;
    stringstream("foo") >> foo;

    cout << foo.str << endl;

    return 0;
}

关键是要确保operator >>函数在同一个作用域中被声明和定义。我仍然希望能够在命名空间括号之外定义函数,因此我必须在命名空间内添加一个声明,以便编译器知道在命名空间中应该有该函数。保持函数定义分开可以使我将代码分成三个文件:main.cpp,foo.hpp和foo.cpp:

// main.cpp

#include <iostream>
#include <string>
#include <sstream>

#include "foo.hpp"

using namespace std;

int main() {
    Foo::Bar foo;
    stringstream("foo") >> foo;

    cout << foo.str << endl;

    return 0;
}
// foo.hpp

#ifndef FOO_HPP
#define FOO_HPP

#include <string>
#include <iostream>

namespace Foo {
    class Bar {
    public:
        std::string str;
        friend std::istream& operator >>(std::istream& in, Bar& t);
    };

    std::istream& operator >>(std::istream& in, Bar& t);
}

#endif
// foo.cpp

#include "foo.hpp"

std::istream& Foo::operator >>(std::istream& in, Foo::Bar& t) {
    in >> t.str;
    return in;
}

无论如何,非常感谢您的帮助!感谢您不给我提供解决方案;即使我确实得到了一些帮助,也向我指出了正确的方向,但通过自己弄清楚来学习,还是要好得多。