Domanda

C# ha una funzionalità di sintassi in cui puoi concatenare molti tipi di dati insieme su 1 riga.

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

Quale sarebbe l'equivalente in C++?Per quanto posso vedere, dovresti fare tutto su righe separate poiché non supporta più stringhe/variabili con l'operatore +.Questo va bene, ma non sembra così pulito.

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

Il codice sopra produce un errore.

È stato utile?

Soluzione

#include <sstream>
#include <string>

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

Dai un'occhiata a questo articolo del Guru della settimana da Herb Sutter: The String Formatters of Manor Farm

Altri suggerimenti

In 5 anni nessuno ha menzionato .append?

#include <string>

std::string s;
s.append("Hello world, ");
s.append("nice to see you, ");
s.append("or not.");
s += "Hello world, " + "nice to see you, " + "or not.";

Questi letterali array di caratteri non sono C ++ std :: stringhe - è necessario convertirli:

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

Per convertire ints (o qualsiasi altro tipo streaming) puoi usare un boost lexical_cast o fornire la tua funzione:

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

Ora puoi dire cose come:

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

Il tuo codice può essere scritto come 1 ,

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

... ma dubito che sia quello che stai cercando. Nel tuo caso, probabilmente stai cercando flussi:

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

1 " può essere scritto come " : Funziona solo con valori letterali a stringa. La concatenazione viene eseguita dal compilatore.

L'uso dei letterali definiti dall'utente in C ++ 14 e std::to_string il codice diventa più semplice.

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;

Nota che i concatenanti letterali di stringhe possono essere eseguiti in fase di compilazione. Rimuovi +.

str += "Hello World, " "nice to see you, " "or not";

Per offrire una soluzione che è più di una riga: è possibile implementare una funzione concat per ridurre il " classico " soluzione basata su stringstream a una singola istruzione . Si basa su modelli variadici e inoltro perfetto.


Utilizzo:

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

Implementazione:

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();
}

boost :: format

o std :: stringstream

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

Il problema reale era che la concatenazione di valori letterali stringa con + fallisce in C ++:

  

string s;
  s += "Hello world, " + "nice to see you, " + "or not.";
  Il codice sopra riportato produce un errore.

In C ++ (anche in C), concatenate i letterali di stringhe semplicemente posizionandoli uno accanto all'altro:

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.";

Questo ha senso, se generi codice nelle macro:

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

... una semplice macro che può essere utilizzata in questo modo

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

( demo live ... )

oppure, se insisti nell'usare const char* per i letterali di stringa (come già suggerito da underscore_d ):

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

Un'altra soluzione combina una stringa e un <=> per ogni passaggio di concatenazione

string s;
s += "Hello world, "
s += "nice to see you, "
s += "or not.";
auto s = string("one").append("two").append("three")

Con la {fmt} libreria puoi fare:

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

Un sottoinsieme della libreria viene proposto per la standardizzazione come P0645 Formattazione del testo e, se accettato , quanto sopra diventerà:

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

Disclaimer : sono l'autore della libreria {fmt}.

Dovresti definire l'operatore + () per ogni tipo di dati che vorresti concenare alla stringa, tuttavia poiché l'operatore < < è definito per la maggior parte dei tipi, dovresti usare std :: stringstream.

Accidenti, battuto di 50 secondi ...

Se scrivi +=, sembra quasi uguale a C #

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

Come altri hanno detto, il problema principale con il codice OP è che l'operatore + non concatena const char *; funziona con std::string, tuttavia.

Ecco un'altra soluzione che utilizza C ++ 11 lambdas e for_each e consente di fornire un separator per separare le stringhe:

#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();
}

Utilizzo:

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

Sembra ridimensionare bene (linearmente), almeno dopo un rapido test sul mio computer; ecco un breve test che ho scritto:

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

Risultati (millisecondi):

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

Forse ti piace il mio " Streamer " soluzione per farlo davvero in una riga:

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

Puoi utilizzare questa intestazione a questo proposito: https://github.com/theypsilon/concat

using namespace concat;

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

Sotto il cofano utilizzerai uno std :: ostringstream.

Se sei disposto a usarlo c++11 puoi utilizzare valori letterali stringa definiti dall'utente e definire due modelli di funzione che sovraccaricano l'operatore più per a std::string oggetto e qualsiasi altro oggetto.L'unico problema è non sovraccaricare gli operatori plus di std::string, altrimenti il ​​compilatore non sa quale operatore utilizzare.Puoi farlo utilizzando il modello std::enable_if da type_traits.Successivamente le stringhe si comportano proprio come in Java o C#.Vedi la mia implementazione di esempio per i dettagli.

Codice principale

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

File c_sharp_strings.hpp

Includi questo file di intestazione in tutti i posti in cui desideri avere queste stringhe.

#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

puoi anche " estendere " la classe di stringa e scegli l'operatore che preferisci (< < ;, & amp ;, |, etc ...)

Ecco il codice usando l'operatore < < per mostrare che non c'è conflitto con i flussi

nota: se si decommenta s1.reserve (30), ci sono solo 3 nuove richieste dell'operatore () (1 per s1, 1 per s2, 1 per la riserva; purtroppo non è possibile prenotare al momento del costruttore); senza riserve, s1 deve richiedere più memoria man mano che cresce, quindi dipende dal fattore di crescita dell'implementazione del compilatore (il mio sembra essere 1,5, 5 nuove () chiamate in questo esempio)

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;
}

Qualcosa del genere funziona per me

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);

Sulla base delle soluzioni di cui sopra ho creato una classe var_string per il mio progetto per semplificare la vita. Esempi:

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

La classe stessa:

#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];
};

Stai ancora chiedendo se ci sarà qualcosa di meglio in C ++?

In c11:

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

questo ti permette di creare una chiamata di funzione in questo modo:

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

stamperà: numero messaggio: 10

Ecco la soluzione 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;
}

Anche se è un po 'brutto, penso che sia pulito come il tuo gatto in C ++.

Stiamo lanciando il primo argomento in un std::string e quindi utilizzando l'ordine di valutazione (da sinistra a destra) di operator+ per assicurarci che il suo operando sinistro sia sempre un const char *. In questo modo, concateniamo char a sinistra con l'operando <=> a destra e restituiamo un altro <=>, facendo scorrere a cascata l'effetto.

Nota: ci sono alcune opzioni per l'operando giusto, tra cui <=>, <=> e <=>.

Sta a te decidere se il numero magico è 13 o 6227020800.

Stringstream con una semplice macro preproccessor che utilizza una funzione lambda sembra carino:

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

e poi

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

Questo funziona per me:

#include <iostream>

using namespace std;

#define CONCAT2(a,b)     string(a)+string(b)
#define CONCAT3(a,b,c)   string(a)+string(b)+string(c)
#define CONCAT4(a,b,c,d) string(a)+string(b)+string(c)+string(d)

#define HOMEDIR "c:\\example"

int main()
{

    const char* filename = "myfile";

    string path = CONCAT4(HOMEDIR,"\\",filename,".txt");

    cout << path;
    return 0;
}

Output:

c:\example\myfile.txt

Hai provato a evitare il + =? invece usa var = var + ... ha funzionato per me.

#include <iostream.h> // for string

string myName = "";
int _age = 30;
myName = myName + "Vincent" + "Thorpe" + 30 + " " + 2019;
Autorizzato sotto: CC-BY-SA insieme a attribuzione
Non affiliato a StackOverflow
scroll top