我有一个pdf文件,其中每个页面都包含一个地址。地址采用以下格式:

Location Name

Street Address

City, State Zip


例如:

The Gift Store

620 Broadway Street

Van Buren, AR 72956


每个地址仅采用这种格式,并且每个地址都位于pdf的不同页面上。

我需要提取地址信息并将结果存储在excel / csv文件中。我需要每个信息字段的条目都分开。我的Excel工作表需要在不同的列中分别包含“位置名称”,“街道地址”,“城市”,“州”,“邮政编码”。我在python中使用pyPdf。

我已经使用下面的代码来做到这一点,但是我的代码没有考虑换行。相反,它以连续字符串的形式给出单个页面的全部数据。

import pyPdf
def getPDFConten(path):
    content = ""
    num_pages = 10
    p = file(path, "rb")
    pdf = pyPdf.PdfFileReader(p)
    for i in range(9, num_pages):
        x = pdf.getPage(i).extractText()+'\n'
        content += x

    content = " ".join(content.replace(u"\xa0", " ").strip().split())
    return content

con = getPDFContent("document.pdf")
print con


或我上面的示例给出了“ The Gift Store 620 Broadway Street Van Buren,AR 72956”。

如果我可以逐行读取输入内容,则可以使用子字符串轻松地从前两行获取位置名称和Stree地址,从第三行获取其余名称。

我试图使用列出的解决方案[here(pyPdf ignores newlines in PDF file),但对我而言不起作用。我也尝试使用pdfminer:它可以逐行提取信息,但是它会先将pdf转换为文本文件,而我不想这样做。我只想使用pyPdf。谁能建议我错了或我错过了什么?使用pyPdf可以做到吗?

最佳答案

您可以尝试使用subprocesspoppler实用程序调用pdftotext(可能带有-layout选项)。对于我来说,它比使用pypdf更好。

例如,我使用以下代码从PDF文件提取CAS数字:

import subprocess
import re

def findCAS(pdf, page=None):
    '''Find all CAS numbers on the numbered page of a file.

    Arguments:
    pdf -- Name of the PDF file to search
    page -- number of the page to search. if None, search all pages.
    '''
    if page == None:
        args = ['pdftotext', '-layout', '-q', pdf, '-']
    else:
        args = ['pdftotext', '-f', str(page), '-l', str(page), '-layout',
                '-q', pdf, '-']
    txt = subprocess.check_output(args)
    candidates =  re.findall('\d{2,6}-\d{2}-\d{1}', txt)
    checked = [x.lstrip('0') for x in candidates if checkCAS(x)]
    return list(set(checked))

def checkCAS(cas):
    '''Check if a string is a valid CAS number.

    Arguments:
    cas -- string to check
    '''
    nums = cas[::-1].replace('-', '') # all digits in reverse order
    checksum = int(nums[0]) # first digit is the checksum
    som = 0
    # Checksum method from: http://nl.wikipedia.org/wiki/CAS-nummer
    for n, d in enumerate(nums[1:]):
        som += (n+1)*int(d)
    return som % 10 == checksum

关于python - 如何获取pypdf逐行读取页面内容?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/15459802/

10-10 13:48