我目前在尝试使用结构从文本文件中提取数据然后将其存储到向量中时遇到问题。但无论如何,除非我将float,int的值更改为字符串,否则它总是会给我这样的错误:
MissionPlan.cpp:190:错误:从'void *'无效转换为'char **' MissionPlan.cpp:190:错误:无法将'float'转换为'size_t *'以将参数'2'转换为'__ssize_t getline(char **,size_t *,FILE *)
这是我的结构:
struct CivIndexDB {
float civInd;
int x;
int y;
}
这是我的示例文本文件:
3.2341:2:3个
1.5234:3:4
这是我用来从文本文件中提取数据然后将其存储到向量中的代码:
string line = "";
while (getline(civIndexFile,line)) {
stringstream linestream(line);
getline(linestream,civDb.civInd,':');
getline(linestream,civDb.x,':');
getline(linestream,civDb.y);
civIndexesList.push_back(civDb);
}
将结构中的变量类型更改为字符串不是我在应用程序中稍后需要的,我需要根据其浮点值对矢量值进行排序。
我感谢任何帮助。谢谢!
答案 0 :(得分:3)
我建议,如果文件格式是固定的,最简单的方法是不查看您确切的问题/错误:
char ch; // For ':'
while (civIndexFile >> civDb.civInd >> ch >> civDb.x >> ch >> civDb.y )
{
civIndexesList.push_back(civDb);
}
修改强>
对于浮点值的排序,您可以重载<
运算符:
struct CivIndexDB {
float civInd;
int x;
int y;
bool operator <(const CivIndexDB& db) const
{
return db.civInd > civInd;
}
};
然后使用std::sort
:
std::sort(civIndexesList.begin(), civIndexesList.end() );
答案 1 :(得分:0)
这个怎么样?
#include <vector>
#include <cstdlib>
#include <sstream>
#include <string>
#include <fstream>
#include <iostream>
struct CivIndexDB {
float civInd;
int x;
int y;
};
int main() {
std::ifstream civIndexFile;
std::string filename = "data.dat";
civIndexFile.open(filename.c_str(), std::ios::in);
std::vector<CivIndexDB> civ;
CivIndexDB cid;
if (civIndexFile.is_open()) {
std::string temp;
while(std::getline(civIndexFile, temp)) {
std::istringstream iss(temp);
int param = 0;
int x=0, y=0;
float id = 0;
while(std::getline(iss, temp, ':')) {
std::istringstream ist(temp);
if (param == 0) {
(ist >> id) ? cid.civInd = id : cid.civInd = 0;
}
else if (param == 1) {
(ist >> x) ? cid.x = x : cid.x = 0;
}
else if (param == 2) {
(ist >> y) ? cid.y = y : cid.y = 0;
}
++param;
}
civ.push_back(cid);
}
}
else {
std::cerr << "There was a problem opening the file!\n";
exit(1);
}
for (int i = 0; i < civ.size(); ++i) {
cid = civ[i];
std::cout << cid.civInd << " " << cid.x << " " << cid.y << std::endl;
}
return 0;
}