我想用两个函数编写一个类Map:save和load。 我想使用流,所以我可以在我的程序中写: map<< “地图名称”,它会将地图加载到内存中,地图>> “地图名称”,它会保存我的地图。
不幸的是,在谷歌我只能找到如何覆盖运营商'>>' '<<',但在操作员的左侧使用cout或cin。
你能给我同样的提示怎么做吗? 感谢您提前回答。
答案 0 :(得分:3)
重载<<
和>>
运算符,并将它们声明为friend
到您的类,然后使用它们。这是一个示例代码。
#include <iostream>
#include <string>
using namespace std;
class Map
{
friend Map& operator << (Map &map, string str);
friend Map& operator >> (Map &map, string str);
};
Map& operator << (Map &map, string str)
{
//do work, save the map with name str
cout << "Saving into \""<< str << "\"" << endl;
return map;
}
Map& operator >> (Map &map, string str)
{
// do work, load the map named str into map
cout << "Loading from \"" << str << "\"" << endl;
return map;
}
int main (void)
{
Map map;
string str;
map << "name1";
map >> "name2";
}
请注意,在您的目的中,对象的返回的解释由您决定,因为obj << "hello" << "hi";
可能意味着从“hello”和“hi”加载obj
?或按顺序附加它们,这取决于你。同样obj >> "hello" >> "hi";
可以意味着将obj
保存在名为“hello”和“hi”的两个文件中
答案 1 :(得分:2)
以下是如何重载operator<<
和operator>>
class Map
{
Map & operator<< (std::string mapName)
{
//load the map from whatever location
//if you want to load from some file,
//then you have to use std::ifstream here to read the file!
return *this; //this enables you to load map from
//multiple mapNames in single line, if you so desire!
}
Map & operator >> (std::string mapName)
{
//save the map
return *this; //this enables you to save map multiple
//times in a single line!
}
};
//Usage
Map m1;
m1 << "map-name" ; //load the map
m1 >> "saved-map-name" ; //save the map
Map m2;
m2 << "map1" << "map2"; //load both maps!
m2 >> "save-map1" >> "save-map2"; //save to two different names!
根据用例,可能不希望两个或多个地图成为单个对象。如果是这样,那么您可以创建运算符的返回类型&lt;&lt; void
。