I'd like to build a std::string from a std::vector<std::string>.
I could use std::stringsteam, but imagine there is a shorter way:
std::string string_from_vector(const std::vector<std::string> &pieces) {   std::stringstream ss;    for(std::vector<std::string>::const_iterator itr = pieces.begin();       itr != pieces.end();       ++itr) {     ss << *itr;   }    return ss.str(); } How else might I do this?
You can create a string using double quotes. As an alternative, you can convert a character vector to a string using the string function. chr is a 1-by-17 character vector. str is a 1-by-1 string that has the same text as the character vector.
A function can return a vector by its normal name. A function can return a vector literal (initializer_list), to be received by a normal vector (name). A vector can return a vector reference, to be received by a vector pointer. A vector can return a vector pointer, still to be received by another vector pointer.
Conclusion: Out of all the methods, Vector seems to be the best way for creating an array of Strings in C++.
std::string s; for (std::vector<std::string>::const_iterator i = v.begin(); i != v.end(); ++i)     s += *i; return s; std::string s; std::for_each(v.begin(), v.end(), [&](const std::string &piece){ s += piece; }); return s; std::string s; for (const auto &piece : v) s += piece; return s; Don't use std::accumulate for string concatenation, it is a classic Schlemiel the Painter's algorithm, even worse than the usual example using strcat in C. Without C++11 move semantics, it incurs two unnecessary copies of the accumulator for each element of the vector. Even with move semantics, it still incurs one unnecessary copy of the accumulator for each element.
The three examples above are O(n).
std::accumulate is O(n²) for strings.
You could make
std::accumulateO(n) for strings by supplying a custom functor:std::string s = std::accumulate(v.begin(), v.end(), std::string{}, [](std::string &s, const std::string &piece) -> decltype(auto) { return s += piece; });Note that
smust be a reference to non-const, the lambda return type must be a reference (hencedecltype(auto)), and the body must use+=not+.
In the current draft of what is expected to become C++20, the definition of std::accumulate has been altered to use std::move when appending to the accumulator, so from C++20 onwards, accumulate will be O(n) for strings, and can be used as a one-liner:
std::string s = std::accumulate(v.begin(), v.end(), std::string{}); If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With