string字符串拼接
时间: 2023-08-17 15:08:03 浏览: 87
字符串拼接可以使用加号(+)操作符或字符串拼接函数来实现。以下是两种常见的方法:
方法一:使用加号(+)操作符
```python
str1 = "Hello"
str2 = "World"
result = str1 + " " + str2
print(result) # 输出:Hello World
```
方法二:使用字符串拼接函数
```python
str1 = "Hello"
str2 = "World"
result = "{} {}".format(str1, str2)
print(result) # 输出:Hello World
```
这两种方法都可以用于拼接多个字符串,只需要在加号或字符串拼接函数中添加需要拼接的字符串即可。
相关问题
string 字符串拼接
字符串拼接是将多个字符串连接在一起形成一个新的字符串。在 C++ 中,可以使用 "+" 运算符或者使用字符串对象的成员函数 `append()` 或者 `+=` 来完成字符串拼接。
示例代码:
```cpp
#include <iostream>
#include <string>
int main() {
std::string str1 = "Hello";
std::string str2 = " World!";
// 使用 "+" 运算符进行字符串拼接
std::string result = str1 + str2;
std::cout << "Using '+' operator: " << result << std::endl;
// 使用 append() 成员函数进行字符串拼接
std::string result2 = str1.append(str2);
std::cout << "Using append() function: " << result2 << std::endl;
// 使用 "+=" 运算符进行字符串拼接
str1 += str2;
std::cout << "Using '+=' operator: " << str1 << std::endl;
return 0;
}
```
输出结果:
```
Using '+' operator: Hello World!
Using append() function: Hello World!
Using '+=' operator: Hello World!
```
以上代码演示了三种常用的字符串拼接方法,分别是使用 "+" 运算符、`append()` 成员函数和 "+=" 运算符。注意,如果要进行多次字符串拼接,建议使用 `append()` 或者 "+=",因为它们的效率更高。
string字符串拼接char字符串
可以使用C++中的字符串类`std::string`的`append`或`+=`函数来拼接char字符串,例如:
```c++
#include <iostream>
#include <string>
int main() {
std::string str1 = "Hello";
const char* str2 = " world!";
str1.append(str2); // 使用append函数拼接
std::cout << str1 << std::endl; // 输出"Hello world!"
std::string str3 = "Goodbye";
const char* str4 = " cruel world...";
str3 += str4; // 使用+=运算符拼接
std::cout << str3 << std::endl; // 输出"Goodbye cruel world..."
return 0;
}
```
注意,当使用`append`函数时,需要确保char字符串以`\0`结尾,否则可能会导致未定义的行为。
阅读全文