python读写excel表格文件--openpyxl

参考文章:Python使用openpyxl读写excel文件

  1. 安装:
    使用管理员模式进行pip下载安装pip install openpyxl
  2. 从excel文件中读取数据
from openpyxl import load_workbook
# 读取excel文件

wb = load_workbook('具体路径//properties.xlsb')

# wb = load_workbook('具体路径//menus.xls')

# openpyxl不支持xls格式的文件读取,需要使用xlrd库来读取xls文件,
# 或者将xls文件转化为xlsx格式文件

wb = load_workbook('具体路径//menus.xlsx')
# 也不支持读取xlsx之外的格式,例如不支持读取xlsb类型的文件
# 默认打开的文件可读写

# 获得所有sheet的名称
print(wb.get_sheet_names())
# 根据sheet名字获得sheet
a_sheet = wb.get_sheet_by_name('Sheet1')
# 获得sheet名
print(a_sheet.title)
# 获得当前正在显示的sheet, 也可以用wb.get_active_sheet()
sheet = wb.active


a1 = sheet['A1']   # 位置 A列 1 行

# a1为一个cell类
print(a1.row)       # 返回其行号
print(a1.column)    # 返回其列号
print(a1.coordinate)  # 返回字母+数字位置编号

print(a1.value)     # 返回其值
print(f'({a1.row}, {a1.column}, {a1.value})')

# 下标获得cell类

a1_too = sheet.cell(row=1, column=2)
print(a1_too.value)

# 获取最大行与最大列

print(sheet.max_row)
print(sheet.max_column)

# 按照 A1 B1 C1 顺序返回
for row in sheet.rows:
    for cell in row:
        print(cell.value)

# 按照 A1 A2 A3 顺序返回
for col in sheet.columns:
    for cell in col:
        print(cell.value)

# 以上sheet.rows 和sheet.columns均是生成器类型,不能使用索引
# 要想使用,需要转化成list后使用
# 例如list(sheet.rows)[2]得到第三行的tuple对象

# 读取第一行的所有数据

for cell in list(sheet.rows)[0]:
    print(cell.value)

# 获得任意区间的单元格 使用range函数
# 获取前两列,前三行的区域数据

for i in range(1, 4):   # i依次是1,2,3
    for j in range(1, 3):
        print((sheet.cell(row=i, column=j)).value)


# 切片使用
for row_cell in sheet['A1':'B3']:
    for cell in row_cell:
        print(cell)

# 每行的单元格构成一个元祖
for cell in sheet['A1':'B3']:
    print(cell)
  1. 写入数据
from openpyxl import Workbook
# excel文件的写入

wb = Workbook()
# 新建了一个工作表,尚未保存

print(wb.get_sheet_names())
# 默认提供Sheet的表,office 2016 默认新建Sheet1

# 直接赋值可以改工作表的名称
sheet = wb.active
sheet.title = 'Sheet1'

# 可以对工作表Sheet1 Sheet2 建立索引

wb.create_sheet('Data', index=1)

# 这样新建第二个工作表:名称为Data

# 删除某个工作表
# remove 按照变量删除
wb.remove(sheet)

# del 按表格名称删除
del wb['Data']

# 新建一个工作表

wb = Workbook()
# grab the active worksheet
sheet = wb.active

# 直接给单元格赋值
sheet['A1'] = '编号'
sheet['B1'] = '属性'
sheet['c1'] = '值'

# append函数
# 添加一行
row = [1, 2, 3, 4, 5]
sheet.append(row)
# wb.save('test.xlsx')


for i in range(17):
    sheet.cell(row=i+2, column=1, value=i+1)

# Save the file
filer = "存储路径"
path = filer + "properties.xlsx"
wb.save(path)

你可能感兴趣的:(python读写excel表格文件--openpyxl)