.txtファイルから浮動小数点数を読み取るにはどうすればよいですか。各行の先頭の名前に応じて、異なる数の座標を読みたいと思います。フロートは「スペース」で区切られます。
例:triangle 1.2 -2.4 3.0
結果は次のようになります:float x = 1.2 / float y = -2.4 / float z = 3.0
ファイルには、より複雑になる可能性のある異なる形状の線が多く含まれていますが、そのうちの1つを行う方法を知っていれば、他の人が自分で行うことができると思います。
これまでの私のコード:
#include <iostream>
#include <fstream>
using namespace std;
int main(void)
{
ifstream source; // build a read-Stream
source.open("text.txt", ios_base::in); // open data
if (!source) { // if it does not work
cerr << "Can't open Data!\n";
}
else { // if it worked
char c;
source.get(c); // get first character
if(c == 't'){ // if c is 't' read in 3 floats
float x;
float y;
float z;
while(c != ' '){ // go to the next space
source.get(c);
}
//TO DO ?????? // but now I don't know how to read the floats
}
else if(c == 'r'){ // only two floats needed
float x;
float y;
while(c != ' '){ // go to the next space
source.get(c);
}
//TO DO ??????
}
else if(c == 'p'){ // only one float needed
float x;
while(c != ' '){ // go to the next space
source.get(c);
}
//TODO ???????
}
else{
cerr << "Unknown shape!\n";
}
}
return 0;
}
このすべてのgetc
狂気の代わりに、通常の方法でC++ストリームを使用しないのはなぜですか。
#include <sstream>
#include <string>
for(std::string line; std::getline(source, line); ) //read stream line by line
{
std::istringstream in(line); //make a stream for the line itself
std::string type;
in >> type; //and read the first whitespace-separated token
if(type == "triangle") //and check its value
{
float x, y, z;
in >> x >> y >> z; //now read the whitespace-separated floats
}
else if(...)
...
else
...
}
これはうまくいくはずです:
string shapeName;
source >> shapeName;
if (shapeName[0] == 't') {
float a,b,c;
source >> a;
source >> b;
source >> c;
}