0

我需要通过分隔符标记字符串。

例如:

因为"One, Two Three,,, Four"我需要得到{"One", "Two", "Three", "Four"}.

我正在尝试使用此解决方案https://stackoverflow.com/a/55680/1034253

std::vector<std::string> strToArray(const std::string &str,
                                    const std::string &delimiters = " ,")
{
    boost::char_separator<char> sep(delimiters.c_str());
    boost::tokenizer<boost::char_separator<char>> tokens(str.c_str(), sep);

    std::vector<std::string> result;
    for (const auto &token: tokens) {
        result.push_back(token);
    }

    return result;
}

但我得到了错误:

boost-1_57\boost/tokenizer.hpp(62): 错误 C2228: '.begin' 的左边必须有类/结构/联合类型是 'const char *const'

4

4 回答 4

2

改变这个:

boost::tokenizer<boost::char_separator<char>> tokens(str.c_str(), sep);

对此:

boost::tokenizer<boost::char_separator<char>> tokens(str, sep);

链接: http: //www.boost.org/doc/libs/1_57_0/libs/tokenizer/tokenizer.htm

容器类型需要一个begin()函数,而一个 const char* (这是什么c_str())返回不满足这个要求。

于 2015-02-05T22:30:58.577 回答
1

对于您描述的任务,Boost 的标记器可能是矫枉过正的。

boost::split是为这个确切的任务而写的。

std::vector<std::string> strToArray(const std::string &str,
                                    const std::string &delimiters = " ,")
{
    using namespace boost;
    std::vector<std::string> result;
    split( result, str, is_any_of(delimiters), token_compress_on );
    return result;
}

该选项token_compress_on表示您的,,,输入不应暗示这些逗号之间的空字符串标记。

于 2015-02-05T22:31:14.647 回答
1

短途。

string tmp = "One, Two, Tree, Four";
int pos = 0;
while (pos = tmp.find(", ") and pos > 0){
    string s = tmp.substr(0, pos);
    tmp = tmp.substr(pos+2);
    cout << s;
}
于 2015-09-13T04:58:49.140 回答
0

我看到很多boost答案,所以我想我会提供一个非boost答案:

template <typename OutputIter>
void Str2Arr( const std::string &str, const std::string &delim, int start, bool ignoreEmpty, OutputIter iter )
{
    int pos = str.find_first_of( delim, start );
    if (pos != std::string::npos) {
        std::string nStr = str.substr( start, pos - start );
        trim( nStr );

        if (!nStr.empty() || !ignoreEmpty)
            *iter++ = nStr;
        Str2Arr( str, delim, pos + 1, ignoreEmpty, iter );
    }
    else
    {
        std::string nStr = str.substr( start, str.length() - start );
        trim( nStr );

        if (!nStr.empty() || !ignoreEmpty)
          *iter++ = nStr;
    }
}

std::vector<std::string> Str2Arr( const std::string &str, const std::string &delim )
{
    std::vector<std::string> result;
    Str2Arr( str, delim, 0, true, std::back_inserter( result ) );
    return std::move( result );
}

trim可以是任何修剪功能,我使用了这个 SO answer。它利用std::back_inserter和递归。您可以轻松地循环执行此操作,但这听起来更有趣:)

于 2015-02-05T22:57:04.407 回答