python读取txt文件,以空格为分隔读取为列表
时间: 2024-02-13 08:04:55 浏览: 175
python读取txt数据TXT文件文件里的数据以多个空格隔开
可以使用Python内置的`open()`函数来读取txt文件。具体步骤如下:
1. 使用`open()`函数打开txt文件,并指定打开模式为`r`(只读模式)。
```python
file = open('file.txt', 'r')
```
2. 使用`read()`方法读取文件内容,并将其存储到变量中。
```python
content = file.read()
```
3. 关闭文件,释放资源。
```python
file.close()
```
4. 将读取到的内容按空格分割,并存储到列表中。
```python
word_list = content.split(' ')
```
完整代码示例:
```python
file = open('file.txt', 'r')
content = file.read()
file.close()
word_list = content.split(' ')
print(word_list)
```
注意:在使用`open()`函数打开文件时,应该使用文件的绝对路径或相对路径。另外,如果文件中的单词之间不是用空格分隔,可以将`split()`方法中的参数改为其他分隔符。
阅读全文