1

我有一个 x,y,z 作为双精度类型的结构。我试图用空格分隔行,然后将该数组的值放入我的结构中,但它无法正常工作,有人可以告诉我该怎么做吗?

#include "_externals.h"
#include <vector>

typedef struct
{
    double X, Y, Z;
} p;

p vert = { 0.0, 0.0, 0.0 };

int main()
{
    char *path = "C:\\data.poi";    

    ifstream inf(path);
    ifstream::pos_type size;
    inf.seekg(0, inf.end);
    size = inf.tellg();

    double x, y, z;
    char *data;

    data = new char[size];
    inf.seekg(inf.beg);
    inf.read(data, size);
    inf.seekg(inf.beg);

    char** p = &data;
    char *line = *p;    

    for (int i = 0; i < strlen(data); ++i)
    {
        const char *verts = strtok(line, " ");

        //this isnt working
        vert.X = verts[0];
        vert.Y = verts[1];
        vert.Z = verts[2];

        ++*line;
    }

}

谢谢

4

2 回答 2

6

您不能(有意义地)a转换char*为 a double,但您可以从中提取到 a double

由于您在空格上分割输入行,典型的习惯用法是这样的......对于文件中的每一行,创建一个istringstream对象并使用它来填充您的结构。

如果operator >>()失败(例如,如果在需要数字的地方输入了字母),则目标值保持不变并被failbit设置。

例如:

#include <iostream>
#include <fstream>
#include <sstream>
#include <vector>

struct coords
{
    double X, Y, Z;
};


int main()
{
    std::ifstream inf("data.poi");
    std::vector<coords> verts;
    std::string line;
    while (std::getline(inf, line))
    {
        std::istringstream iss(line);
        coords coord;

        if (iss >> coord.X >> coord.Y >> coord.Z)
        {
            verts.push_back(coord);
        }
        else
        {
            std::cerr << "Could not process " << line << std::endl;
        }
    }
}
于 2013-01-03T03:45:01.303 回答
0

与使用 atoi 处理整数的方法相同。

对于从 char* 到 double 的转换,只需使用:

阿托夫

atof 示例

于 2013-01-03T03:28:37.060 回答