文字列を行ごとに分割する必要があります。以前は次のようにしていました。
int doSegment(char *sentence, int segNum)
{
assert(pSegmenter != NULL);
Logger &log = Logger::getLogger();
char delims[] = "\n";
char *line = NULL;
if (sentence != NULL)
{
line = strtok(sentence, delims);
while(line != NULL)
{
cout << line << endl;
line = strtok(NULL, delims);
}
}
else
{
log.error("....");
}
return 0;
}
「私たちは1つです。\ nyes we are。」と入力します。 doSegmentメソッドを呼び出します。しかし、デバッグすると、文パラメータが「we are one。\\ nyes we are」であることがわかり、分割に失敗しました。誰かがこれが起こった理由と私がすべきことを教えてもらえますか?とにかく私はC++で文字列を分割するために使用できますか?ありがとう!
Std :: getlineまたはstd :: string :: findを使用して文字列を調べたいです。以下のコードはgetline関数を示しています
int doSegment(char *sentence)
{
std::stringstream ss(sentence);
std::string to;
if (sentence != NULL)
{
while(std::getline(ss,to,'\n')){
cout << to <<endl;
}
}
return 0;
}
呼び出すことができます std::string::find
ループおよび使用 std::string::substr
。
std::vector<std::string> split_string(const std::string& str,
const std::string& delimiter)
{
std::vector<std::string> strings;
std::string::size_type pos = 0;
std::string::size_type prev = 0;
while ((pos = str.find(delimiter, prev)) != std::string::npos)
{
strings.Push_back(str.substr(prev, pos - prev));
prev = pos + 1;
}
// To get the last substring (or only, if delimiter is not found)
strings.Push_back(str.substr(prev));
return strings;
}
例 here を参照してください。
#include <iostream>
#include <string>
#include <regex>
#include <algorithm>
#include <iterator>
using namespace std;
vector<string> splitter(string in_pattern, string& content){
vector<string> split_content;
regex pattern(in_pattern);
copy( sregex_token_iterator(content.begin(), content.end(), pattern, -1),
sregex_token_iterator(),back_inserter(split_content));
return split_content;
}
int main()
{
string sentence = "This is the first line\n";
sentence += "This is the second line\n";
sentence += "This is the third line\n";
vector<string> lines = splitter(R"(\n)", sentence);
for (string line: lines){cout << line << endl;}
}
// 1) We have a string with multiple lines
// 2) we split those into an array (vector)
// 3) We print out those elements in a for loop
// My Background. . .
// github.com/Radicalware
// Radicalware.net
// https://www.youtube.com/channel/UCivwmYxoOdDT3GmDnD0CfQA/playlists
このかなり非効率的な方法は、改行エスケープ文字が見つかるまで文字列をループするだけです。次に、部分文字列を作成し、ベクターに追加します。
std::vector<std::string> Loader::StringToLines(std::string string)
{
std::vector<std::string> result;
std::string temp;
int markbegin = 0;
int markend = 0;
for (int i = 0; i < string.length(); ++i) {
if (string[i] == '\n') {
markend = i;
result.Push_back(string.substr(markbegin, markend - markbegin));
markbegin = (i + 1);
}
}
return result;
}