请举例说明下列字符串用法和其具体功能str.split() str.join() str.strip()
时间: 2024-09-13 13:10:02 浏览: 46
Python之字符串和编码共13页.pdf.zip
当然,我很乐意解释这三个字符串函数:
1. **str.split()**: 这个函数用于将字符串分割成列表,它根据给定的分隔符(默认为空格、换行符等空白字符)来切分字符串。例如:
```python
sentence = "Hello World, this is a test."
words = sentence.split()
# 输出: ['Hello', 'World,', 'this', 'is', 'a', 'test.']
```
这里我们把句子按照空格分成了单词列表。
2. **str.join()**: 正好相反,这个函数用于连接列表中的元素,形成一个新的字符串。每个列表元素之间由传入的字符串作为连接符。比如:
```python
word_list = ['Hello', 'World', 'this', 'is', 'a', 'test']
sentence = " ".join(word_list)
# 输出: 'Hello World this is a test'
```
我们用空格把这些单词串联起来形成了最初的句子。
3. **str.strip()**: 这个函数主要用于移除字符串两端的空白字符(包括空格、制表符、换行符等)。例如:
```python
text_with_spaces = " Hello, world! "
clean_text = text_with_spaces.strip()
# 输出: 'Hello, world!'
```
现在`clean_text`只包含实际的文本内容,两侧的空白都被去除了。
阅读全文