C ++如何在字符后获取子字符串?

C++ How to get substring after a character?

例如,如果我有

string x = "dog:cat";

我想提取“:”和 return cat 之后的所有内容。这样做的方法是什么?

试试这个:

x.substr(x.find(":") + 1); 

试试这个:

  string x="dog:cat";
  int pos = x.find(":");
  string sub = x.substr (pos+1);
  cout << sub;

试试这个..

std::stringstream x("dog:cat");
std::string segment;
std::vector<std::string> seglist;

while(std::getline(x, segment, ':'))
{
   seglist.push_back(segment);
}
#include <iostream>
#include <string>

int main(){
  std::string x = "dog:cat";

  //prints cat
  std::cout << x.substr(x.find(":") + 1) << '\n';
}

这是一个封装在函数中的实现,它可以处理任意长度的分隔符:

#include <iostream>
#include <string>

std::string get_right_of_delim(std::string const& str, std::string const& delim){
  return str.substr(str.find(delim) + delim.size());
}

int main(){

  //prints cat
  std::cout << get_right_of_delim("dog::cat","::") << '\n';

}

您可以做的是从字符串中获取“:”的位置,然后使用子字符串检索该位置之后的所有内容。

size_t pos = x.find(":"); // position of ":" in str

string str3 = str.substr (pos);

像这样:

string x = "dog:cat";
int i = x.find_first_of(":");
string cat = x.substr(i+1);
#include <string>
#include <iostream>
std::string process(std::string const& s)
{
    std::string::size_type pos = s.find(':');
    if (pos!= std::string::npos)
    {
        return s.substr(pos+1,s.length());
    }
    else
    {
        return s;
    }
}
int main()
{
    std::string s = process("dog:cat");
    std::cout << s;
}

rcs 接受的答案可以改进。没有代表,所以我无法对答案发表评论。

std::string x = "dog:cat";
std::string substr;
auto npos = x.find(":");

if (npos != std::string::npos)
    substr = x.substr(npos + 1);

if (!substr.empty())
    ; // Found substring;

不执行正确的错误检查会让很多程序员感到困惑。该字符串具有 OP 感兴趣的标记,但如果 pos > size().

则抛出 std::out_of_range
basic_string substr( size_type pos = 0, size_type count = npos ) const;

我知道会很晚,但我无法评论已接受的答案。如果您在 find 函数中仅使用单个字符,请使用 '' 而不是 ""。 正如 Clang-Tidy 所说 The character literal overload is more efficient.

所以 x.substr(x.find(':') + 1)