我正在编写一个包含2D矢量对象的程序:
class Obj{
public:
int x;
string y;
};
vector<Obj> a(100);
vector< vector<Obj> > b(10);
我在向量b中存储了一些向量a的值。
当我尝试将其打印出来时出现错误:
for(int i=0; i<b.size(); i++){
for(int j=0; j<b[i].size(); j++)
cout << b[i][j];
cout << endl;
}
错误信息:
D:\ main.cpp:91:错误:不匹配'operator&lt;&lt;' (操作数类型是'std :: ostream {aka std :: basic_ostream}'和'__gnu_cxx :: __ alloc_traits&gt; :: value_type {aka Obj}') cout&lt;&lt; B [i] [j]; ^
答案 0 :(得分:8)
您的问题与向量无关,它与将某些用户定义类型Obj
的对象发送到标准输出有关。使用operator<<将对象发送到输出流时,如下所示:
cout << b[i][j];
流不知道如何处理它,因为12 overloads都没有接受用户定义的类型Obj
。您需要为您的班级operator<<
重载Obj
:
std::ostream& operator<<(std::ostream& os, const Obj& obj) {
os << obj.x << ' ' << obj.y;
return os;
}
甚至是Obj
s的矢量:
std::ostream& operator<<(std::ostream& os, const std::vector<Obj>& vec) {
for (auto& el : vec) {
os << el.x << ' ' << el.y << " ";
}
return os;
}
有关该主题的更多信息,请查看此SO帖子:
What are the basic rules and idioms for operator overloading?
答案 1 :(得分:6)
这与你的载体无关。
您正在尝试打印Obj
,但您没有告诉您的计算机您希望如何执行此操作。
单独打印b[i][j].x
和b[i][j].y
,或operator<<
重载Obj
。
答案 2 :(得分:2)
没有cout::operator<<
以class Obj
作为右手边。你可以定义一个。最简单的解决方案是将x
和y
分别发送到cout
。但是使用基于范围的for循环!
#include <string>
#include <vector>
#include <iostream>
using namespace std;
class Obj {
public:
int x;
string y;
};
vector<vector<Obj>> b(10);
void store_some_values_in_b() {
for (auto& row : b) {
row.resize(10);
for (auto& val : row) {
val.x = 42; val.y = " (Ans.) ";
}
}
}
int main() {
store_some_values_in_b();
for (auto row: b) {
for (auto val : row) {
cout << val.x << " " << val.y;
}
cout << endl;
}
}
答案 3 :(得分:1)
也许就像下面
for(int i=0; i<b.size(); i++){
for(int j=0; j<b[i].size(); j++)
cout << "(" << b[i][j].x << ", " << b[i][j].y << ") ";
cout << endl;
}