web-dev-qa-db-fra.com

Comment concaténer plusieurs chaînes C++ sur une ligne?

C # a une fonctionnalité de syntaxe où vous pouvez concaténer plusieurs types de données sur une seule ligne.

string s = new String();
s += "Hello world, " + myInt + niceToSeeYouString;
s += someChar1 + interestingDecimal + someChar2;

Quel serait l'équivalent en C++? Autant que je sache, il faudrait tout faire sur des lignes séparées, car cela ne prend pas en charge plusieurs chaînes/variables avec l'opérateur +. C'est OK, mais ça n'a pas l'air aussi chouette.

string s;
s += "Hello world, " + "Nice to see you, " + "or not.";

Le code ci-dessus génère une erreur.

123
Nick Bolton
#include <sstream>
#include <string>

std::stringstream ss;
ss << "Hello, world, " << myInt << niceToSeeYouString;
std::string s = ss.str();

Jetez un coup d'œil à cet article de Herb Sutter sur le gourou de la semaine: The String Formatters of Manor Farm

205
Paolo Tedesco
s += "Hello world, " + "Nice to see you, " + "or not.";

Ces littéraux de tableau de caractères ne sont pas C++ std :: strings - vous devez les convertir:

s += string("Hello world, ") + string("Nice to see you, ") + string("or not.");

Pour convertir ints (ou tout autre type de fichier en streaming), vous pouvez utiliser un boost lexical_cast ou fournir votre propre fonction:

template <typename T>
string Str( const T & t ) {
   ostringstream os;
   os << t;
   return os.str();
}

Vous pouvez maintenant dire des choses comme:

string s = "The meaning is " + Str( 42 );
54
anon

En 5 ans, personne n'a mentionné .append?

#include <string>

std::string s;
s.append("Hello world, ");
s.append("Nice to see you, ");
s.append("or not.");
52
Michel

Votre code peut être écrit comme1,

s = "Hello world," "Nice to see you," "or not."

... mais je doute que c'est ce que vous cherchez. Dans votre cas, vous recherchez probablement des flux:

std::stringstream ss;
ss << "Hello world, " << 42 << "Nice to see you.";
std::string s = ss.str();

1 " peut être écrit en tant que ": Ceci ne fonctionne que pour les littéraux de chaîne. La concaténation est faite par le compilateur.

36
John Dibling

En utilisant les littéraux définis par l'utilisateur C++ 14 et std::to_string, le code devient plus facile.

using namespace std::literals::string_literals;
std::string str;
str += "Hello World, "s + "Nice to see you, "s + "or not"s;
str += "Hello World, "s + std::to_string(my_int) + other_string;

Notez que la concaténation de littéraux de chaîne peut être réalisée au moment de la compilation. Supprimez simplement le +.

str += "Hello World, " "Nice to see you, " "or not";
21
Rapptz

Pour offrir une solution plus linéaire: Une fonction concat peut être implémentée pour réduire la solution "classique" basée sur le stringstream à une instruction single . Elle est basée sur des modèles variadiques et une transmission parfaite.


Utilisation:

std::string s = concat(someObject, " Hello, ", 42, " I concatenate", anyStreamableType);

La mise en oeuvre:

void addToStream(std::ostringstream&)
{
}

template<typename T, typename... Args>
void addToStream(std::ostringstream& a_stream, T&& a_value, Args&&... a_args)
{
    a_stream << std::forward<T>(a_value);
    addToStream(a_stream, std::forward<Args>(a_args)...);
}

template<typename... Args>
std::string concat(Args&&... a_args)
{
    std::ostringstream s;
    addToStream(s, std::forward<Args>(a_args)...);
    return s.str();
}
13
SebastianK

boost :: format 

ou std :: stringstream

std::stringstream msg;
msg << "Hello world, " << myInt  << niceToSeeYouString;
msg.str(); // returns std::string object
7
bayda

Le problème actuel était que la concaténation des littéraux de chaîne avec + échouait en C++:

string s;
s += "Hello world, " + "Nice to see you, " + "or not.";
Le code ci-dessus génère une erreur.

En C++ (également en C), vous concaténez des littéraux de chaîne en les plaçant simplement l'un à côté de l'autre:

string s0 = "Hello world, " "Nice to see you, " "or not.";
string s1 = "Hello world, " /*same*/ "Nice to see you, " /*result*/ "or not.";
string s2 = 
    "Hello world, " /*line breaks in source code as well as*/ 
    "Nice to see you, " /*comments don't matter*/ 
    "or not.";

