C#には、1行で多くのデータ型を連結できる構文機能があります。
string s = new String();
s += "Hello world, " + myInt + niceToSeeYouString;
s += someChar1 + interestingDecimal + someChar2;
C++では同等のものは何ですか?私が見る限り、複数の文字列/変数を+演算子でサポートしていないため、すべてを別々の行で行う必要があります。これは問題ありませんが、見栄えは良くありません。
string s;
s += "Hello world, " + "Nice to see you, " + "or not.";
上記のコードはエラーを生成します。
#include <sstream>
#include <string>
std::stringstream ss;
ss << "Hello, world, " << myInt << niceToSeeYouString;
std::string s = ss.str();
ハーブサッターの今週の第一人者の記事をご覧ください。 マナーファームのストリングフォーマッター
s += "Hello world, " + "Nice to see you, " + "or not.";
これらの文字配列リテラルはC++のstd :: stringsではありません-それらを変換する必要があります:
s += string("Hello world, ") + string("Nice to see you, ") + string("or not.");
Int(またはその他のストリーミング可能な型)を変換するには、boost lexical_castを使用するか、独自の関数を提供できます。
template <typename T>
string Str( const T & t ) {
ostringstream os;
os << t;
return os.str();
}
次のように言うことができます:
string s = "The meaning is " + Str( 42 );
5年後、誰も.append
について言及していませんか?
#include <string>
std::string s;
s.append("Hello world, ");
s.append("Nice to see you, ");
s.append("or not.");
あなたのコードは次のように書くことができます1、
s = "Hello world," "Nice to see you," "or not."
...しかし、私はあなたが探しているものだとは思わない。あなたの場合、おそらくストリームを探しています:
std::stringstream ss;
ss << "Hello world, " << 42 << "Nice to see you.";
std::string s = ss.str();
1 "と書くことができます":これは、文字列リテラルに対してのみ機能します。連結はコンパイラーによって行われます。
C++ 14ユーザー定義リテラルとstd::to_string
を使用すると、コードが簡単になります。
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;
コンパイル時に文字列リテラルを連結できることに注意してください。 +
を削除するだけです。
str += "Hello World, " "Nice to see you, " "or not";
1行に近いソリューションを提供するには:関数concat
を実装して、「古典的な」文字列ベースのソリューションを単一ステートメントに減らします。これは可変テンプレートと完全な転送に基づいています。
使用法:
std::string s = concat(someObject, " Hello, ", 42, " I concatenate", anyStreamableType);
実装:
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
またはstd :: stringstream
std::stringstream msg;
msg << "Hello world, " << myInt << niceToSeeYouString;
msg.str(); // returns std::string object
実際の問題は、文字列リテラルと+
の連結がC++で失敗することでした:
string s;
s += "Hello world, " + "Nice to see you, " + "or not.";
上記のコードはエラーを生成します。
C++(Cでも)では、文字列リテラルを隣り合わせに配置するだけで連結します。
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.";
マクロでコードを生成する場合、これは理にかなっています:
#define TRACE(arg) cout << #arg ":" << (arg) << endl;
...このように使用できるシンプルなマクロ
int a = 5;
TRACE(a)
a += 7;
TRACE(a)
TRACE(a+7)
TRACE(17*11)
( ライブデモ... )
または、文字列リテラルに+
を使用することを主張する場合( nderscore_d で既に提案されているように):
string s = string("Hello world, ")+"Nice to see you, "+"or not.";
別のソリューションでは、連結ステップごとに文字列とconst char*
を組み合わせます
string s;
s += "Hello world, "
s += "Nice to see you, "
s += "or not.";
{fmt}ライブラリ を使用すると、次のことができます。
auto s = fmt::format("{}{}{}", "Hello world, ", myInt, niceToSeeYouString);
ライブラリのサブセットは、標準化のために P0645 Text Formatting として提案されており、受け入れられた場合、上記のようになります。
auto s = std::format("{}{}{}", "Hello world, ", myInt, niceToSeeYouString);
免責事項:私は{fmt}ライブラリの作成者です。
auto s = string("one").append("two").append("three")
他の人が言ったように、OPコードの主な問題は、演算子+
がconst char *
を連結しないことです。ただし、std::string
で動作します。
C++ 11ラムダとfor_each
を使用し、文字列を区切るseparator
を提供できる別のソリューションを次に示します。
#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();
}
使用法:
std::vector<std::string> strings { "a", "b", "c" };
std::string joinedStrings = join(", ", strings);
少なくとも私のコンピューターでの簡単なテストの後、それは(線形に)うまくスケールしているようです。ここに私が書いた簡単なテストがあります:
#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;
}
結果(ミリ秒):
join(10) : 2
join(100) : 10
join(1000) : 91
join(10000): 898
たぶん、あなたは私の「ストリーマー」ソリューションが本当に1行でそれをするのが好きだろう:
#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;
}
文字列に連結するすべてのデータ型に対してoperator +()を定義する必要がありますが、ほとんどの型ではoperator <<が定義されているため、std :: stringstreamを使用する必要があります。
くそー、50秒でビート...
+=
を書き出すと、C#とほとんど同じに見えます
string s("Some initial data. "); int i = 5;
s = s + "Hello world, " + "Nice to see you, " + to_string(i) + "\n";
ワンライナーソリューションは次のとおりです。
#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;
}
それは少しいですが、あなたが猫がC++で得るのと同じくらいきれいだと思います。
最初の引数をstd::string
にキャストし、operator+
の(左から右へ)評価順序を使用して、そのleftオペランドが常にstd::string
になるようにします。この方法で、左側のstd::string
と右側のconst char *
オペランドを連結し、別のstd::string
を返し、効果をカスケードします。
注:const char *
、std::string
、char
など、右側のオペランドにはいくつかのオプションがあります。
マジックナンバーが13か6227020800かを決めるのはあなた次第です。
このような何かが私のために働く
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);
C11の場合:
void printMessage(std::string&& message) {
std::cout << message << std::endl;
return message;
}
これにより、次のような関数呼び出しを作成できます。
printMessage("message number : " + std::to_string(id));
印刷されます:メッセージ番号:10
文字列クラスを「拡張」して、好みの演算子を選択することもできます(<<、&、|などなど)。
次に、operator <<を使用して、ストリームとの競合がないことを示すコードを示します。
注:s1.reserve(30)のコメントを外した場合、new()オペレーターリクエストは3つのみです(s1に1つ、s2に1つ、予約に1つ。残念ながらコンストラクターで予約できません)。リザーブなしで、s1は成長するにつれてより多くのメモリを要求する必要があるため、コンパイラ実装の成長要因に依存します(この例では、1.5、5 new()コールのようです)
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;
}
c++11
を使用する場合は、 ユーザー定義の文字列リテラル を利用し、std::string
オブジェクトと他のオブジェクトのプラス演算子をオーバーロードする2つの関数テンプレートを定義できます。唯一の落とし穴は、std::string
のプラス演算子をオーバーロードしないことです。そうしないと、コンパイラーはどの演算子を使用するかを知りません。これを行うには、テンプレート std::enable_if
from type_traits
を使用します。その後、文字列はJavaまたはC#のように動作します。詳細については、実装例を参照してください。
#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;
}
これらの文字列を配置するすべての場所にこのヘッダーファイルを含めます。
#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
この点については、このヘッダーを使用できます。 https://github.com/theypsilon/concat
using namespace concat;
assert(concat(1,2,3,4,5) == "12345");
内部では、std :: ostringstreamを使用します。
上記のソリューションに基づいて、プロジェクトを簡単にするためにプロジェクトのvar_stringクラスを作成しました。例:
var_string x("abc %d %s", 123, "def");
std::string y = (std::string)x;
const char *z = x.c_str();
クラス自体:
#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];
};
C++でもっと良いものがあるかどうか疑問に思っていますか?
ラムダ関数を使用した単純な前処理マクロを含む文字列ストリームは、ニースのようです:
#include <sstream>
#define make_string(args) []{std::stringstream ss; ss << args; return ss;}()
その後
auto str = make_string("hello" << " there" << 10 << '$');