Python 使用xlwings库操作excel的简明实践分享之实现表格加入图片
上一篇展示的是表格的批量填写,遗留了一个环节没有加,那就是照片栏还没有照片,所以在这里讲述下如何插入图片
表格模板
依然是上一篇的模板,这相当于是循环里的一步操作,单独提取出来。
基本操作
简单插入图片
wb_template = app.books.open('小学生信息表.xlsx')
ws_template = wb_template.sheets.active
ws_template.pictures.add(os.path.join(os.getcwd(),'th.jfif'))
直接插入的话,图片的位置会是在左上角。这显然是不符合我们需要的
图片来自于搜索结果,如果是你的,感觉不合适,请直接联系我,我会在看到后尽快处理的
指定位置插入图片
插入图片的时候可以指定好图片的附属单元格
photo_range = ws_template.range((2,6),(5,6))
ws_template.pictures.add(os.path.join(os.getcwd(), 'th.jfif'), left=photo_range.left,top=photo_range.top)
此时这张图片看上去就挂在了照片单元格的左上角
调整图片大小
photo_range = ws_template.range((2,6),(5,6))
row_height = photo_range.row_height
column_width = photo_range.column_width
print(row_height,column_width)
ws_template.pictures.add(os.path.join(os.getcwd(), 'th.jfif'), left=photo_range.left,top=photo_range.top,width=column_width,height=row_height)
通过设置width和height两个参数即可实现图形的缩放
你难道以为上面的会正常显示吗,其实是不会的,这个单元格的高度和宽度和图像的宽高是两种数据单位,需要额外转换。
在这里我也发现row_height并不能范围区域的行高,来自官方文档的解释, Range - xlwings Documentation,当指定区域一样高的时候,会返回单个行高,但是如果不一样高,会返回一个None,所以这里要乘以一个4,遇到不一样高的,建议使用循环读取出来,重新计算。
宽度的比例在我的电脑上经过调试,大约是5.63
photo_range = ws_template.range((2,6),(5,6))
row_height = photo_range.row_height*4
column_width = photo_range.column_width
print(row_height,column_width)
ws_template.pictures.add(os.path.join(os.getcwd(), 'th.jfif'), left=photo_range.left,top=photo_range.top,width=column_width*5.63,height=row_height)
得到的结果如下:
额外
在工作中也可以对图片进行保持比例。利用pillow库读取文件的尺寸,进行类似居中的操作。
photo_range = ws_template.range((2, 6), (5, 6))
row_height = photo_range.row_height * 4
column_width = photo_range.column_width
pic_width, pic_height = Image.open('th.jfif').size
# 比例
ratio = pic_width / pic_height
print(ratio)
# 图片的实际宽度
pic_table_width = ratio * row_height
# 计算左边的位置,即为边界位置加上半个差
left = photo_range.left + (column_width * 5.63 - pic_table_width) / 2
ws_template.pictures.add(os.path.join(os.getcwd(), 'th.jfif'), left=left, top=photo_range.top,
width=pic_table_width, height=row_height)
实现效果
当然,这里默认了图片是高大于宽的,可以根据ratio是否大于1来确定到底是调整宽度还是高度。 在计算图片实际宽度时,这个已经是相当于像素值了,不需要额外的乘以列宽比例。
转载自:https://juejin.cn/post/7227315501398409277