我已成功在Word标头的两单元格表中添加了文本和图像。
section = document.sections[0]
header = section.header
htable = header.add_table(1, 2, Inches(6))
htab_cells = htable.rows[0].cells
ht0 = htab_cells[0]
ht1 = htab_cells[1]
ht0.paragraphs[0].text = 'Test project'
run = ht1.paragraphs[0].add_run()
run.add_picture('app/static/images/logo.png', width=Inches(1))
ht1.paragraphs[0].alignment = WD_ALIGN_PARAGRAPH.RIGHT
但是,问题在于python-docx将我的文本放在新行的左列中?
如何摆脱第一个添加的段落行?
答案 0 :(得分:2)
空白(新创建)部分包含一个空的段落。这种Word事物(称为“故事”)必须始终至少包含一个段落,否则无效,并且将在加载时触发修复错误。
所以问题是如何避免表格在该段之后出现。
第一个答案,也是我最喜欢的答案,是完全避免使用表格。您似乎只是将其用于对齐,而使用制表符则可以更好地完成此操作,原因有很多,其中之一是可以避免由于表格内部单元格边距而导致的轻微对齐问题。
此过程在此处的文档中进行了描述:
https://python-docx.readthedocs.io/en/latest/user/hdrftr.html#adding-zoned-header-content
本质上,您将选项卡添加到单个现有段落中,并使用选项卡字符将徽标与标题分开。如果您使用右对齐的标签,则徽标会与右边缘很好地对齐。
from docx.enum.text import WD_TAB_ALIGNMENT
paragraph = section.paragraphs[0]
tab_stops = paragraph.paragraph_format.tab_stops
tab_stops.add_tab_stop(Inches(6.5), WD_TAB_ALIGNMENT.RIGHT)
paragraph.text = "My Header Title\t" # ---note trailing tab char---
run = paragraph.add_run()
run.add_picture("my-logo")
如果确实必须使用表,则需要在添加表之前先删除空段,然后再将其重新添加:
paragraph = header.paragraphs[0]
p = paragraph._p # ---this is the paragraph XML element---
p.getparent().remove(p)
header.add_table(...)
...
header.add_paragraph()