Cela a du sens, si vous générez du code dans des macros:

#define TRACE(arg) cout << #arg ":" << (arg) << endl;

... une simple macro qui peut être utilisée comme ceci

int a = 5;
TRACE(a)
a += 7;
TRACE(a)
TRACE(a+7)
TRACE(17*11)

( démo en direct ... )

ou, si vous insistez pour utiliser le + pour les littéraux de chaîne (comme suggéré par underscore_d ):

string s = string("Hello world, ")+"Nice to see you, "+"or not.";

Une autre solution combine une chaîne et un const char* pour chaque étape de concaténation

string s;
s += "Hello world, "
s += "Nice to see you, "
s += "or not.";
5
Wolf

Avec la bibliothèque {fmt} vous pouvez faire:

auto s = fmt::format("{}{}{}", "Hello world, ", myInt, niceToSeeYouString);

Un sous-ensemble de la bibliothèque est proposé pour normalisation sous la forme/ P0645 Mise en forme du texte et, si elle est acceptée, ce qui précède deviendra:

auto s = std::format("{}{}{}", "Hello world, ", myInt, niceToSeeYouString);

Disclaimer: je suis l'auteur de la bibliothèque {fmt}.

3
vitaut

Comme d'autres l'ont dit, le principal problème du code OP est que l'opérateur + ne concatène pas const char *; cela fonctionne avec std::string, cependant.

Voici une autre solution qui utilise C++ 11 lambdas et for_each et permet de fournir une separator pour séparer les chaînes:

#include <vector>
#include <algorithm>
#include <iterator>
#include <sstream>

string join(const string& separator,
            const vector<string>& strings)
{
    if (strings.empty())
        return "";

    if (strings.size() == 1)
        return strings[0];

    stringstream ss;
    ss << strings[0];

    auto aggregate = [&ss, &separator](const string& s) { ss << separator << s; };
    for_each(begin(strings) + 1, end(strings), aggregate);

    return ss.str();
}

Usage:

std::vector<std::string> strings { "a", "b", "c" };
std::string joinedStrings = join(", ", strings);

Il semble bien évoluer (linéairement), du moins après un rapide test sur mon ordinateur; voici un rapide test que j'ai écrit:

#include <vector>
#include <algorithm>
#include <iostream>
#include <iterator>
#include <sstream>
#include <chrono>

using namespace std;

string join(const string& separator,
            const vector<string>& strings)
{
    if (strings.empty())
        return "";

    if (strings.size() == 1)
        return strings[0];

    stringstream ss;
    ss << strings[0];

    auto aggregate = [&ss, &separator](const string& s) { ss << separator << s; };
    for_each(begin(strings) + 1, end(strings), aggregate);

    return ss.str();
}

int main()
{
    const int reps = 1000;
    const string sep = ", ";
    auto generator = [](){return "abcde";};

    vector<string> strings10(10);
    generate(begin(strings10), end(strings10), generator);

    vector<string> strings100(100);
    generate(begin(strings100), end(strings100), generator);

    vector<string> strings1000(1000);
    generate(begin(strings1000), end(strings1000), generator);

    vector<string> strings10000(10000);
    generate(begin(strings10000), end(strings10000), generator);

    auto t1 = chrono::system_clock::now();
    for(int i = 0; i<reps; ++i)
    {
        join(sep, strings10);
    }

    auto t2 = chrono::system_clock::now();
    for(int i = 0; i<reps; ++i)
    {
        join(sep, strings100);
    }

    auto t3 = chrono::system_clock::now();
    for(int i = 0; i<reps; ++i)
    {
        join(sep, strings1000);
    }

    auto t4 = chrono::system_clock::now();
    for(int i = 0; i<reps; ++i)
    {
        join(sep, strings10000);
    }

    auto t5 = chrono::system_clock::now();

    auto d1 = chrono::duration_cast<chrono::milliseconds>(t2 - t1);
    auto d2 = chrono::duration_cast<chrono::milliseconds>(t3 - t2);
    auto d3 = chrono::duration_cast<chrono::milliseconds>(t4 - t3);
    auto d4 = chrono::duration_cast<chrono::milliseconds>(t5 - t4);

    cout << "join(10)   : " << d1.count() << endl;
    cout << "join(100)  : " << d2.count() << endl;
    cout << "join(1000) : " << d3.count() << endl;
    cout << "join(10000): " << d4.count() << endl;
}

