0

我正在尝试在 1 条单行上输入未定义数量的坐标(x,y,重量)。示例:

Please enter all the coords:

(1,2,5) (1,5,7) (2,5,2) (2,4,4) (2,3,5) (3,4,1) (4,5,9)

我会将它们存储在一个二维数组中,所以对于我的第一个坐标,它会是这样的:

array[1][2] = 5

如果每行只有一个坐标,我会这样做:

cin >> trash_char >> x >> y >> weight >> trash_char;
array[x][y] = weight

对于单行上未确定数量的坐标,我该如何做到这一点?

多谢你们!

4

2 回答 2

1

定义一个结构。

struct Coord3D{
     float x,y,z;
};

定义插入运算符

template<typename ReadFunc>
istream& operator >> (istream& stream, Coord3D& coord){
     return ReaderFunc(stream, coord );
}

定义阅读器功能。

istream& MyCoordReader(istream& stream, Coord3D& coord){
     char trash_char = 0;
     return stream >> trash_char >> x >> y >> weight >> trash_char;
}

像这样使用它

 //template instantiation, probably wrong syntax
template<MyCoordReader> istream& opeartor >> (istream&,Coord3D&);

int main(){
   std::vector<Coord3D> coordinates;
   Coord3D coord;
   while( cin >> coord ){ coordinates.push_back(coord); }
   return 0;
}
于 2012-08-04T19:55:20.780 回答
0

像这样

#include <sstream>
#include <iostream>
#include <string>

string line;
getline(cin, line);
istringstream buffer(line);
while (buffer >> trash_char >> x >> y >> weight >> trash_char)
{
  // do something
}

使用 getline 将一行读入字符串。然后将该字符串包装在 istringstream 中,以便您可以从中读取坐标。

于 2012-08-04T19:35:23.727 回答