python

关注公众号 jb51net

关闭
首页 > 脚本专栏 > python > Python文件操作

从基础到高级详解Python中文件操作的全攻略实战指南

作者:站大爷IP

在Python编程中,文件操作是连接程序与外部存储的桥梁,本文将从基础读写讲起,逐步深入到高效处理、异常管理、二进制操作等高级场景,希望对大家有所帮助

在Python编程中,文件操作是连接程序与外部存储的桥梁。无论是读取配置文件、处理日志数据,还是存储程序运行结果,掌握文件操作技巧都能让开发效率大幅提升。本文将从基础读写讲起,逐步深入到高效处理、异常管理、二进制操作等高级场景,用实战案例帮助你快速掌握文件操作精髓。

一、文件操作基础:打开与关闭

1.1 打开文件的正确姿势

Python通过open()函数与文件建立连接,核心参数包括:

模式名称行为适用场景
r只读文件必须存在,否则报错读取配置/日志
w覆盖写入清空原文件,不存在则创建生成新文件
a追加写入文件末尾添加内容,不存在则创建持续记录日志
r+读写文件必须存在,可读可写修改文件中间内容
b二进制模式与r/w/a组合使用处理图片/音频等非文本

示例:读取UTF-8编码的文本文件

with open('notes.txt', 'r', encoding='utf-8') as file:
    content = file.read()
    print(content[:50])  # 打印前50个字符

1.2 为什么必须关闭文件?

手动关闭文件(file.close())存在两大风险:

推荐方案:使用with语句自动管理

# 传统方式(易出错)
file = open('data.txt', 'w')
file.write('重要数据')
# 忘记close()导致数据未保存!

# 正确方式(自动关闭)
with open('data.txt', 'w') as file:
    file.write('自动保存的数据')
# 离开with块后文件自动关闭

二、文本文件读写:四种实用方法

2.1 一次性读取(适合小文件)

with open('config.json', 'r') as f:
    full_content = f.read()  # 返回整个字符串
    print(full_content)

本文将从基础读写讲起,逐步深入到高效处理、异常管理、二进制操作等高级场景,

2.2 逐行迭代(内存友好)

error_count = 0
with open('server.log', 'r') as f:
    for line in f:  # 逐行读取,内存占用恒定
        if 'ERROR' in line:
            error_count += 1
print(f"发现{error_count}个错误")

2.3 读取为列表(方便索引)

error_count = 0
with open('server.log', 'r') as f:
    for line in f:  # 逐行读取,内存占用恒定
        if 'ERROR' in line:
            error_count += 1
print(f"发现{error_count}个错误")

2.4 高效写入技巧

写入单行

with open('output.txt', 'w') as f:
    f.write('第一行内容\n')  # 必须手动添加换行符

写入多行:

data = ['苹果\n', '香蕉\n', '橙子\n']
with open('fruits.txt', 'w') as f:
    f.writelines(data)  # 不会自动添加换行符!

避坑指南:若列表元素未包含换行符,需预先处理:

clean_data = [f"{item}\n" for item in ['苹果', '香蕉']]

三、文件指针控制:精准定位读写

3.1 指针操作三件套

tell():返回当前指针位置(字节偏移量)

seek(offset, whence):移动指针

示例:修改文件中间内容

with open('demo.txt', 'r+') as f:
    # 定位到第5个字节
    f.seek(5)
    # 读取后续10个字符
    print(f.read(10))
    # 回到文件头插入内容
    f.seek(0)
    f.write('新开头')

3.2 二进制文件处理

处理图片、音频等非文本文件时,需使用二进制模式:

# 复制图片
with open('original.jpg', 'rb') as src:
    data = src.read()
with open('copy.jpg', 'wb') as dst:
    dst.write(data)

结构化二进制数据:使用 struct 模块解析

import struct
with open('data.bin', 'rb') as f:
    # 读取4字节整数+8字节浮点数
    int_data, float_data = struct.unpack('if', f.read(12))

四、高级实战:处理真实场景

4.1 日志分析器

统计错误和警告数量:

def analyze_log(log_path):
    errors, warnings = 0, 0
    with open(log_path, 'r') as f:
        for line in f:
            if 'ERROR' in line:
                errors += 1
            elif 'WARNING' in line:
                warnings += 1
    return errors, warnings

# 使用示例
err, warn = analyze_log('app.log')
print(f"错误:{err} 警告:{warn}")

4.2 CSV数据清洗

处理缺失值并导出:

import csv

def clean_csv(input_path, output_path):
    with open(input_path, 'r') as infile, \
         open(output_path, 'w', newline='') as outfile:
        
        reader = csv.DictReader(infile)
        fieldnames = reader.fieldnames
        writer = csv.DictWriter(outfile, fieldnames=fieldnames)
        writer.writeheader()

        for row in reader:
            # 填充缺失的age字段为0
            row['age'] = row.get('age', '0')
            writer.writerow(row)

# 使用示例
clean_csv('raw_data.csv', 'cleaned_data.csv')

4.3 大文件分块读取

处理GB级日志文件:

def process_large_file(file_path, chunk_size=1024*1024):  # 默认1MB
    with open(file_path, 'r') as f:
        while True:
            chunk = f.read(chunk_size)
            if not chunk:
                break
            # 处理每个数据块
            analyze_chunk(chunk)

def analyze_chunk(chunk):
    # 示例:统计块中的IP地址
    ips = [line.split()[0] for line in chunk.splitlines() 
           if line.startswith('192.168')]
    print(f"发现{len(ips)}个内网IP")

五、异常处理:让程序更健壮

5.1 常见文件异常

异常类型触发场景处理方案
FileNotFoundError文件不存在检查路径或创建文件
PermissionError无读写权限检查文件权限或以管理员运行
IsADirectoryError试图将目录当作文件打开确认路径指向文件而非目录

5.2 安全读写模板

import os

def safe_write(file_path, content):
    try:
        # 确保目录存在
        os.makedirs(os.path.dirname(file_path), exist_ok=True)
        with open(file_path, 'w') as f:
            f.write(content)
    except IOError as e:
        print(f"文件写入失败: {e}")
    except Exception as e:
        print(f"未知错误: {e}")

# 使用示例
safe_write('backup/2025.log', '系统备份数据')

六、进阶技巧:提升开发效率

6.1 使用pathlib替代os.path

Python 3.4+推荐的路径操作方式:

from pathlib import Path

# 路径拼接
config_path = Path('config') / 'settings.ini'

# 检查文件是否存在
if config_path.exists():
    print(config_path.read_text(encoding='utf-8'))

6.2 临时文件处理

使用tempfile模块安全创建临时文件:

import tempfile

# 创建临时文件(自动删除)
with tempfile.NamedTemporaryFile(mode='w+', delete=True) as tmp:
    tmp.write('临时数据')
    tmp.seek(0)
    print(tmp.read())  # 输出: 临时数据
# 离开with块后文件自动删除

6.3 内存映射文件

处理超大文件时,使用mmap减少I/O操作:

import mmap

with open('huge_file.dat', 'r+b') as f:
    # 映射整个文件到内存
    with mmap.mmap(f.fileno(), 0) as mm:
        # 像操作字符串一样处理文件
        print(mm[:100].decode('utf-8'))  # 读取前100字节

七、最佳实践总结

始终使用with语句:自动管理资源,避免泄漏

明确指定编码:文本文件务必设置encoding='utf-8'

选择合适模式

大文件处理原则

异常处理要具体:捕获FileNotFoundError等特定异常

路径操作现代化:优先使用pathlib而非os.path

掌握这些技巧后,你可以轻松应对:

文件操作是Python编程的基础技能,更是连接数据与程序的桥梁。通过合理运用本文介绍的技巧,你将能编写出更高效、更健壮的代码。

​到此这篇关于从基础到高级详解Python中文件操作的全攻略实战指南的文章就介绍到这了,更多相关Python文件操作内容请搜索脚本之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持脚本之家!

您可能感兴趣的文章:
阅读全文