Résultats (millisecondes):

join(10)   : 2
join(100)  : 10
join(1000) : 91
join(10000): 898
2
elnigno

Peut-être que vous aimez ma solution "Streamer" pour le faire en une seule ligne:

#include <iostream>
#include <sstream>
using namespace std;

class Streamer // class for one line string generation
{
public:

    Streamer& clear() // clear content
    {
        ss.str(""); // set to empty string
        ss.clear(); // clear error flags
        return *this;
    }

    template <typename T>
    friend Streamer& operator<<(Streamer& streamer,T str); // add to streamer

    string str() // get current string
    { return ss.str();}

private:
    stringstream ss;
};

template <typename T>
Streamer& operator<<(Streamer& streamer,T str)
{ streamer.ss<<str;return streamer;}

Streamer streamer; // make this a global variable


class MyTestClass // just a test class
{
public:
    MyTestClass() : data(0.12345){}
    friend ostream& operator<<(ostream& os,const MyTestClass& myClass);
private:
    double data;
};

ostream& operator<<(ostream& os,const MyTestClass& myClass) // print test class
{ return os<<myClass.data;}


int main()
{
    int i=0;
    string s1=(streamer.clear()<<"foo"<<"bar"<<"test").str();                      // test strings
    string s2=(streamer.clear()<<"i:"<<i++<<" "<<i++<<" "<<i++<<" "<<0.666).str(); // test numbers
    string s3=(streamer.clear()<<"test class:"<<MyTestClass()).str();              // test with test class
    cout<<"s1: '"<<s1<<"'"<<endl;
    cout<<"s2: '"<<s2<<"'"<<endl;
    cout<<"s3: '"<<s3<<"'"<<endl;
}
2
bterwijn

Vous devez définir operator + () pour chaque type de données que vous souhaitez concenter avec la chaîne, mais puisque l'opérateur << est défini pour la plupart des types, vous devez utiliser std :: stringstream.

Bon sang, battu par 50 secondes ...

2
tstenner
auto s = string("one").append("two").append("three")
2
Shital Shah

Si vous écrivez le +=, il a presque la même apparence que C #

string s("Some initial data. "); int i = 5;
s = s + "Hello world, " + "Nice to see you, " + to_string(i) + "\n";
1
Eponymous

Voici la solution one-liner:

#include <iostream>
#include <string>

int main() {
  std::string s = std::string("Hi") + " there" + " friends";
  std::cout << s << std::endl;

  std::string r = std::string("Magic number: ") + std::to_string(13) + "!";
  std::cout << r << std::endl;

  return 0;
}

Bien que ce soit un tout petit peu moche, je pense que c'est à peu près aussi propre que votre chat en C++. 

Nous transformons le premier argument en un std::string, puis en utilisant l'ordre d'évaluation (de gauche à droite) de operator+ pour nous assurer que l'opérande left est toujours un std::string. De cette manière, nous concaténons le std::string à gauche avec l'opérande const char * à droite et renvoyons un autre std::string, en cascade de l'effet.

Remarque: il existe quelques options pour l'opérande de droite, notamment const char *, std::string et char.

C'est à vous de décider si le nombre magique est 13 ou 6227020800.

0
Apollys

Quelque chose comme ça marche pour moi

namespace detail {
    void concat_impl(std::ostream&) { /* do nothing */ }

    template<typename T, typename ...Args>
    void concat_impl(std::ostream& os, const T& t, Args&&... args)
    {
        os << t;
        concat_impl(os, std::forward<Args>(args)...);
    }
} /* namespace detail */

template<typename ...Args>
std::string concat(Args&&... args)
{
    std::ostringstream os;
    detail::concat_impl(os, std::forward<Args>(args)...);
    return os.str();
}
// ...
std::string s{"Hello World, "};
s = concat(s, myInt, niceToSeeYouString, myChar, myFoo);
0
smoothware

Stringstream avec une simple macro préprocesseur utilisant une fonction lambda semble bien:

#include <sstream>
#define make_string(args) []{std::stringstream ss; ss << args; return ss;}() 

et alors

auto str = make_string("hello" << " there" << 10 << '$');
0
asikorski

En c11:

void printMessage(std::string&& message) {
    std::cout << message << std::endl;
    return message;
}

cela vous permet de créer un appel de fonction comme ceci:

printMessage("message number : " + std::to_string(id));

