Python 合并多个字符串

Document 对象参考手册 Python3 实例

在 Python 中,合并多个字符串可以通过多种方式实现,包括使用加号 +join() 方法或格式化字符串。下面我们将通过一个简单的例子来演示如何合并多个字符串。

实例

# 定义多个字符串
str1 = "Hello"
str2 = "World"
str3 = "!"

# 使用加号合并字符串
combined_str1 = str1 + " " + str2 + str3

# 使用 join() 方法合并字符串
combined_str2 = " ".join([str1, str2]) + str3

# 使用格式化字符串合并
combined_str3 = f"{str1} {str2}{str3}"

# 输出结果
print(combined_str1)
print(combined_str2)
print(combined_str3)

代码解析:

  1. str1, str2, str3 是三个需要合并的字符串。
  2. combined_str1 使用加号 + 将字符串连接在一起,中间添加了一个空格。
  3. combined_str2 使用 join() 方法将字符串列表中的元素连接在一起,然后再加上 str3
  4. combined_str3 使用格式化字符串 f"" 将变量直接嵌入到字符串中。

输出结果:

Hello World!
Hello World!
Hello World!

Document 对象参考手册 Python3 实例