openpyxl库
记录我自己对这个库的理解用法。 openpyxl 是用于读写 Excel xlsx/xlsm/xltx/xltm 文件的第三方模块。 官方文档传送门
安装方法:
pip install openpyxl
引用库
import openpyxl
打开、创建excel工作簿
file = openpyxl.Workbook()
file = openpyxl.load_workbook("text.xlsx")
打开、创建excel工作表
ws = file.active
'''
你可以用`Workbook.create_sheet()`方法创建一个新的工作表
该方法有两个参数 第一个为新工作簿名字 第二个为表创建的位置
'''
ws = file.create_sheet("Mysheet")
ws1 = file.create_sheet("Mysheet", 0)
ws2 = file.create_sheet("Mysheet", -1)
访问、查找excel工作表
ws.title = "New Title"
ws = file['New Title']
print(file.sheetnames)
['Sheet2', 'New Title', 'Sheet1']
for sheet in file:
print(sheet.title)
source = file.active
target = file.copy_worksheet(source)
'''注!
只能复制单元格(包括值、样式、超链接和注释)和某些工作表属性(包括维度、格式和属性)。
所有其他工作簿/工作表属性不被复制-例如图像,图表。
也不能在工作簿之间复制工作表。
如果工作簿以只读或仅写模式打开,则无法复制工作表。
'''
获取excel工作表的信息
rows = ws.max_row
clol = ws.max_column
for cell in list(ws.rows)[0]:
print(cell.value, end=" ")
for cell in list(ws.columns)[0]:
print(cell.value, end=" ")
for rows in list(ws.rows)[0:3]:
for cell in rows[0:3]:
print(cell.value, end=" ")
print()
for i in range(1, 4):
for j in range(1, 4):
print(ws.cell(row=i, column=j).value, end=" ")
print()
cell_range = ws['A1':'C2']
ws.iter_rows(min_row=?, max_row=?, max_col=?)
ws.iter_rows(min_row=?, max_row=?, max_col=?)
for row in ws.rows:
for cell in row:
print(cell.value, end=" ")
for col in ws.colums:
for cell in col:
print(cell.value, end=" ")
修改excel工作表
c = ws['A10']
ws['A10'] = 4
d = ws.cell(row=10, column=2, value=10)
ws.append([' ', ' ', ...])
保存excel工作表
file.save("text.xlsx")
'''
wb = Workbook()
with tempfile.NamedTemporaryFile() as tmp:
wb.save(tmp.name)
tmp.seek(0)
stream.temp.read()
or
wb = load_workbook('filename.xlsx')
wb.template = True
wb.save('filename.xltx')
or
wb = load_workbook('filename.xlsx')
wb.template = False
wb.save('filename.xltx', as_template=False)
'''
以上。
|