imprimera: numéro du message: 10

0
devcodexyz

vous pouvez également "étendre" la classe de chaînes et choisir l'opérateur que vous préférez (<<, &, |, etc ...)

Voici le code utilisant l'opérateur << pour montrer qu'il n'y a pas de conflit avec les flux

remarque: si vous décommentez s1.reserve (30), il n'y a que 3 nouvelles demandes d'opérateurs (1 pour s1, 1 pour s2, 1 pour réserve; vous ne pouvez malheureusement pas réserver au moment du constructeur); sans réserve, s1 doit demander plus de mémoire au fur et à mesure de sa croissance, cela dépend donc du facteur de croissance de votre implémentation du compilateur (le mien semble être de 1,5, 5 nouveaux appels () dans cet exemple)

namespace perso {
class string:public std::string {
public:
    string(): std::string(){}

    template<typename T>
    string(const T v): std::string(v) {}

    template<typename T>
    string& operator<<(const T s){
        *this+=s;
        return *this;
    }
};
}

using namespace std;

int main()
{
    using string = perso::string;
    string s1, s2="she";
    //s1.reserve(30);
    s1 << "no " << "sunshine when " << s2 << '\'' << 's' << " gone";
    cout << "Aint't "<< s1 << " ..." <<  endl;

    return 0;
}
0
ddy

Si vous souhaitez utiliser c++11, vous pouvez utiliser les littéraux de chaîne définis par l'utilisateur et définir deux modèles de fonction qui surchargent l'opérateur plus pour un objet std::string et tout autre objet. Le seul piège est de ne pas surcharger les opérateurs plus de std::string, sinon le compilateur ne sait pas quel opérateur utiliser. Vous pouvez le faire en utilisant le modèle std::enable_if from type_traits . Après cela, les chaînes se comportent comme en Java ou en C #. Voir mon exemple d'implémentation pour plus de détails.

Code principal

#include <iostream>
#include "c_sharp_strings.hpp"

using namespace std;

int main()
{
    int i = 0;
    float f = 0.4;
    double d = 1.3e-2;
    string s;
    s += "Hello world, "_ + "Nice to see you. "_ + i
            + " "_ + 47 + " "_ + f + ',' + d;
    cout << s << endl;
    return 0;
}

Fichier c_sharp_strings.hpp

Incluez ce fichier d'en-tête à tous les endroits où vous voulez avoir ces chaînes.

#ifndef C_SHARP_STRING_H_INCLUDED
#define C_SHARP_STRING_H_INCLUDED

#include <type_traits>
#include <string>

inline std::string operator "" _(const char a[], long unsigned int i)
{
    return std::string(a);
}

template<typename T> inline
typename std::enable_if<!std::is_same<std::string, T>::value &&
                        !std::is_same<char, T>::value &&
                        !std::is_same<const char*, T>::value, std::string>::type
operator+ (std::string s, T i)
{
    return s + std::to_string(i);
}

template<typename T> inline
typename std::enable_if<!std::is_same<std::string, T>::value &&
                        !std::is_same<char, T>::value &&
                        !std::is_same<const char*, T>::value, std::string>::type
operator+ (T i, std::string s)
{
    return std::to_string(i) + s;
}

#endif // C_SHARP_STRING_H_INCLUDED
0
Scindix

Vous pouvez utiliser cet entête à cet égard: https://github.com/theypsilon/concat

using namespace concat;

assert(concat(1,2,3,4,5) == "12345");

Sous le capot, vous utiliserez un std :: ostringstream.

0
José Manuel

Sur la base des solutions ci-dessus, j'ai créé une classe var_string pour que mon projet me facilite la vie. Exemples:

var_string x("abc %d %s", 123, "def");
std::string y = (std::string)x;
const char *z = x.c_str();

La classe elle-même:

#include <stdlib.h>
#include <stdarg.h>

class var_string
{
public:
    var_string(const char *cmd, ...)
    {
        va_list args;
        va_start(args, cmd);
        vsnprintf(buffer, sizeof(buffer) - 1, cmd, args);
    }

    ~var_string() {}

    operator std::string()
    {
        return std::string(buffer);
    }

    operator char*()
    {
        return buffer;
    }

    const char *c_str()
    {
        return buffer;
    }

    int system()
    {
        return ::system(buffer);
    }
private:
    char buffer[4096];
};

Vous vous demandez toujours s'il y aura quelque chose de mieux en C++?

0
Bart Mensfort