连接字符串的方法有很多种。我们将一一讨论。
方法1:使用strcat()函数。
strcat()函数在“字符串.h”头文件中定义。
句法:
char * strcat(char * init, const char * add)
init和add字符串应为字符数组(char *)。此函数将添加的字符串连接到init字符串的末尾。
例子:
#include
using namespace std;
int main()
{
char init[] = "this is init";
char add[] = " added now";
// concatenating the string.
strcat(init, add);
cout << init << endl;
return 0;
}
输出:
this is init added now
方法2:使用append()函数。
句法:
string& string::append (const string& str)
str: the string to be appended.
此处的str是std :: 字符串类的对象,它是basic_string类模板的实例,该模板使用char(即字节)作为其字符类型。 append函数将add(variable)字符串追加到init 字符串的末尾。
例子:
#include
using namespace std;
int main()
{
string init("this is init");
string add(" added now");
// Appending the string.
init.append(add);
cout << init << endl;
return 0;
}
输出:
this is init added now
方法3:使用“ +”运算符
句法:
string new_string = string init + string add;
这是串联两个字符串最简单的方法。+运算符只是将两个字符串相加并返回一个串联的字符串。
例子:
#include
using namespace std;
int main()
{
string init("this is init");
string add(" added now");
// Appending the string.
init = init + add;
cout << init << endl;
return 0;
}
输出:
this is init added now
要从最佳影片策划和实践问题去学习,检查了C++基础课程为基础,以先进的C++和C++ STL课程基础加上STL。要完成从学习语言到DS Algo等的更多准备工作,请参阅“完整面试准备课程” 。