提问人:Nick Bolton 提问时间:3/20/2009 最后编辑:GulzarNick Bolton 更新时间:11/18/2023 访问量:504777
如何在一行上连接多个 C++ 字符串?
How do I concatenate multiple C++ strings on one line?
问:
C# 具有语法功能,您可以在其中将多种数据类型连接在一起。
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.";
上面的代码产生错误。
答:
s += "Hello world, " + "nice to see you, " + "or not.";
这些字符数组文字不是 C++ std::strings - 您需要转换它们:
s += string("Hello world, ") + string("nice to see you, ") + string("or not.");
要转换 ints(或任何其他可流式处理的类型),您可以使用 boost lexical_cast 或提供您自己的函数:
template <typename T>
string Str( const T & t ) {
ostringstream os;
os << t;
return os.str();
}
您现在可以这样说:
string s = string("The meaning is ") + Str( 42 );
评论
string("Hello world")
operator+()
string
string
char*
string("Hello world, ")
"Hello world, "s
boost::格式
或者 std::stringstream
std::stringstream msg;
msg << "Hello world, " << myInt << niceToSeeYouString;
msg.str(); // returns std::string object
#include <sstream>
#include <string>
std::stringstream ss;
ss << "Hello, world, " << myInt << niceToSeeYouString;
std::string s = ss.str();
看看这篇来自 Herb Sutter 的本周大师文章:庄园农场的字符串格式化程序
评论
std::string s = static_cast<std::ostringstream&>(std::ostringstream().seekp(0) << "HelloWorld" << myInt << niceToSeeYouString).str();
std::stringstream ss; ss << "Hello, world, " << myInt << niceToSeeYouString; std::string s = ss.str();
几乎是一行
您必须为要浓缩到字符串的每种数据类型定义 operator+(),但由于 operator<< 是为大多数类型定义的,因此您应该使用 std::stringstream。
该死的,被打败了 50 秒......
评论
std::string operator+(std::string s, int i){ return s+std::to_string(i); }
你的代码可以写成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 “can be written as” :这仅适用于字符串文字。串联由编译器完成。
评论
const char smthg[] = "smthg"
#define
这对我有用:
#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;
}
输出:
c:\example\myfile.txt
评论
const
enum
要提供更单行的解决方案:可以实现一个函数,将基于“经典”字符串流的解决方案简化为单个语句。
它基于可变模板和完美的转发。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();
}
评论
使用 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";
评论
std::literals::string_literals
您可以为此使用此标头:https://github.com/theypsilon/concat
using namespace concat;
assert(concat(1,2,3,4,5) == "12345");
在后台,您将使用 std::ostringstream。
5 年来没有人提到过?.append
#include <string>
std::string s;
s.append("Hello world, ");
s.append("nice to see you, ");
s.append("or not.");
或者在一行上:
s.append("Hello world, ").append("nice to see you, ").append("or not.");
评论
s.append("One"); s.append(" line");
s.append("One").append(" expression");
s
s += "Hello world, " + "nice to see you, " + "or not.";
s.append("Hello world, ").append("nice to see you, ").append("or not.");
append
如果写出 ,它看起来和 C 几乎一样#+=
string s("Some initial data. "); int i = 5;
s = s + "Hello world, " + "nice to see you, " + to_string(i) + "\n";
如果您愿意使用,则可以使用用户定义的字符串文字并定义两个函数模板,这些模板会重载对象和任何其他对象的加号运算符。唯一的缺陷是不要重载 的加号运算符,否则编译器不知道要使用哪个运算符。您可以使用 type_traits
中的模板 std::enable_if
来执行此操作。之后,字符串的行为就像在 Java 或 C# 中一样。有关详细信息,请参阅我的示例实现。c++11
std::string
std::string
主代码
#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;
}
文件c_sharp_strings.hpp
将此头文件包含在要包含这些字符串的所有位置。
#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
正如其他人所说,OP 代码的主要问题是运算符不连接;不过,它适用于 。+
const char *
std::string
这是另一个使用 C++ lambda 并允许提供 a 来分隔字符串的解决方案: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
您还可以“扩展”字符串类并选择您喜欢的运算符(<<、&、|等......
下面是使用 operator<< 的代码,以显示与流没有冲突
注意:如果你取消注释 s1.reserve(30),则只有 3 个 new() 运算符请求(1 个用于 s1,1 个用于 s2,1 个用于 reserve;不幸的是,你不能在构造函数时保留);如果没有保留,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;
}
也许你喜欢我的“Streamer”解决方案,真正在一行中完成:
#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;
}
实际问题是在 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)
(现场演示 ...)
或者,如果您坚持使用 for 字符串文字(正如 underscore_d 已经建议的那样):+
string s = string("Hello world, ")+"nice to see you, "+"or not.";
另一种解决方案将每个连接步骤的字符串和 a 组合在一起const char*
string s;
s += "Hello world, "
s += "nice to see you, "
s += "or not.";
评论
auto s = string("one").append("two").append("three")
这样的东西对我有用
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);
基于上述解决方案,我为我的项目制作了一个类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++ 中是否会有更好的东西?
在 c11 中:
void printMessage(std::string&& message) {
std::cout << message << std::endl;
return message;
}
这允许您创建如下所示的函数调用:
printMessage("message number : " + std::to_string(id));
将打印 : 留言编号 : 10
在 C++20 中,您可以执行以下操作:
auto s = std::format("{}{}{}", "Hello world, ", myInt, niceToSeeYouString);
在可用之前,您可以对 {fmt} 库执行相同的操作:std::format
auto s = fmt::format("{}{}{}", "Hello world, ", myInt, niceToSeeYouString);
免责声明:我是{fmt}和C++20的作者。std::format
以下是单行解决方案:
#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++ 中一样干净。
我们将第一个参数转换为 a,然后使用(从左到右)的求值顺序来确保其左操作数始终为 .以这种方式,我们将左边的操作数与右边的操作数连接起来,然后返回另一个操作数,级联效果。std::string
operator+
std::string
std::string
const char *
std::string
注意:正确的操作数有几个选项,包括 、 和 。const char *
std::string
char
由您决定幻数是 13 还是 6227020800。
评论
你有没有试过避免+=? 改用 var = var + ... 它对我有用。
#include <iostream.h> // for string
string myName = "";
int _age = 30;
myName = myName + "Vincent" + "Thorpe" + 30 + " " + 2019;
评论
#include <iostream.h> // string
#include <system.hpp> // ansiString
使用 lambda 函数的简单 preproccessor 宏的 Stringstream 似乎不错:
#include <sstream>
#define make_string(args) []{std::stringstream ss; ss << args; return ss;}()
然后
auto str = make_string("hello" << " there" << 10 << '$');
一行:
std::string s = std::string("Hello world, ") + std::to_string(888) + " nice to see you";
或
std::string s = std::string() + "Hello world, " + std::to_string(888) + " nice to see you";
评论
char *
std::string