我有一个字符串,它看起来像这样:
foo
$RESULT :(0.2374742, 0.267722, ...up to a million more)
$STATES :{1, 3, 5, ...}
foo
在字符串中的某处这样的结果,并直接在他们之后的状态,我想保存在另一个list列表中的结果和状态。
我想我需要的东西,如“从$结果中读取:(”到“),”让每一个号码和推到列表中,同为美国,但我不知道如何阅读从“A”到“B”的字符串和它的标记化内容。
我有一个字符串,它看起来像这样:
foo
$RESULT :(0.2374742, 0.267722, ...up to a million more)
$STATES :{1, 3, 5, ...}
foo
在字符串中的某处这样的结果,并直接在他们之后的状态,我想保存在另一个list列表中的结果和状态。
我想我需要的东西,如“从$结果中读取:(”到“),”让每一个号码和推到列表中,同为美国,但我不知道如何阅读从“A”到“B”的字符串和它的标记化内容。
你可以使用升压标记生成器 :这是一个仅有头文件库,使用起来得心应手
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);
}
在C ++标记化通常与函数getline完成,使用这样:函数getline(输入流,字符串,其中保存它,分隔符字符);
尝试建立阅读一类,即尽可能地节省每行集合,然后记号化各行根据需要,发送给需要集合中的算法。
您可以使用strtok()
库函数- http://www.cplusplus.com/reference/clibrary/cstring/strtok 。
找到“(”,然后第一的“)”标志的第一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 ++命令,但你将有它们肯定。
#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;
}