从字符串c ++中提取数字

时间:2012-03-01 12:02:18

标签: c++ string tokenize

我有一个字符串,如下所示:

foo
$RESULT :(0.2374742, 0.267722, ...up to a million more)
$STATES :{1, 3, 5, ...}
foo 

所以字符串中的某个位置是结果,并且它们之后是状态,我想将结果保存在列表中,将状态保存在另一个列表中。

我想我需要类似“从$ RESULT :(”到“)读取”获取每个数字并推送到列表,同样适用于各州,但我不知道如何从“a”到“b”读取字符串并标记其内容。

6 个答案:

答案 0 :(得分:2)

你可以使用boost tokenizer:它只是一个标题库,方便使用

答案 1 :(得分:2)

int index = s.find("RESULT: (");
int index2 = s.find("$STATE");

int length = index2 - index;

if (index != string::npos) {
    temp = s.substr(index + 7, length - 8);
}
typedef tokenizer<char_separator<char> > tokenizer;
char_separator<char> sep(",() ");
tokenizer tokens(temp, sep);
for (tokenizer::iterator tok_iter = tokens.begin();
        tok_iter != tokens.end(); ++tok_iter) {
    basic_string<char> tempValue = *tok_iter;

    values.push_back(tempValue);

}

答案 2 :(得分:1)

C ++中的标记化通常使用getline完成,因此使用: getline(输入流,字符串保存位置,分隔符);

尝试构建一个用于读取的类,将每行保存到集合中,然后根据需要对每一行进行标记,并将其发送到算法中的所需集合。

答案 3 :(得分:1)

您可以使用strtok()库函数 - http://www.cplusplus.com/reference/clibrary/cstring/strtok

答案 4 :(得分:0)

找到'('然后第一个')'符号的第一个acurance并获得两个索引之间的子串(首先是开始,长度是结束 - 开始)然后你可以做同样的第一个')'符号后面的子串(对于状态)。

temp_str = input_str

do twice {
    start    = findChar(temp_str, '(');
    end      = findChar(temp_str, ')')
    len      = end - start + 1
    result   = substr(temp_str, start, len);  

    save_result_to_file(result)

    temp_str = substr(temp_str, end + 1);
}

不记得确切的c ++命令,但你肯定会有它们。

答案 5 :(得分:0)

#include <string>
#include <vector>
using namespace std;

int main()
{
  //This is your source string
  string Source = "foo $RESULT :(0.2374742, 0.267722) $STATES :{1, 3, 5} fo0";
  //Get the $RESULT section of the string, encapsulated by ( )
  string Results = Source .substr(Source .find("(") + 1, (Source .find(")") - Source .find("(")) - 1);

  //Get the $STATES section of the string, encapsulated by { }
  string States = Source .substr(Source .find("{") + 1, (Source .find("}") - Source .find("{")) - 1);

  vector<double> ResultsList;
  vector<int> StatesList;

  //While the Results string still has remaining ", " token/seperators in it
  while(Results.find(", ") != string::npos)  
  {
    //Get the next value and insert it into the vector (converting it from string to float using atof)
    ResultsList.push_back(atof(Results.substr(0, Results.find(", ")).c_str()));
    //Crop that off the oringal string
    Results = Results.substr(Results.find(", ") + 2);  
  }
  //Push the final value (no remaning tokens) onto the store
  ResultsList.push_back(atof(Results.c_str()));

  //Exactly the same operation with states, just using atoi to convert instead
  while(States .find(", ") != string::npos)  
  {  
    StatesList.push_back(atoi(States.substr(0, States .find(", ")).c_str()));  
    States = States.substr(States.find(", ") + 2);  
  }  
  StatesList.push_back(atoi(States.c_str()));
  return 0;
}