提取运算符重载中的c ++未定义引用
在代码块中逐位学习c ++,我遇到了这个错误。 我已经尝试了几个小时,看到各种链接,但它仍然无法正常工作,
main.cpp中
#include <iostream>
#include "Person.h"
using namespace std;
int main()
{
foo:: Person p;
//std:: cin >> p;
std:: cout << p;
return 0;
}
Person.h
#ifndef PERSON_H
#define PERSON_H
namespace foo{
class Person
{
public:
int age;
Person();
friend std:: ostream& operator << (std::ostream&,const Person&);
//friend std:: istream& operator << (std:: istream& in, Person& p);
protected:
private:
// std::string name;
};
}
#endif // PERSON_H
Person.cpp
#include <iostream>
#include "Person.h"
using namespace foo;
Person::Person()
{
age = 0;
//name = "noname";
}
std:: ostream& operator <<(std:: ostream& out, Person const &p)
{
out << "Extraction operator" << std:: endl << p.age << std:: endl;
// out << p.name << std::endl;
return out;
}
/*std:: istream& operator >>(std:: istream& in, Person &p)
{
in >> p.age >> p.name;
return in;
}*/
Q1。 为什么我们需要在独立的命名空间中创建头文件和Person.cpp? 猜测:这是因为cout只是意味着全局命名空间,然后我们又有一个重载的cout,因此编译器会调用它的哪个定义不确定?
Q2。 通过在main的foo命名空间中创建一个Person类的对象p并调用std :: cout << p,我们要做什么? (std在std名字空间中,我们想调用重载的运算符)
错误:
undefined reference to foo:: operator<<(std::ostream&, foo::Person const&)')
如果我们私下写这个年龄,它说它是私人的,但是作为一个朋友,它应该可以访问私人成员。 我知道这与名称空间有关,但我找不到原因。
在std :: cin中,运算符>>没有匹配前面它给出了上述和许多其他的错误,所以我尝试使用两个命名空间,但仍然没有工作。
我认为你使用错误的运算符声明
//friend std:: istream& operator << (std:: istream& in, Person& p);
代替
friend std:: istream& operator >> (std:: istream& in, Person& p);
还可以在声明它的名称空间中定义你的类方法
#include <iostream>
#include "Person.h"
namespace foo
{
Person::Person()
{
age = 0;
//name = "noname";
}
std:: ostream& operator <<(std:: ostream& out, Person const &p)
{
out << "Extraction operator" << std:: endl << p.age << std:: endl;
// out << p.name << std::endl;
return out;
}
std:: istream& operator >>(std:: istream& in, Person &p)
{
in >> p.age >> p.name;
return in;
}
}
下面的代码在MS Visual C ++上完美运行
#include "stdafx.h"
#include <iostream>
#include <conio.h>
#include <string>
namespace foo{
class Person
{
public:
Person();
friend std:: ostream& operator << (std::ostream&,const Person&);
friend std:: istream& operator >> (std:: istream& in, Person& p);
protected:
private:
int age;
std::string name;
};
}
namespace foo
{
Person::Person()
{
age = 0;
name = "noname";
}
std:: ostream& operator <<(std:: ostream& out, Person const &p)
{
out << "Extraction operator" << std:: endl << p.age << std:: endl;
out << p.name << std::endl;
return out;
}
std:: istream& operator >>(std:: istream& in, Person &p)
{
in >> p.age >> p.name;
return in;
}
}
int main()
{
foo:: Person p;
std:: cin >> p;
std:: cout << p;
_getch();
return 0;
}
您在全局名称空间中定义了operator<<
,但在名称空间foo
声明了它。
在命名空间foo
定义它:
namespace foo
{
// definition
}
链接地址: http://www.djcxy.com/p/73089.html
上一篇: c++ undefined reference in extraction operator overloading
下一篇: C++ passing an object to a function, the operator= is not called