从std :: string中提取信息

时间:2019-05-31 06:54:08

标签: c++ stdstring

与字符串相关的查询过多,但仍存在一些疑问,因为每个字符串都不相同,每个要求也不同。

我有以下形式的字符串:

Random1A:Random1B::String1
Random2A:Random2B::String2
...
RandomNA:RandomNB::StringN

简而言之,输入字符串看起来像A:B::Val1 P:Q::Val2,o / p字符串Val1 Val2

PS:RandomsStrings是小的(可变的)长度字符串。

std::string GetCoreStr ( std::string inputStr, int & vSeqLen )
{
    std::string seqStr;
    std::string strNew;
    seqStr = inputStr;
    size_t firstFind = 0;
    while ( !seqStr.empty() )
    {
        firstFind = inputStr.find("::");
        size_t lastFind = (inputStr.find(" ") < inputStr.length())? inputStr.find(" ") : inputStr.length();
        strNew += inputStr.substr(firstFind+2, lastFind-firstFind-1);
        vSeqStr = inputStr.erase( 0, lastFind+1 );
    }
    vSeqLen = strNew.length();
    return strNew;
}

我想找回String1 String2 ... StringN

我的代码有效,我得到了选择的结果,但这不是最佳形式。我需要帮助来提高代码质量。

1 个答案:

答案 0 :(得分:1)

  

我在决定如何调整偏移量时遇到麻烦。 [...]

std::string getCoreString(std::string const& input)
{
    std::string result;
    // optional: avoid reallocations:
    result.reserve(input.length());
    // (we likely reserved too much – if you have some reliable hint how many
    // input parts we have, you might subtract appropriate number)

    size_t end = 0;
    do
    {
        size_t begin = input.find("::", end);
        // added check: double colon not found at all...
        if(begin == std::string::npos)
            break;
        // single character variant is more efficient, if you need to find just such one:
        end = std::min(input.find(' ', begin) + 1, input.length());
        result.append(input.begin() + begin + 2, input.begin() + end);
    }
    while(end < input.length());
    return result;
}

侧面说明:您不需要其他的“长度”输出参数;这是多余的,因为返回的字符串包含相同的值...