目录
一、内存交互
1.1 变量与数据结构
1.2 对象的创建和方法调用
1.3 操作内存中的数据
二、磁盘交互
2.1 文件读写
2.2 操作系统相关的文件操作
2.3 读写 JSON 文件
2.4 读写 CSV 文件
一、内存交互
内存交互:主要涉及变量、数据结构、对象的创建与操作,以及使用 StringIO
和 BytesIO
等类在内存中操作数据。
1.1 变量与数据结构
- 变量的赋值和使用都在内存中进行。
- 数据结构如列表(list)、字典(dict)、集合(set)、元组(tuple)等都是在内存中操作的。
# 变量和数据结构在内存中操作
a = 10
b = [1, 2, 3, 4, 5]
c = {"name": "Alice", "age": 30}
1.2 对象的创建和方法调用
- Python 中对象的创建、方法调用等操作都是在内存中进行的。
class MyClass:def __init__(self, value):self.value = valuedef increment(self):self.value += 1obj = MyClass(5)
obj.increment()
1.3 操作内存中的数据
- 使用
io.StringIO
和io.BytesIO
类,可以在内存中操作字符串和字节流。
from io import StringIO, BytesIO# 使用 StringIO 在内存中操作字符串
mem_str = StringIO()
mem_str.write("Hello, world!")
mem_str.seek(0)
print(mem_str.read())# 使用 BytesIO 在内存中操作字节流
mem_bytes = BytesIO()
mem_bytes.write(b"Hello, world!")
mem_bytes.seek(0)
print(mem_bytes.read())
二、磁盘交互
磁盘交互:主要涉及文件读写、操作系统文件操作(如创建、删除、重命名文件和目录)、读写 JSON 文件和 CSV 文件等。
2.1 文件读写
- 使用内置的
open()
函数读写文件,这是最常见的磁盘交互方式。
# 写入文件
with open('example.txt', 'w') as file:file.write("Hello, world!")# 读取文件
with open('example.txt', 'r') as file:content = file.read()print(content)
2.2 操作系统相关的文件操作
- 使用
os
模块进行文件和目录的创建、删除、重命名等操作,这些操作都会与磁盘交互。
import os# 创建目录
os.mkdir('new_directory')# 重命名文件
os.rename('example.txt', 'new_example.txt')# 删除文件
os.remove('new_example.txt')# 删除目录
os.rmdir('new_directory')
2.3 读写 JSON 文件
- 使用
json
模块将 Python 对象序列化为 JSON 格式并写入文件,或从文件中读取 JSON 格式的数据并反序列化为 Python 对象。
import jsondata = {"name": "Alice", "age": 30}# 写入 JSON 文件
with open('data.json', 'w') as file:json.dump(data, file)# 读取 JSON 文件
with open('data.json', 'r') as file:loaded_data = json.load(file)print(loaded_data)
2.4 读写 CSV 文件
- 使用
csv
模块读写 CSV 文件,与磁盘进行交互。
import csv# 写入 CSV 文件
with open('data.csv', 'w', newline='') as file:writer = csv.writer(file)writer.writerow(['Name', 'Age'])writer.writerow(['Alice', 30])writer.writerow(['Bob', 25])# 读取 CSV 文件
with open('data.csv', 'r') as file:reader = csv.reader(file)for row in reader:print(row)