python如何将一串字符串依次存入列表中
时间: 2024-11-20 20:36:18 浏览: 4
在Python中字符串、列表、元组、字典之间的相互转换
在Python中,你可以通过多种方式将一串字符串逐个添加到列表中。这里有几个常见的方法:
1. 列表推导式:
```python
string = "a string b another c yet another"
strings_list = [word for word in string.split()]
```
这里`split()`函数会将字符串按照空格分割成多个子字符串,然后存储在列表中。
2. 使用append()循环:
```python
string = "a string b another c yet another"
strings_list = []
for word in string.split():
strings_list.append(word)
```
这种方法通过遍历并逐个添加子字符串。
3. 使用extend()方法:
```python
string = "a string b another c yet another"
strings_list = string.split()
```
`extend()`直接将`split()`的结果添加到列表末尾。
无论哪种方法,最后`strings_list`都会包含原始字符串中的每个单词作为一个单独的元素。
阅读全文