Python如何连接两个字符串?
时间: 2024-10-03 08:04:56 浏览: 36
在Python中,连接两个字符串有多种简单的方法:
1. **使用加号 (+)**: 直接将两个字符串相加即可,例如:
```python
str1 = "Hello"
str2 = "World"
result = str1 + " " + str2
print(result) # 输出: Hello World
```
2. **使用join()函数**: 如果你想要通过某个分隔符连接字符串,可以使用`str.join()`方法,比如:
```python
words = ["Hello", "World"]
result = " ".join(words)
print(result) # 输出: Hello World
```
3. **使用f-string(格式化字符串)** (Python 3.6及以上版本):
```python
name1 = "Alice"
name2 = "Bob"
result = f"{name1} and {name2}"
print(result) # 输出: Alice and Bob
```
4. **使用三引号(triple quotes)**创建多行字符串,它们会被视为单个字符串,不需要额外的操作:
```python
s1 = 'Line 1'
s2 = 'Line 2'
result = '''s1: {}
s2: {}'''.format(s1, s2)
print(result) # 输出: s1: Line 1\ns2: Line 2
```
阅读全文