每一行都是以對象的類型爲前綴。
所以你的讀者應該讀第一個字,然後決定要讀取什麼對象。
std::ifstream file("data.txt");
std::string type;
while(file >> type)
{
if (type == "info") { readInfo(file);}
else if (type == "common") { readCommon(file);}
else if (type == "chars") { readChars(file);}
else if (type == "char") { readChar(file);}
}
對於每種類型的對象,您需要定義一個結構來保存數據。
// char id=32 x=837 y=15 width=3 height=1 xoffset=-1 yoffset=31 xadvance=8 page=0 chnl=15
struct CharData
{
int id;
int x;
int y;
int width;
int height;
int xoffset;
int yoffset;
int xadvance;
int page;
int chnl;
};
現在你必須定義一個讀取數據的方法。在C++中,我們使用operator>>
來從流中讀取數據。
std::istream& operator>>(std::istream& stream, CharData& data)
{
// All the data is on one line.
// So read the whole line (including the '\n')
std::string line;
std::getline(stream, line);
// convert the single line into a stream for parsing.
// One line one object just makes it easier to handle errors this way.
std::stringstream linestream(line);
// Assume the prefix type information has already been read (now looks like this)
// id=32 x=837 y=15 width=3 height=1 xoffset=-1 yoffset=31 xadvance=8 page=0 chnl=15
std::string command;
while(linestream >> command) // This reads one space separated command from the line.
{
if (command.substr(0,3) == "id=") {data.id = atoi(&command[3]);}
else if (command.substr(0,2) == "x=") {data.x = atoi(&command[2]);}
else if (command.substr(0,2) == "y=") {data.y = atoi(&command[2]);}
else if (command.substr(0,6) == "width=") {data.width = atoi(&command[6]);}
else if (command.substr(0,7) == "height=") {data.height = atoi(&command[7]);}
else if (command.substr(0,8) == "xoffset=") {data.xoffset = atoi(&command[8]);}
else if (command.substr(0,8) == "yoffset=") {data.yoffset = atoi(&command[8]);}
else if (command.substr(0,9) == "xadvance=") {data.xadvance = atoi(&command[9]);}
else if (command.substr(0,5) == "page=") {data.page = atoi(&command[5]);}
else if (command.substr(0,5) == "chnl=") {data.chnl = atoi(&command[5]);}
}
return stream;
}
重複您需要閱讀的其他類型的過程。然後寫入讀取命令變得簡單:
std::vector<CharData> charVector;
void readChar(std::istream& stream)
{
CharData data;
stream >> data; // read the object from the stream
// This uses the `operator>>` we just defined above.
charVector.push_back(data); // put the data item into a vector.
}
重複其他類型的過程。
不應該操作員只讀取類型?其餘的變量應該在依賴於類型的函數中讀取 – Gir 2012-08-12 16:00:18
感謝您的擴展代碼! – puelo 2012-08-12 20:10:43
輕微明顯的錯字:除非我誤解了某些內容,否則上面所有'itoa'的實例都是「atoi」。 – 2012-08-12 20:42:17