1. 颜色与对齐转换函数
将JSON中的十六进制颜色和对齐方式转换为PPT的API可识别的格式。
hex_to_rgb(rgb_tuple)
将十六进制颜色(如#FF0000
)转换为RGB对象:
def hex_to_rgb(rgb_tuple):
if not rgb_tuple:
return None
return RGBColor(*rgb_tuple)
get_alignment(alignment_str)
将对齐字符串(如"PP_ALIGN.CENTER"
)转换为枚举值:
def get_alignment(alignment_str):
if alignment_str == "PP_ALIGN.LEFT":
return PP_ALIGN.LEFT
elif alignment_str == "PP_ALIGN.CENTER":
return PP_ALIGN.CENTER
elif alignment_str == "PP_ALIGN.RIGHT":
return PP_ALIGN.RIGHT
return PP_ALIGN.LEFT
2. 创建形状:create_shape
根据JSON数据中的形状类型(如文本框、表格、图片),动态创建对应的PPT形状。
关键逻辑:
def create_shape(slide, shape_data):
shape_type = shape_data["type"]
left = Emu(shape_data["left"])
top = Emu(shape_data["top"])
width = Emu(shape_data["width"])
height = Emu(shape_data["height"])
if shape_type == MSO_SHAPE_TYPE.TEXT_BOX:
shape = slide.shapes.add_textbox(left, top, width, height)
elif shape_type == MSO_SHAPE_TYPE.TABLE:
rows = len(shape_data.get("table", []))
cols = max(len(row) for row in shape_data["table"]) if shape_data.get("table") else 1
shape = slide.shapes.add_table(rows, cols, left, top, width, height).table
elif shape_type == MSO_SHAPE_TYPE.PICTURE:
image_path = "path/to/your/image.png" # 需替换为实际路径
shape = slide.shapes.add_picture(image_path, left, top, width, height)
else:
shape = slide.shapes.add_shape(
MSO_SHAPE.RECTANGLE, # 默认形状
left,
top,
width,
height
)
shape.rotation = shape_data.get("rotation", 0)
return shape
3. 应用样式:apply_style
将JSON中的填充、边框样式应用到形状上。
填充样式:
fill.type = MSO_FILL.SOLID # 或BACKGROUND
fill.fore_color.rgb = hex_to_rgb(fill_data["color"])
边框样式:
line.color.rgb = hex_to_rgb(line_data["color"])
line.width = Emu(line_data["width"])
line.dash_style = getattr(MSO_LINE_DASH_STYLE, line_data["dash_style"])
4. 应用文本样式:apply_text_style
根据JSON中的字体、段落设置,构建文本框内容。
示例:
def apply_text_style(text_frame, text_style_data):
for paragraph_data in text_style_data.get("paragraphs", []):
paragraph = text_frame.add_paragraph()
paragraph.text = paragraph_data["text"]
paragraph.alignment = get_alignment(paragraph_data["alignment"])
for run_data in paragraph_data["runs"]:
run = paragraph.add_run()
run.text = run_data["text"]
font = run.font
font.name = run_data["font"]["name"]
font.size = Pt(run_data["font"]["size"])
font.bold = run_data["font"].get("bold", False)
font.color.rgb = hex_to_rgb(run_data["font"]["color"])
5. 主函数:json_to_pptx
读取JSON文件,遍历每页和每个形状,完成PPT重建。
关键步骤:
-
创建空白幻灯片:
slide_layout = prs.slide_layouts[6]
(索引6对应空白版式)。 -
遍历形状数据:
for shape_data in slide_data["shapes"]: shape = create_shape(slide, shape_data) apply_style(shape, style_data) if "text_style" in shape_data: apply_text_style(text_frame, shape_data["text_style"]) if "table" in shape_data: # 填充表格内容 for row_idx, row in enumerate(shape_data["table"]): for col_idx, cell_data in enumerate(row): cell = table.cell(row_idx, col_idx) cell.text = cell_data["text"]