C ++ .obj解析器面

时间:2013-12-05 16:21:02

标签: c++ parsing .obj

苦苦挣扎将.obj文件的面值传递给向量。

f 5/1/1 1/2/1 4/3/1
f 5/1/1 4/3/1 8/4/1
f 3/5/2 7/6/2 8/7/2

这就是我需要存储的内容,但是

f 5//1 1//1 4//1
f 5//1 4//1 8//1
f 3//2 7//2 8//2

有时可能会这样,我不知道如何解决这个问题。

1 个答案:

答案 0 :(得分:2)

这是一个使用boost::tokenizer的示例我使用stdin来读取输入('f'之后的所有值),然后我只是将值输出到终端。我确信你可以修改它来从文件中读取并将值放在你需要的地方。

示例1

#include <iostream>
#include <string>
#include <boost/tokenizer.hpp>
using namespace std;
using namespace boost;

void ParseFace(const string& face);
int main(){
  cout << "Input a string: " << endl;
  string s;
  getline(cin,s);
  ParseFace(s);
  return 0;
}

void ParseFace(const string& face){
 boost::char_separator<char> sep(" /");
 boost::tokenizer<boost::char_separator<char> > tokens(face, sep);
 for(tokenizer<boost::char_separator<char> >::iterator beg=tokens.begin(); beg!=tokens.end();++beg){
   cout << *beg << "\n";
 }
}

示例输出:

Input a string: 
3/5/2 7/6/2 8/7/2
3
5
2
7
6
2
8
7
2

Input a string: 
5//1 1//1 4//1
5
1
1
1
4
1

示例2

记下行boost::char_separator<char> sep(" /");这是所有将被视为有效分隔符的标记的说明符。在您的情况下,将此更改为boost::char_separator<char> sep("/");(无空格)可能更方便,然后只需阅读如下字符串:

#include <iostream>
#include <string>
#include <boost/tokenizer.hpp>
#include <sstream>
using namespace std;
using namespace boost;

void ParseFace(istringstream& _input);
int main(){
  cout << "Input a string: " << endl;
  string s;
  getline(cin,s);
  istringstream input(s);
  char isFace = 'v';
  input >> isFace;
  if (!input.fail()){
    if (isFace == 'f')
      ParseFace(input);
  }
  return 0;
}

void ParseFace(istringstream& _input){
  string nextVal;
  _input >> nextVal;
  while(!_input.fail()){
    cout << "Next set: " << endl;
    boost::char_separator<char> sep("/");
    boost::tokenizer<boost::char_separator<char> > tokens(nextVal, sep);
    for(tokenizer<boost::char_separator<char> >::iterator beg=tokens.begin(); beg!=tokens.end();++beg){
      cout << *beg << "\n";
    }
    _input >> nextVal;
  }
}

示例输出:

Input a string: 
f 5/1/1 1/2/1 4/3/1
Next set: 
5
1
1
Next set: 
1
2
1
Next set: 
4
3
1

Input a string: 
f 5//1 1//1 4//1
Next set: 
5
1
Next set: 
1
1
Next set: 
4
1

在第二个例子中,我使用字符串流从整个输入中读取单个字符串,并使用基本检查来查看第一个字符是否为“f”。此示例还应适合您的需求。