web-dev-qa-db-fra.com

C++ Comment obtenir une sous-chaîne après un caractère?

Par exemple, si j'ai

string x = "dog:cat";

et je veux tout extraire après le ":", et retourner le chat. Quel serait le moyen d'y parvenir?

13
SKLAK

Essaye ça:

x.substr(x.find(":") + 1); 
47
rcs
#include <iostream>
#include <string>

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

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

Voici une implémentation encapsulée dans une fonction qui travaillera sur un délimiteur de n'importe quelle longueur:

#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';

}
2
Trevor Hickey

La réponse acceptée de rcs peut être améliorée. Je n'ai pas de représentant, je ne peux donc pas commenter la réponse.

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;

Ne pas effectuer correctement la vérification des erreurs fait trébucher beaucoup de programmeurs. La chaîne a pour sentinelle le PO est intéressé mais jette std :: out_of_range si pos> size ().

basic_string substr( size_type pos = 0, size_type count = npos ) const;
1
Edward Kigwana

Essaye ça:

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

quelque chose comme ça:

string x = "dog:cat";
int i = x.find_first_of(":");
string cat = x.substr(i+1);
0
Cristian Olaru
#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;
}
0

Essaye celui-là ..

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

while(std::getline(x, segment, ':'))
{
   seglist.Push_back(segment);
}
0
Dyrandz Famador