私はvector<int>
整数を有する容器(例えば、{1,2,3,4})とIは、フォームの文字列に変換したいです
"1,2,3,4"
C ++でこれを行う最もクリーンな方法は何ですか?Pythonでは、これは私がそれをする方法です:
>>> array = [1,2,3,4]
>>> ",".join(map(str,array))
'1,2,3,4'
回答:
間違いなくPythonほどエレガントではありませんが、C ++のPythonほどエレガントなものはありません。
あなたが使用することができますstringstream
...
#include <sstream>
//...
std::stringstream ss;
for(size_t i = 0; i < v.size(); ++i)
{
if(i != 0)
ss << ",";
ss << v[i];
}
std::string s = ss.str();
std::for_each
代わりに利用することもできます。
std::string s = ss.str()
。が必要な場合はconst char*
、を使用してくださいs.c_str()
。(構文的には正しいものの、式全体の終わりに存在しなくなる一時的なものを指すss.str().c_str()
a const char*
を与えることに注意してください。それは痛いです。)
#include <sstream>
std :: for_eachとlambdaを使用すると、興味深いことができます。
#include <iostream>
#include <sstream>
int main()
{
int array[] = {1,2,3,4};
std::for_each(std::begin(array), std::end(array),
[&std::cout, sep=' '](int x) mutable {
out << sep << x; sep=',';
});
}
私が書いた小さなクラスについては、この質問を参照してください。これは、末尾のコンマを印刷しません。また、C ++ 14が範囲ベースの同等のアルゴリズムを引き続き提供すると想定した場合:
namespace std {
// I am assuming something like this in the C++14 standard
// I have no idea if this is correct but it should be trivial to write if it does not appear.
template<typename C, typename I>
void copy(C const& container, I outputIter) {copy(begin(container), end(container), outputIter);}
}
using POI = PrefexOutputIterator;
int main()
{
int array[] = {1,2,3,4};
std::copy(array, POI(std::cout, ","));
// ",".join(map(str,array)) // closer
}
std :: accumulateを使用できます。次の例を考えてみましょう
if (v.empty()
return std::string();
std::string s = std::accumulate(v.begin()+1, v.end(), std::to_string(v[0]),
[](const std::string& a, int b){
return a + ',' + std::to_string(b);
});
','
する必要があります","
string
クラスには、+
文字も受け入れることができる演算子のオーバーロードがあります。だから','
大丈夫です。
別の代替方法は、std::copy
およびostream_iterator
クラスの使用です。
#include <iterator> // ostream_iterator
#include <sstream> // ostringstream
#include <algorithm> // copy
std::ostringstream stream;
std::copy(array.begin(), array.end(), std::ostream_iterator<>(stream));
std::string s=stream.str();
s.erase(s.length()-1);
また、Pythonほど良くありません。この目的のために、私はjoin
関数を作成しました:
template <class T, class A>
T join(const A &begin, const A &end, const T &t)
{
T result;
for (A it=begin;
it!=end;
it++)
{
if (!result.empty())
result.append(t);
result.append(*it);
}
return result;
}
次に、このように使用しました:
std::string s=join(array.begin(), array.end(), std::string(","));
なぜ私がイテレータを渡したのか尋ねるかもしれません。まあ、実際には配列を逆にしたかったので、次のように使用しました:
std::string s=join(array.rbegin(), array.rend(), std::string(","));
理想的には、char型を推測できるようにテンプレートを作成し、文字列ストリームを使用したいのですが、まだわかりません。
join
関数はベクトルでも使用できますか?例を挙げてもらえますか、私はC ++が初めてです。
BoostとC ++ 11を使用すると、これは次のように実現できます。
auto array = {1,2,3,4};
join(array | transformed(tostr), ",");
よくほとんど。完全な例は次のとおりです。
#include <array>
#include <iostream>
#include <boost/algorithm/string/join.hpp>
#include <boost/range/adaptor/transformed.hpp>
int main() {
using boost::algorithm::join;
using boost::adaptors::transformed;
auto tostr = static_cast<std::string(*)(int)>(std::to_string);
auto array = {1,2,3,4};
std::cout << join(array | transformed(tostr), ",") << std::endl;
return 0;
}
功績プレトリアン。
次のような値タイプを処理できます。
template<class Container>
std::string join(Container const & container, std::string delimiter) {
using boost::algorithm::join;
using boost::adaptors::transformed;
using value_type = typename Container::value_type;
auto tostr = static_cast<std::string(*)(value_type)>(std::to_string);
return join(container | transformed(tostr), delimiter);
};
これは、1800 INFORMATIONが一般性に欠ける2番目のソリューションについての発言で与えた謎を解くための単なる試みであり、質問に答えようとする試みではありません。
template <class Str, class It>
Str join(It begin, const It end, const Str &sep)
{
typedef typename Str::value_type char_type;
typedef typename Str::traits_type traits_type;
typedef typename Str::allocator_type allocator_type;
typedef std::basic_ostringstream<char_type,traits_type,allocator_type>
ostringstream_type;
ostringstream_type result;
if(begin!=end)
result << *begin++;
while(begin!=end) {
result << sep;
result << *begin++;
}
return result.str();
}
My Machine(TM)で動作します。
operator<<
オーバーロードされています)。もちろん、タイプがoperator<<
ないと、非常に混乱するエラーメッセージが表示される可能性があります。
join(v.begin(), v.end(), ",")
。sep
引数が文字列リテラルである場合、テンプレート引数の推定は正しい結果を生成しません。この問題の解決策の私の試み。また、より最新の範囲ベースのオーバーロードを提供します。
たくさんのテンプレート/アイデア。私のものは一般的でも効率的でもありませんが、同じ問題を抱えていて、これを短くて甘いものとしてミックスに投入したかったのです。最短の行数で勝つ... :)
std::stringstream joinedValues;
for (auto value: array)
{
joinedValues << value << ",";
}
//Strip off the trailing comma
std::string result = joinedValues.str().substr(0,joinedValues.str().size()-1);
substr(...)
、pop_back()
最後の文字を削除するために使用すると、そのときより明確でクリーンになります。
あなたがしたいならstd::cout << join(myVector, ",") << std::endl;
、あなたは次のようなことをすることができます:
template <typename C, typename T> class MyJoiner
{
C &c;
T &s;
MyJoiner(C &&container, T&& sep) : c(std::forward<C>(container)), s(std::forward<T>(sep)) {}
public:
template<typename C, typename T> friend std::ostream& operator<<(std::ostream &o, MyJoiner<C, T> const &mj);
template<typename C, typename T> friend MyJoiner<C, T> join(C &&container, T&& sep);
};
template<typename C, typename T> std::ostream& operator<<(std::ostream &o, MyJoiner<C, T> const &mj)
{
auto i = mj.c.begin();
if (i != mj.c.end())
{
o << *i++;
while (i != mj.c.end())
{
o << mj.s << *i++;
}
}
return o;
}
template<typename C, typename T> MyJoiner<C, T> join(C &&container, T&& sep)
{
return MyJoiner<C, T>(std::forward<C>(container), std::forward<T>(sep));
}
このソリューションは、2次バッファーを作成するのではなく、出力ストリームに直接結合し、ostreamにoperator <<を持つすべてのタイプで機能することに注意してください。
これboost::algorithm::join()
は、のvector<char*>
代わりにがある場合、失敗した場所でも機能しますvector<string>
。
string s;
for (auto i : v)
s += (s.empty() ? "" : ",") + to_string(i);
std::stringstream
ため、大規模な配列ほど効率的ではstringstream
なく、n
この答えのサイズの配列ではO(n²)ではなくO(n.log(n))のパフォーマンスが得られます。また、のstringstream
一時的な文字列を作成しない場合がありますto_string(i)
。
1800年の答えが好きです。ただし、ifステートメントの結果が最初の反復後に一度だけ変更されるため、最初の反復をループの外に移動します
template <class T, class A>
T join(const A &begin, const A &end, const T &t)
{
T result;
A it = begin;
if (it != end)
{
result.append(*it);
++it;
}
for( ;
it!=end;
++it)
{
result.append(t);
result.append(*it);
}
return result;
}
もちろん、必要に応じてこれをより少ないステートメントに減らすこともできます。
template <class T, class A>
T join(const A &begin, const A &end, const T &t)
{
T result;
A it = begin;
if (it != end)
result.append(*it++);
for( ; it!=end; ++it)
result.append(t).append(*it);
return result;
}
++i
本当に必要なところ以外は使用するように生徒に打ち込みましたi++
。(それは私、BTWも同じでした。)彼らは以前にJavaを学びました、そこであらゆる種類のC-ismが流行していて、それは彼らに数か月かかりました(1講義+ 1週間の実験室作業)、しかし結局ほとんどの彼らは前インクリメントを使用する習慣を学びました。
この問題に対するエレガントなソリューションを提供するための興味深い試みがいくつかあります。テンプレートストリームを使用して、OPの元のジレンマに効果的に対応するというアイデアがありました。これは古い投稿ですが、これに出くわした将来のユーザーが私のソリューションが有益であることを望んでいます。
まず、一部の回答(承認された回答を含む)は再利用性を促進しません。C ++は標準ライブラリ(これまで見てきた)で文字列を結合するエレガントな方法を提供しないため、柔軟で再利用可能なものを作成することが重要になります。これが私のショットです。
// Replace with your namespace //
namespace my {
// Templated join which can be used on any combination of streams, iterators and base types //
template <typename TStream, typename TIter, typename TSeperator>
TStream& join(TStream& stream, TIter begin, TIter end, TSeperator seperator) {
// A flag which, when true, has next iteration prepend our seperator to the stream //
bool sep = false;
// Begin iterating through our list //
for (TIter i = begin; i != end; ++i) {
// If we need to prepend a seperator, do it //
if (sep) stream << seperator;
// Stream the next value held by our iterator //
stream << *i;
// Flag that next loops needs a seperator //
sep = true;
}
// As a convenience, we return a reference to the passed stream //
return stream;
}
}
これを使用するには、次のようなことを簡単に実行できます。
// Load some data //
std::vector<int> params;
params.push_back(1);
params.push_back(2);
params.push_back(3);
params.push_back(4);
// Store and print our results to standard out //
std::stringstream param_stream;
std::cout << my::join(param_stream, params.begin(), params.end(), ",").str() << std::endl;
// A quick and dirty way to print directly to standard out //
my::join(std::cout, params.begin(), params.end(), ",") << std::endl;
ストリームを使用すると、結果を文字列ストリームに保存して後で再利用したり、標準出力、ファイル、またはストリームとして実装されたネットワーク接続に直接書き込んだりできるため、このソリューションが非常に柔軟になることに注意してください。印刷されるタイプは、単純に反復可能で、ソースストリームと互換性がある必要があります。STLは、広範囲のタイプと互換性のあるさまざまなストリームを提供します。だから、これで本当に街に行くことができました。私の頭の上では、あなたのベクトルは、int、float、double、string、unsigned int、SomeObject *などにすることができます。
拡張結合サポートを追加するヘルパーヘッダーファイルを作成しました。
以下のコードを一般的なヘッダーファイルに追加し、必要に応じてインクルードしてください。
使用例:
/* An example for a mapping function. */
ostream&
map_numbers(ostream& os, const void* payload, generic_primitive data)
{
static string names[] = {"Zero", "One", "Two", "Three", "Four"};
os << names[data.as_int];
const string* post = reinterpret_cast<const string*>(payload);
if (post) {
os << " " << *post;
}
return os;
}
int main() {
int arr[] = {0,1,2,3,4};
vector<int> vec(arr, arr + 5);
cout << vec << endl; /* Outputs: '0 1 2 3 4' */
cout << join(vec.begin(), vec.end()) << endl; /* Outputs: '0 1 2 3 4' */
cout << join(vec.begin(), vec.begin() + 2) << endl; /* Outputs: '0 1 2' */
cout << join(vec.begin(), vec.end(), ", ") << endl; /* Outputs: '0, 1, 2, 3, 4' */
cout << join(vec.begin(), vec.end(), ", ", map_numbers) << endl; /* Outputs: 'Zero, One, Two, Three, Four' */
string post = "Mississippi";
cout << join(vec.begin() + 1, vec.end(), ", ", map_numbers, &post) << endl; /* Outputs: 'One Mississippi, Two mississippi, Three mississippi, Four mississippi' */
return 0;
}
舞台裏のコード:
#include <iostream>
#include <vector>
#include <list>
#include <set>
#include <unordered_set>
using namespace std;
#define GENERIC_PRIMITIVE_CLASS_BUILDER(T) generic_primitive(const T& v) { value.as_##T = v; }
#define GENERIC_PRIMITIVE_TYPE_BUILDER(T) T as_##T;
typedef void* ptr;
/** A union that could contain a primitive or void*,
* used for generic function pointers.
* TODO: add more primitive types as needed.
*/
struct generic_primitive {
GENERIC_PRIMITIVE_CLASS_BUILDER(int);
GENERIC_PRIMITIVE_CLASS_BUILDER(ptr);
union {
GENERIC_PRIMITIVE_TYPE_BUILDER(int);
GENERIC_PRIMITIVE_TYPE_BUILDER(ptr);
};
};
typedef ostream& (*mapping_funct_t)(ostream&, const void*, generic_primitive);
template<typename T>
class Join {
public:
Join(const T& begin, const T& end,
const string& separator = " ",
mapping_funct_t mapping = 0,
const void* payload = 0):
m_begin(begin),
m_end(end),
m_separator(separator),
m_mapping(mapping),
m_payload(payload) {}
ostream&
apply(ostream& os) const
{
T begin = m_begin;
T end = m_end;
if (begin != end)
if (m_mapping) {
m_mapping(os, m_payload, *begin++);
} else {
os << *begin++;
}
while (begin != end) {
os << m_separator;
if (m_mapping) {
m_mapping(os, m_payload, *begin++);
} else {
os << *begin++;
}
}
return os;
}
private:
const T& m_begin;
const T& m_end;
const string m_separator;
const mapping_funct_t m_mapping;
const void* m_payload;
};
template <typename T>
Join<T>
join(const T& begin, const T& end,
const string& separator = " ",
ostream& (*mapping)(ostream&, const void*, generic_primitive) = 0,
const void* payload = 0)
{
return Join<T>(begin, end, separator, mapping, payload);
}
template<typename T>
ostream&
operator<<(ostream& os, const vector<T>& vec) {
return join(vec.begin(), vec.end()).apply(os);
}
template<typename T>
ostream&
operator<<(ostream& os, const list<T>& lst) {
return join(lst.begin(), lst.end()).apply(os);
}
template<typename T>
ostream&
operator<<(ostream& os, const set<T>& s) {
return join(s.begin(), s.end()).apply(os);
}
template<typename T>
ostream&
operator<<(ostream& os, const Join<T>& vec) {
return vec.apply(os);
}
これはあなたができるようにする一般的なC ++ 11ソリューションです
int main() {
vector<int> v {1,2,3};
cout << join(v, ", ") << endl;
string s = join(v, '+').str();
}
コードは次のとおりです。
template<typename Iterable, typename Sep>
class Joiner {
const Iterable& i_;
const Sep& s_;
public:
Joiner(const Iterable& i, const Sep& s) : i_(i), s_(s) {}
std::string str() const {std::stringstream ss; ss << *this; return ss.str();}
template<typename I, typename S> friend std::ostream& operator<< (std::ostream& os, const Joiner<I,S>& j);
};
template<typename I, typename S>
std::ostream& operator<< (std::ostream& os, const Joiner<I,S>& j) {
auto elem = j.i_.begin();
if (elem != j.i_.end()) {
os << *elem;
++elem;
while (elem != j.i_.end()) {
os << j.s_ << *elem;
++elem;
}
}
return os;
}
template<typename I, typename S>
inline Joiner<I,S> join(const I& i, const S& s) {return Joiner<I,S>(i, s);}
以下は、aの要素をa vector
に変換する簡単で実用的な方法string
です。
std::string join(const std::vector<int>& numbers, const std::string& delimiter = ",") {
std::ostringstream result;
for (const auto number : numbers) {
if (result.tellp() > 0) { // not first round
result << delimiter;
}
result << number;
}
return result.str();
}
あなたはする必要が#include <sstream>
ためostringstream
。
@sbiの試行を、特定の戻り文字列タイプに限定されない一般的なソリューションで展開しstd::vector<int>
ます。以下に示すコードは次のように使用できます。
std::vector<int> vec{ 1, 2, 3 };
// Call modern range-based overload.
auto str = join( vec, "," );
auto wideStr = join( vec, L"," );
// Call old-school iterator-based overload.
auto str = join( vec.begin(), vec.end(), "," );
auto wideStr = join( vec.begin(), vec.end(), L"," );
元のコードでは、セパレーターが文字列リテラルである場合(上記のサンプルのように)、テンプレート引数の推定は正しく戻り文字列タイプを生成しません。この場合、Str::value_type
関数本体のようなtypedef は正しくありません。コードはそれStr
が常にのような型であることを前提としているstd::basic_string
ため、文字列リテラルでは明らかに失敗します。
これを修正するために、次のコードはセパレーター引数から文字型のみを推定し、それを使用してデフォルトの戻り文字列型を生成します。これはboost::range_value
、指定された範囲タイプから要素タイプを抽出するを使用して実現されます。
#include <string>
#include <sstream>
#include <boost/range.hpp>
template< class Sep, class Str = std::basic_string< typename boost::range_value< Sep >::type >, class InputIt >
Str join( InputIt first, const InputIt last, const Sep& sep )
{
using char_type = typename Str::value_type;
using traits_type = typename Str::traits_type;
using allocator_type = typename Str::allocator_type;
using ostringstream_type = std::basic_ostringstream< char_type, traits_type, allocator_type >;
ostringstream_type result;
if( first != last )
{
result << *first++;
}
while( first != last )
{
result << sep << *first++;
}
return result.str();
}
これで、イテレータベースのオーバーロードに転送する範囲ベースのオーバーロードを簡単に提供できます。
template <class Sep, class Str = std::basic_string< typename boost::range_value<Sep>::type >, class InputRange>
Str join( const InputRange &input, const Sep &sep )
{
// Include the standard begin() and end() in the overload set for ADL. This makes the
// function work for standard types (including arrays), aswell as any custom types
// that have begin() and end() member functions or overloads of the standalone functions.
using std::begin; using std::end;
// Call iterator-based overload.
return join( begin(input), end(input), sep );
}
@caponeがしたように、
std::string join(const std::vector<std::string> &str_list ,
const std::string &delim=" ")
{
if(str_list.size() == 0) return "" ;
return std::accumulate( str_list.cbegin() + 1,
str_list.cend(),
str_list.at(0) ,
[&delim](const std::string &a , const std::string &b)
{
return a + delim + b ;
} ) ;
}
template <typename ST , typename TT>
std::vector<TT> map(TT (*op)(ST) , const vector<ST> &ori_vec)
{
vector<TT> rst ;
std::transform(ori_vec.cbegin() ,
ori_vec.cend() , back_inserter(rst) ,
[&op](const ST& val){ return op(val) ;} ) ;
return rst ;
}
その後、次のように呼び出すことができます:
int main(int argc , char *argv[])
{
vector<int> int_vec = {1,2,3,4} ;
vector<string> str_vec = map<int,string>(to_string, int_vec) ;
cout << join(str_vec) << endl ;
return 0 ;
}
ちょうどpythonのように:
>>> " ".join( map(str, [1,2,3,4]) )
私はこのようなものを使います
namespace std
{
// for strings join
string to_string( string value )
{
return value;
}
} // namespace std
namespace // anonymous
{
template< typename T >
std::string join( const std::vector<T>& values, char delimiter )
{
std::string result;
for( typename std::vector<T>::size_type idx = 0; idx < values.size(); ++idx )
{
if( idx != 0 )
result += delimiter;
result += std::to_string( values[idx] );
}
return result;
}
} // namespace anonymous
私は@sbiの答えから始めましたが、ほとんどの場合、結果の文字列をストリームにパイプ処理することになり、メモリに完全な文字列を作成するオーバーヘッドなしでストリームにパイプ処理できる以下のソリューションを作成しました。
次のように使用されます。
#include "string_join.h"
#include <iostream>
#include <vector>
int main()
{
std::vector<int> v = { 1, 2, 3, 4 };
// String version
std::string str = join(v, std::string(", "));
std::cout << str << std::endl;
// Directly piped to stream version
std::cout << join(v, std::string(", ")) << std::endl;
}
string_join.hは次のとおりです。
#pragma once
#include <iterator>
#include <sstream>
template<typename Str, typename It>
class joined_strings
{
private:
const It begin, end;
Str sep;
public:
typedef typename Str::value_type char_type;
typedef typename Str::traits_type traits_type;
typedef typename Str::allocator_type allocator_type;
private:
typedef std::basic_ostringstream<char_type, traits_type, allocator_type>
ostringstream_type;
public:
joined_strings(It begin, const It end, const Str &sep)
: begin(begin), end(end), sep(sep)
{
}
operator Str() const
{
ostringstream_type result;
result << *this;
return result.str();
}
template<typename ostream_type>
friend ostream_type& operator<<(
ostream_type &ostr, const joined_strings<Str, It> &joined)
{
It it = joined.begin;
if(it!=joined.end)
ostr << *it;
for(++it; it!=joined.end; ++it)
ostr << joined.sep << *it;
return ostr;
}
};
template<typename Str, typename It>
inline joined_strings<Str, It> join(It begin, const It end, const Str &sep)
{
return joined_strings<Str, It>(begin, end, sep);
}
template<typename Str, typename Container>
inline joined_strings<Str, typename Container::const_iterator> join(
Container container, const Str &sep)
{
return join(container.cbegin(), container.cend(), sep);
}
以下のコードを書きました。これは、C#string.joinに基づいています。std :: stringとstd :: wstringと多くのタイプのベクトルで動作します。(コメントの例)
次のように呼び出します。
std::vector<int> vVectorOfIds = {1, 2, 3, 4, 5};
std::wstring wstrStringForSQLIn = Join(vVectorOfIds, L',');
コード:
// Generic Join template (mimics string.Join() from C#)
// Written by RandomGuy (stackoverflow) 09-01-2017
// Based on Brian R. Bondy anwser here:
// http://stackoverflow.com/questions/1430757/c-vector-to-string
// Works with char, wchar_t, std::string and std::wstring delimiters
// Also works with a different types of vectors like ints, floats, longs
template<typename T, typename D>
auto Join(const std::vector<T> &vToMerge, const D &delimiter)
{
// We use std::conditional to get the correct type for the stringstream (char or wchar_t)
// stringstream = basic_stringstream<char>, wstringstream = basic_stringstream<wchar_t>
using strType =
std::conditional<
std::is_same<D, std::string>::value,
char,
std::conditional<
std::is_same<D, char>::value,
char,
wchar_t
>::type
>::type;
std::basic_stringstream<strType> ss;
for (size_t i = 0; i < vToMerge.size(); ++i)
{
if (i != 0)
ss << delimiter;
ss << vToMerge[i];
}
return ss.str();
}
私は template
function
はvector
アイテムを結合する、ループ内if
の最初から最後までのアイテムのみを繰り返しvector
、最後のアイテムを結合することにより、不要なステートメントを削除しましたfor
。これにより、結合された文字列の末尾にある余分なセパレーターを削除するための追加のコードが不要になります。したがって、if
反復を遅くするステートメントや、片付けが必要な余分なセパレータはありません。
これは、参加するエレガントな関数呼び出し作り出すvector
のをstring
、integer
またはdouble
、など
私は2つのバージョンを書きました。1つは文字列を返します。他は直接ストリームに書き込みます。
#include <iostream>
#include <sstream>
#include <string>
#include <vector>
using namespace std;
// Return a string of joined vector items.
template<typename T>
string join(const vector<T>& v, const string& sep)
{
ostringstream oss;
const auto LAST = v.end() - 1;
// Iterate through the first to penultimate items appending the separator.
for (typename vector<T>::const_iterator p = v.begin(); p != LAST; ++p)
{
oss << *p << sep;
}
// Join the last item without a separator.
oss << *LAST;
return oss.str();
}
// Write joined vector items directly to a stream.
template<typename T>
void join(const vector<T>& v, const string& sep, ostream& os)
{
const auto LAST = v.end() - 1;
// Iterate through the first to penultimate items appending the separator.
for (typename vector<T>::const_iterator p = v.begin(); p != LAST; ++p)
{
os << *p << sep;
}
// Join the last item without a separator.
os << *LAST;
}
int main()
{
vector<string> strings
{
"Joined",
"from",
"beginning",
"to",
"end"
};
vector<int> integers{ 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 };
vector<double> doubles{ 1.2, 3.4, 5.6, 7.8, 9.0 };
cout << join(strings, "... ") << endl << endl;
cout << join(integers, ", ") << endl << endl;
cout << join(doubles, "; ") << endl << endl;
join(strings, "... ", cout);
cout << endl << endl;
join(integers, ", ", cout);
cout << endl << endl;
join(doubles, "; ", cout);
cout << endl << endl;
return 0;
}
Joined... from... beginning... to... end
1, 2, 3, 4, 5, 6, 7, 8, 9, 10
1.2; 3.4; 5.6; 7.8; 9
Joined... from... beginning... to... end
1, 2, 3, 4, 5, 6, 7, 8, 9, 10
1.2; 3.4; 5.6; 7.8; 9