我在文档中定义了这种样式:

styles.add(ParagraphStyle(name='Table Header', font ='Helvetica-Bold',fontSize=16, alignment=TA_CENTER))

我用它来定义文本段落,使其进入每个表的第一行(以便它们正确地换行):
L2sub = [(Paragraph(L[0][0], styles['Table Header']))]

稍后,当我添加表格时,还有一个定义样式的地方:
report.append(Table(data,style=[
                ('GRID',(0,0),(len(topiclist)-1,-1),0.5,colors.grey),
                ('FONT', (0,0),(len(topiclist)-1,0),'Helvetica-Bold',16),
                ('FONT', (0,1),(len(topiclist)-1,1),'Helvetica-Bold',12),
                ('ALIGN',(0,0),(-1,-1),'CENTER'),
                ('VALIGN',(0,0),(-1,-1),'MIDDLE'),
                ('SPAN',(0,0),(len(topiclist)-1,0)),
                ]))

我的问题是:在哪里定义第一行单元格的垂直高度的设置?我遇到一些问题,例如文本对于单元格太大和/或在单元格中设置太低,但是我无法确定导致它的原因或解决方法。我已经更改了两个大小,但是我不能让像元一样高度都一样。当我将文本而不是段落放到单元格中时,表的定义效果很好,但是段落导致了问题。

最佳答案

我认为TableStyle中没有设置可让您更改rowheight。在创建新的Table对象时会给出该度量:

Table(data, colwidths, rowheights)

其中colwidthsrowheights是测量值的列表,如下所示:
from reportlab.lib.units import inch
from reportlab.lib.styles import getSampleStyleSheet
from reportlab.platypus import Paragraph
from reportlab.platypus import Table
from reportlab.lib import colors

# Creates a table with 2 columns, variable width
colwidths = [2.5*inch, .8*inch]

# Two rows with variable height
rowheights = [.4*inch, .2*inch]

table_style = [
    ('GRID', (0, 1), (-1, -1), 1, colors.black),
    ('VALIGN', (0, 0), (-1, -1), 'MIDDLE'),
    ('ALIGN', (1, 1), (1, -1), 'RIGHT')
]

style = getSampleStyleSheet()

title_paragraph = Paragraph(
    "<font size=13><b>My Title Here</b></font>",
    style["Normal"]
)
# Just filling in the first row
data = [[title_paragraph, 'Random text string']]

# Now we can create the table with our data, and column/row measurements
table = Table(data, colwidths, rowheights)

# Another way of setting table style, using the setStyle method.
table.setStyle(tbl_style)

report.append(table)

可以将colwidthsrowheights更改为适合内容所需的任何度量。 colwidths从左至右读取,而rowheights从上至下读取。

如果您知道所有表格行都将具有相同的高度,则可以使用以下快捷方式:
rowheights = [.2*inch] * len(data)

这会为您的[.2*inch, .2*inch, ...]变量的每一行提供类似data的列表。

关于python - 什么决定了Reportlab表中的垂直空间?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/13944765/

10-12 04:43