Python如何读写文件?
时间: 2024-06-05 09:05:39 浏览: 103
Python中可以使用内置的open函数来读写文件。以下是一些基本的示例:
1. 读取文件内容:
```python
with open("file.txt", "r") as file:
content = file.read()
```
上面的代码打开了名为"file.txt"的文件并以只读模式打开,然后使用read()函数读取了文件的全部内容,并将其存储在变量content中。
2. 逐行读取文件内容:
```python
with open("file.txt", "r") as file:
for line in file:
print(line)
```
上面的代码打开了名为"file.txt"的文件并以只读模式打开,然后使用for循环逐行读取文件内容,并将每一行打印出来。
3. 写入文件内容:
```python
with open("file.txt", "w") as file:
file.write("Hello, World!")
```
上面的代码打开了名为"file.txt"的文件并以写入模式打开,然后使用write()函数将"Hello, World!"字符串写入文件中。
4. 追加文件内容:
```python
with open("file.txt", "a") as file:
file.write("\nHello again, World!")
```
上面的代码打开了名为"file.txt"的文件并以追加模式打开,然后使用write()函数将"\nHello again, World!"字符串追加到文件中。
阅读全文