A Python function that converts a table contained in a page of a PDF (or OpenXPS, EPUB, CBZ, XPS) document to a matrix-like Python object (list of lists of strings).
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 | #!/usr/bin/python
# -*- coding: utf-8 -*-
from __future__ import print_function
import fitz # <--- PyMuPDF
"""
Created on Mon Apr 05 07:00:00 2016
@author: Jorj McKie
Copyright (c) 2015 Jorj X. McKie
The license of this program is governed by the GNU GENERAL PUBLIC LICENSE
Version 3, 29 June 2007. See the "COPYING" file of this repository.
This is an example for using the Python binding PyMuPDF for MuPDF.
The ParseTab function parses tables contained in a page of a PDF
(or OpenXPS, EPUB) file and passes back a list of lists of strings
that represents the original table in matrix form.
Dependencies:
PyMuPDF, json, sqlite3
"""
#==============================================================================
# Function ParseTab - parse a document table into a Python list of lists
#==============================================================================
def ParseTab(doc, page, bbox, columns = None):
''' Returns the parsed table of a page in a PDF / (open) XPS / EPUB document.
Parameters:
doc: a fitz.Document
page: integer page number (0-based)
bbox: containing rectangle, list of numbers [xmin, ymin, xmax, ymax]
columns: optional list of column coordinates. If None, columns are generated.
Returns the parsed table as a list of lists of strings.
'''
import json
import sqlite3
xmin, ymin, xmax, ymax = bbox # rectangle coordinates
if not (xmin < xmax and ymin < ymax):
print("Warning: incorrect rectangle coordinates!")
return []
if type(page) == type(1):
txt = doc.getPageText(page, output="json") # page text in JSON format
else:
txt = page.getText(output = "json")
blocks = json.loads(txt)["blocks"] # get list of blocks
if not blocks:
print("Warning: page contains no text")
return []
db = sqlite3.connect(":memory:") # create RAM database
cur = db.cursor()
# create a table for the spans (text pieces)
cur.execute("CREATE TABLE `spans` (`x0` REAL,`y0` REAL, `text` TEXT)")
#==============================================================================
# Function spanout - store a span in database
#==============================================================================
def spanout(s, y0):
x0 = s["bbox"][0]
txt = s["text"] # the text piece
cur.execute("insert into spans values (?,?,?)", (int(x0), int(y0), txt))
return
#==============================================================================
# populate database with all spans in the requested bbox
for block in blocks:
for line in block["lines"]:
y0 = line["bbox"][1] # top-left y-coord
y1 = line["bbox"][3] # bottom-right y-coord
if y0 < ymin or y1 > ymax: # line outside bbox limits - skip it
continue
spans = [] # sort spans by their left coord's
for s in line["spans"]:
if s["bbox"][0] >= xmin and s["bbox"][2] <= xmax:
spans.append([s["bbox"][0], s])
if spans: # any spans left at all?
spans.sort() # sort them
else:
continue
# concatenate spans close to each other
for i, s in enumerate(spans):
span = s[1]
if i == 0:
s0 = span # memorize 1st span
continue
x0 = span["bbox"][0] # left borger of span
x1 = span["bbox"][2] # right border of span
txt = span["text"] # text of this span
if abs(x0 - s0["bbox"][2]) > 3: # if more than 3 pixels away
spanout(s0, y0) # from previous span, output it
s0 = span # store this one as new 1st
continue
s0["text"] += txt # join current span with prev
s0["bbox"][2] = x1 # save new right border
spanout(s0, y0) # output the orphan
# create a list of all the begin coordinates (used for column indices).
if columns: # list of columns provided by caller
coltab = columns
coltab.sort() # sort it to be sure
if coltab[0] > xmin:
coltab = [xmin] + coltab # left rect border is a valid delimiter
else:
cur.execute("select distinct x0 from spans order by x0")
coltab = [t[0] for t in cur.fetchall()]
# now read all text pieces from top to bottom.
cur.execute("select x0, y0, text from spans order by y0")
alltxt = cur.fetchall()
db.close() # do not need database anymore
# create the matrix
spantab = []
try:
y0 = alltxt[0][1] # y-coord of first line
except IndexError: # nothing there:
print("Warning: no text found in rectangle!")
return []
zeile = [""] * len(coltab)
for c in alltxt:
c_idx = len(coltab) - 1
while c[0] < coltab[c_idx]: # col number of the text piece
c_idx = c_idx - 1
if y0 < c[1]: # new line?
# output old line
spantab.append(zeile)
# create new line skeleton
y0 = c[1]
zeile = [""] * len(coltab)
if not zeile[c_idx] or zeile[c_idx].endswith(" ") or\
c[2].startswith(" "):
zeile[c_idx] += c[2]
else:
zeile[c_idx] += " " + c[2]
# output last line
spantab.append(zeile)
return spantab
#==============================================================================
# Main program
#==============================================================================
''' This is just a stub to illustrate the functioning of ParseTab.
After reading a page, we
(1) search the strings that encapsulate our table
(2) from coordinates of those string occurences, we define the surrounding
rectangle. We use zero or large numbers to specify "no limit".
(3) call ParseTab to get the parsed table
'''
doc = fitz.Document("adobe.pdf") # take Adobe's manual as an example
pno = 61 # big table is on page 62
page = doc.loadPage(pno) # read this page
#==============================================================================
# search for top of table
#==============================================================================
table_title = "Table 3.4 " # string identifying table top
search1 = page.searchFor(table_title, hit_max = 1)
if not search1:
raise ValueError("table top delimiter not found")
rect1 = search1[0] # the rectangle that surrounds the search string
ymin = rect1.y1 # table starts below this value
#==============================================================================
# search for bottom of table
#==============================================================================
search2 = page.searchFor("nothing in this case", hit_max = 1)
if not search2:
print("warning: table bottom delimiter not found - using end of page")
ymax = 99999
else:
rect2 = search2[0] # the rectangle that surrounds the search string
ymax = rect2.y0 # table ends above this value
if not ymin < ymax: # something was wrong with the search strings
raise ValueError("table bottom delimiter greater than top")
#==============================================================================
# now get the table and do something meaningfull with it
#==============================================================================
tab = ParseTab(doc, page.number, [0, ymin, 9999, ymax])
#print(table_title)
#for t in tab:
# print(t)
csv = open("p%s.csv" % (pno+1,), "w")
csv.write(table_title + "\n")
for t in tab:
csv.write("|".join(t).encode("utf-8","ignore") + "\n")
csv.close()
|
The ParseTab functon is called with a PyMuPDF document, a page number and rectangle coordinates (which circumscribe the to-be-parsed table).
Number of rows and columns are automatically determined from the data.
PyMuPDF / fitz provides means that help specifying the containing rectangle of the table - see the stub program. You may want to use graphical facilities to draw that rectangle in the image of the page and then pass it to the function.
This is an updated version with the following improvements:
footnotes, changes of font or font size, changes between normal / bold / italic, etc. within a table cell are now recognized and will no longer impact table structure recognition.
an additional parameter columns allows for manual column specification. This is usefull when embedding this function in graphical applications - see wxTableExtract.py in PyMuPDF's repository at GitHub.
Hi, I get this error : Exception Traceback (most recent call last) C:\SparkCourse\pdfbox.py in <module>() 155 doc = fitz.open("C:///adobe3.pdf") # take Adobe's manual as an example 156 pno = 1 # big table is on page 62 --> 157 page = doc.loadPage(pno) # read this page 158 159 #==============================================================================
C:\Python27\Scripts\pymupdf-1.9.2.0-py27-x64\fitz\fitz\fitz.pyc in loadPage(self, number) 174 175 --> 176 val = _fitz.Document_loadPage(self, number) 177 178 if val:
Exception: cycle in page tree Can you please advise
Hi siraj, your script obviously is not the original provided here (e.g. there is no select() statement in it). The error you are getting means you trying to load a PDF page that does not exist. Please see my comments on the GitHub issue tracker.