Python中文件的读写代码
时间: 2024-12-30 21:34:29 浏览: 6
在Python中,文件的读写操作非常直观,主要通过内置的`open()`函数来完成。这里有一些基本的例子:
### 读取文件(以文本模式读取,如txt、csv等)
```python
# 打开文件
with open('example.txt', 'r') as file:
# 读取所有内容
content = file.read()
print(content)
# 或者逐行读取
with open('example.txt', 'r') as file:
for line in file:
print(line)
```
### 写入文件(创建新文件或追加到已有文件)
```python
# 创建新文件并写入
with open('newfile.txt', 'w') as file:
file.write('Hello, World!\n')
# 追加内容到文件
with open('existing_file.txt', 'a') as file:
file.write('This is a new line.\n')
```
### 使用`try-except`处理可能出现的异常
```python
try:
with open('non_existent_file.txt', 'r') as file:
content = file.read()
except FileNotFoundError:
print("File not found.")
```
阅读全文