我试图找出如何使用“sstream
”和C ++解析此字符串
它的格式是:“string,int,int”。
我需要能够将包含IP地址的字符串的第一部分分配给std :: string。
以下是此字符串的示例:
std::string("127.0.0.1,12,324");
然后我需要获得
string someString = "127.0.0.1";
int aNumber = 12;
int bNumber = 324;
我将再次提到我不能使用boost
库,只需sstream
:-)
由于
答案 0 :(得分:13)
C++ String Toolkit Library (Strtk)针对您的问题提供了以下解决方案:
int main() { std::string data("127.0.0.1,12,324"); string someString; int aNumber; int bNumber; strtk::parse(data,",",someString,aNumber,bNumber); return 0; }
可以找到更多示例Here
答案 1 :(得分:6)
这不是花哨但你可以使用std :: getline来分割字符串:
std::string example("127.0.0.1,12,324");
std::string temp;
std::vector<std::string> tokens;
std::istringstream buffer(example);
while (std::getline(buffer, temp, ','))
{
tokens.push_back(temp);
}
然后,您可以从每个分离的字符串中提取必要的信息。
答案 2 :(得分:3)
这是一个有用的标记化功能。它不使用流,但可以通过在逗号上拆分字符串轻松执行所需的任务。然后,您可以使用生成的标记向量执行任何操作。
/// String tokenizer.
///
/// A simple tokenizer - extracts a vector of tokens from a
/// string, delimited by any character in delims.
///
vector<string> tokenize(const string& str, const string& delims)
{
string::size_type start_index, end_index;
vector<string> ret;
// Skip leading delimiters, to get to the first token
start_index = str.find_first_not_of(delims);
// While found a beginning of a new token
//
while (start_index != string::npos)
{
// Find the end of this token
end_index = str.find_first_of(delims, start_index);
// If this is the end of the string
if (end_index == string::npos)
end_index = str.length();
ret.push_back(str.substr(start_index, end_index - start_index));
// Find beginning of the next token
start_index = str.find_first_not_of(delims, end_index);
}
return ret;
}
答案 3 :(得分:2)
你也可以做这样的事情我相信(如果我在那里犯了一些错误的话,我可以道歉)...
stringstream myStringStream( "127.0.0.1,12,324" );
int ipa, ipb, ipc, ipd;
char ch;
int aNumber;
int bNumber;
myStringStream >> ipa >> ch >> ipb >> ch >> ipc >> ch >> ipd >> ch >> aNumber >> ch >> bNumber;
stringstream someStringStream;
someStringStream << ipa << "." << ipb << "." << ipc << "." << ipd;
string someString( someStringStream.str() );