字符串拼接函数
C语言
- 在C语言中,可以通过
strcat()
或手动实现字符串拼接。
c
char S1[] = "good";
char S2[] = "morning";
char result[20];
strcpy(result, S1);
strcat(result, S2);
printf("%s", result); // 输出 "goodmorning"
C++
- C++ 可以使用
std::string
提供的+
运算符。
cpp
std::string S1 = "good";
std::string S2 = "morning";
std::string result = S1 + S2;
std::cout << result; // 输出 "goodmorning"
Python
- Python 使用简单的
+
运算符完成字符串拼接。
python
S1 = "good"
S2 = "morning"
result = S1 + S2
print(result) # 输出 "goodmorning"
Java
- 在 Java 中,字符串也可以通过
+
运算符拼接。
java
String S1 = "good";
String S2 = "morning";
String result = S1 + S2;
System.out.println(result); // 输出 "goodmorning"
JavaScript
- JavaScript 中,字符串拼接同样使用
+
。
javascript
let S1 = "good";
let S2 = "morning";
let result = S1 + S2;
console.log(result); // 输出 "goodmorning"
C#
- C# 同样使用
+
运算符拼接字符串。
csharp
string S1 = "good";
string S2 = "morning";
string result = S1 + S2;
Console.WriteLine(result); // 输出 "goodmorning"