python-docx:提取文本以及标题和 sub-heading 数字

python-docx: Extracting text along with heading and sub-heading numbers

我有一个结构如下的word文档:

1. Heading
    1.1. Sub-heading
        (a) Sub-sub-heading

当我使用以下代码在 docx 中加载文档时:

import docx

def getText(filename):
    doc = docx.Document(filename)
    fullText = []
    for para in doc.paragraphs:
        fullText.append(para.text)
    return '\n'.join(fullText)
print(getText("a.docx"))

我得到以下输出。

Heading
Sub-heading
Sub-sub-heading

如何将 heading/sub-heading 数字连同文本一起提取?我试过 simplify_docx 但这只适用于标准的 MS Word 标题样式,不适用于自定义标题样式。

不幸的是,数字不是文本的一部分,而是由 Word 本身根据标题样式 (Heading i) 生成的,我不认为 docx 公开了任何获取此数字的方法.

但是您可以使用 para.style 检索样式/级别,然后通读文档以重新计算编号方案。然而,这很麻烦,因为它没有考虑您可能使用的任何自定义样式。可能有一种方法可以访问文档 style.xml 部分中的编号方案,但我不知道如何访问。

import docx

level_from_style_name = {f'Heading {i}': i for i in range(10)}

def format_levels(cur_lev):
    levs = [str(l) for l in cur_lev if l != 0]
    return '.'.join(levs)  # Customize your format here

d = docx.Document('my_doc.docx')

current_levels = [0] * 10
full_text = []

for p in d.paragraphs:
    if p.style.name not in level_from_style_name:
        full_text.append(p.text)
    else:
        level = level_from_style_name[p.style.name]
        current_levels[level] += 1
        for l in range(level + 1, 10):
            current_levels[l] = 0
        full_text.append(format_levels(current_levels) + ' ' + p.text)

for l in full_text:
    print(l)

来自

给我

Hello world
1 H1 foo
1.1 H2 bar
1.1.1 H3 baz
Paragraph are really nice !
1.1.2 H3 bibou
Something else
2 H1 foofoo
You got the drill…