-
Notifications
You must be signed in to change notification settings - Fork 266
/
Copy pathprocess_fintabnet.py
1532 lines (1267 loc) · 66.1 KB
/
process_fintabnet.py
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
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
"""
Copyright (C) 2023 Microsoft Corporation
Script to edit, filter, and canonicalize FinTabNet to align it with PubTables-1M.
If you use this code in your published work, we request that you cite our papers
and table-transformer GitHub repo.
"""
import json
import os
from collections import defaultdict
import traceback
from difflib import SequenceMatcher
import re
import xml.etree.ElementTree as ET
from xml.dom import minidom
import argparse
import fitz
from fitz import Rect
from PIL import Image
import numpy as np
from tqdm import tqdm
import editdistance
# Can be used for interrupting after a specific event occurs for debugging
class DebugException(Exception):
pass
def string_similarity(string1, string2):
return SequenceMatcher(None, string1, string2).ratio()
def adjust_bbox_coordinates(data, doc):
# Change bbox coordinates to be relative to PyMuPDF page.rect coordinate space
media_box = doc[0].mediabox
mat = doc[0].transformation_matrix
for cell in data['html']['cells']:
if not 'bbox' in cell:
continue
bbox = list(Rect(cell['bbox']) * mat)
bbox = [bbox[0] + media_box[0],
bbox[1] - media_box[1],
bbox[2] + media_box[0],
bbox[3] - media_box[1]]
cell['bbox'] = bbox
def create_document_page_image(doc, page_num, zoom=None, output_image_max_dim=1000):
page = doc[page_num]
if zoom is None:
zoom = output_image_max_dim / max(page.rect)
mat = fitz.Matrix(zoom, zoom)
pix = page.get_pixmap(matrix = mat, alpha = False)
img = Image.frombytes("RGB", [pix.width, pix.height], pix.samples)
return img
def parse_html_table(table_html):
try:
tree = ET.fromstring(table_html)
except Exception as e:
print(e)
return None
table_cells = []
occupied_columns_by_row = defaultdict(set)
current_row = -1
# Get all td tags
stack = []
stack.append((tree, False))
while len(stack) > 0:
current, in_header = stack.pop()
if current.tag == 'tr':
current_row += 1
if current.tag == 'td' or current.tag =='th':
if "colspan" in current.attrib:
colspan = int(current.attrib["colspan"])
else:
colspan = 1
if "rowspan" in current.attrib:
rowspan = int(current.attrib["rowspan"])
else:
rowspan = 1
row_nums = list(range(current_row, current_row + rowspan))
try:
max_occupied_column = max(occupied_columns_by_row[current_row])
current_column = min(set(range(max_occupied_column+2)).difference(occupied_columns_by_row[current_row]))
except:
current_column = 0
column_nums = list(range(current_column, current_column + colspan))
for row_num in row_nums:
occupied_columns_by_row[row_num].update(column_nums)
cell_dict = dict()
cell_dict['row_nums'] = row_nums
cell_dict['column_nums'] = column_nums
cell_dict['is_column_header'] = current.tag == 'th' or in_header
table_cells.append(cell_dict)
children = list(current)
for child in children[::-1]:
stack.append((child, in_header or current.tag == 'th' or current.tag == 'thead'))
return table_cells
def create_table_dict(annotation_data):
table_dict = {}
table_dict['reject'] = []
table_dict['fix'] = []
html = ''.join(annotation_data['html']['structure']['tokens'])
cells = parse_html_table(html)
pdf_cells = annotation_data['html']['cells']
# Make sure there are the same number of annotated HTML and PDF cells
if not len(cells) == len(pdf_cells):
table_dict['reject'].append("annotation mismatch")
for cell, pdf_cell in zip(cells, pdf_cells):
cell['json_text_content'] = ''.join(pdf_cell['tokens']).strip()
if 'bbox' in pdf_cell:
cell['pdf_text_tight_bbox'] = pdf_cell['bbox']
else:
cell['pdf_text_tight_bbox'] = []
# Make sure no grid locations are duplicated
grid_cell_locations = []
for cell in cells:
for row_num in cell['row_nums']:
for column_num in cell['column_nums']:
grid_cell_locations.append((row_num, column_num))
if not len(grid_cell_locations) == len(set(grid_cell_locations)):
table_dict['reject'].append("HTML overlapping grid cells")
grid_cell_locations = set(grid_cell_locations)
num_rows = max([max(cell['row_nums']) for cell in cells]) + 1
num_columns = max([max(cell['column_nums']) for cell in cells]) + 1
expected_num_cells = num_rows * num_columns
actual_num_cells = len(grid_cell_locations)
# Make sure all grid locations are present
if not expected_num_cells == actual_num_cells:
table_dict['reject'].append("HTML missing grid cells")
table_dict['cells'] = cells
table_dict['rows'] = {row_num: {'is_column_header': False} for row_num in range(num_rows)}
table_dict['columns'] = {column_num: {} for column_num in range(num_columns)}
return table_dict
def complete_table_grid(table_dict):
rects_by_row = defaultdict(lambda: [None, None, None, None])
rects_by_column = defaultdict(lambda: [None, None, None, None])
table_rect = Rect()
# Determine bounding box for rows and columns
for cell in table_dict['cells']:
if not 'pdf_text_tight_bbox' in cell or len(cell['pdf_text_tight_bbox']) == 0:
continue
bbox = cell['pdf_text_tight_bbox']
table_rect.include_rect(list(bbox))
min_row = min(cell['row_nums'])
if rects_by_row[min_row][1] is None:
rects_by_row[min_row][1] = bbox[1]
else:
rects_by_row[min_row][1] = min(rects_by_row[min_row][1], bbox[1])
max_row = max(cell['row_nums'])
if rects_by_row[max_row][3] is None:
rects_by_row[max_row][3] = bbox[3]
else:
rects_by_row[max_row][3] = max(rects_by_row[max_row][3], bbox[3])
min_column = min(cell['column_nums'])
if rects_by_column[min_column][0] is None:
rects_by_column[min_column][0] = bbox[0]
else:
rects_by_column[min_column][0] = min(rects_by_column[min_column][0], bbox[0])
max_column = max(cell['column_nums'])
if rects_by_column[max_column][2] is None:
rects_by_column[max_column][2] = bbox[2]
else:
rects_by_column[max_column][2] = max(rects_by_column[max_column][2], bbox[2])
table_bbox = list(table_rect)
table_dict['pdf_table_bbox'] = table_bbox
for row_num, row_rect in rects_by_row.items():
row_rect[0] = table_bbox[0]
row_rect[2] = table_bbox[2]
for col_num, col_rect in rects_by_column.items():
col_rect[1] = table_bbox[1]
col_rect[3] = table_bbox[3]
for k, row in table_dict['rows'].items():
v = rects_by_row[k]
table_dict['rows'][k]['pdf_row_bbox'] = list(v)
for k, column in table_dict['columns'].items():
v = rects_by_column[k]
table_dict['columns'][k]['pdf_column_bbox'] = list(v)
for k, row in table_dict['rows'].items():
for elem in row['pdf_row_bbox']:
if elem is None:
table_dict['reject'].append("undetermined row boundary")
for k, column in table_dict['columns'].items():
for elem in column['pdf_column_bbox']:
if elem is None:
table_dict['reject'].append("undetermined column boundary")
# Intersect each row and column to determine grid cell bounding boxes
for cell in table_dict['cells']:
rows_rect = Rect()
cols_rect = Rect()
for row_num in cell['row_nums']:
rows_rect.include_rect(table_dict['rows'][row_num]['pdf_row_bbox'])
for col_num in cell['column_nums']:
cols_rect.include_rect(table_dict['columns'][col_num]['pdf_column_bbox'])
pdf_bbox = rows_rect.intersect(cols_rect)
cell['pdf_bbox'] = list(pdf_bbox)
def identify_projected_row_headers(table_dict):
num_cols = len(table_dict['columns'])
cells_with_text_count_by_row = defaultdict(int)
all_cells_in_row_only_in_one_row_by_row = defaultdict(lambda: True)
has_first_column_cell_with_text_by_row = defaultdict(bool)
for cell in table_dict['cells']:
if len(cell['json_text_content']) > 0:
for row_num in cell['row_nums']:
cells_with_text_count_by_row[row_num] += 1
if 0 in cell['column_nums']:
has_first_column_cell_with_text_by_row[row_num] = True
one_row_only = len(cell['row_nums']) == 1
for row_num in cell['row_nums']:
all_cells_in_row_only_in_one_row_by_row[row_num] = all_cells_in_row_only_in_one_row_by_row[row_num] and one_row_only
projected_row_header_rows = set()
for row_num, row in table_dict['rows'].items():
if (not row['is_column_header'] and cells_with_text_count_by_row[row_num] == 1
and all_cells_in_row_only_in_one_row_by_row[row_num]
and has_first_column_cell_with_text_by_row[row_num]):
projected_row_header_rows.add(row_num)
return projected_row_header_rows
def annotate_projected_row_headers(table_dict):
num_cols = len(table_dict['columns'])
projected_row_header_rows = identify_projected_row_headers(table_dict)
cells_to_remove = []
for cell in table_dict['cells']:
if len(set(cell['row_nums']).intersection(projected_row_header_rows)) > 0:
if len(cell['json_text_content']) > 0:
cell['column_nums'] = list(range(num_cols))
cell['is_projected_row_header'] = True
else:
cells_to_remove.append(cell) # Consolidate blank cells after the first cell into the projected row header
else:
cell['is_projected_row_header'] = False
for cell in cells_to_remove:
table_dict['fix'].append('merged projected row header')
table_dict['cells'].remove(cell)
for row_num, row in table_dict['rows'].items():
if row_num in projected_row_header_rows:
row['is_projected_row_header'] = True
else:
row['is_projected_row_header'] = False
# Delete projected row headers in last rows
num_rows = len(table_dict['rows'])
row_nums_to_delete = []
for row_num in range(num_rows-1, -1, -1):
if table_dict['rows'][row_num]['is_projected_row_header']:
row_nums_to_delete.append(row_num)
else:
break
if len(row_nums_to_delete) > 0:
for row_num in row_nums_to_delete:
del table_dict['rows'][row_num]
table_dict['fix'].append('removed projected row header at bottom of table')
for cell in table_dict['cells'][:]:
if row_num in cell['row_nums']:
table_dict['cells'].remove(cell)
def merge_group(table_dict, group):
cells_to_delete = []
if len(group) == 1:
return table_dict
group = sorted(group, key=lambda k: min(k['row_nums']))
cell = group[0]
try:
cell_text_rect = Rect(cell['pdf_text_tight_bbox'])
except:
cell_text_rect = Rect()
for cell2 in group[1:]:
cell['row_nums'] = list(set(sorted(cell['row_nums'] + cell2['row_nums'])))
cell['column_nums'] = list(set(sorted(cell['column_nums'] + cell2['column_nums'])))
cell['json_text_content'] = (cell['json_text_content'].strip() + " " + cell2['json_text_content'].strip()).strip()
try:
cell2_text_rect = Rect(cell2['pdf_text_tight_bbox'])
except:
cell2_text_rect = Rect()
cell_text_rect = cell_text_rect.include_rect(list(cell2_text_rect))
if cell_text_rect.get_area() == 0:
cell['pdf_text_tight_bbox'] = []
else:
cell['pdf_text_tight_bbox'] = list(cell_text_rect)
cell['is_projected_row_header'] = False
cells_to_delete.append(cell2)
try:
for cell in cells_to_delete:
table_dict['cells'].remove(cell)
table_dict['fix'].append('merged oversegmented spanning cell')
except:
table_dict['reject'].append("ambiguous spanning cell")
def remove_empty_rows(table_dict):
num_rows = len(table_dict['rows'])
num_columns = len(table_dict['columns'])
has_content_by_row = defaultdict(bool)
for cell in table_dict['cells']:
has_content = len(cell['json_text_content'].strip()) > 0
for row_num in cell['row_nums']:
has_content_by_row[row_num] = has_content_by_row[row_num] or has_content
row_num_corrections = np.cumsum([int(not has_content_by_row[row_num]) for row_num in range(num_rows)]).tolist()
# Delete cells in empty rows and renumber other cells
cells_to_delete = []
for cell in table_dict['cells']:
new_row_nums = []
for row_num in cell['row_nums']:
if has_content_by_row[row_num]:
new_row_nums.append(row_num - row_num_corrections[row_num])
cell['row_nums'] = new_row_nums
if len(new_row_nums) == 0:
cells_to_delete.append(cell)
for cell in cells_to_delete:
table_dict['fix'].append('removed empty row')
table_dict['cells'].remove(cell)
rows = {}
for row_num, has_content in has_content_by_row.items():
if has_content:
new_row_num = row_num - row_num_corrections[row_num]
rows[new_row_num] = table_dict['rows'][row_num]
table_dict['rows'] = rows
def merge_rows(table_dict):
num_rows = len(table_dict['rows'])
num_columns = len(table_dict['columns'])
co_occurrence_matrix = np.zeros((num_rows, num_rows))
for cell in table_dict['cells']:
for row_num1 in cell['row_nums']:
for row_num2 in cell['row_nums']:
if row_num1 >= row_num2:
continue
co_occurrence_matrix[row_num1, row_num2] += len(cell['column_nums'])
new_row_num = 0
current_row_group = 0
keep_row = [True]
row_grouping = [current_row_group]
for row_num in range(num_rows-1):
if not co_occurrence_matrix[row_num, row_num+1] == num_columns:
keep_row.append(True)
new_row_num += 1
else:
table_dict['fix'].append('merged rows spanned together in every column')
keep_row.append(False)
row_grouping.append(new_row_num)
for cell in table_dict['cells']:
cell['row_nums'] = [row_grouping[row_num] for row_num in cell['row_nums'] if keep_row[row_num]]
table_dict['rows'] = {row_grouping[row_num]: table_dict['rows'][row_num] for row_num in range(num_rows) if keep_row[row_num]}
def remove_empty_columns(table_dict):
num_rows = len(table_dict['rows'])
num_columns = len(table_dict['columns'])
has_content_by_column = defaultdict(bool)
for cell in table_dict['cells']:
has_content = len(cell['json_text_content'].strip()) > 0
for column_num in cell['column_nums']:
has_content_by_column[column_num] = has_content_by_column[column_num] or has_content
column_num_corrections = np.cumsum([int(not has_content_by_column[column_num]) for column_num in range(num_columns)]).tolist()
# Delete cells in empty columns and renumber other cells
cells_to_delete = []
for cell in table_dict['cells']:
new_column_nums = []
for column_num in cell['column_nums']:
if has_content_by_column[column_num]:
new_column_nums.append(column_num - column_num_corrections[column_num])
cell['column_nums'] = new_column_nums
if len(new_column_nums) == 0:
cells_to_delete.append(cell)
for cell in cells_to_delete:
table_dict['fix'].append('removed empty column')
table_dict['cells'].remove(cell)
columns = {}
for column_num, has_content in has_content_by_column.items():
if has_content:
new_column_num = column_num - column_num_corrections[column_num]
columns[new_column_num] = table_dict['columns'][column_num]
table_dict['columns'] = columns
def merge_columns(table_dict):
num_rows = len(table_dict['rows'])
num_columns = len(table_dict['columns'])
co_occurrence_matrix = np.zeros((num_columns, num_columns))
for cell in table_dict['cells']:
for column_num1 in cell['column_nums']:
for column_num2 in cell['column_nums']:
if column_num1 >= column_num2:
continue
co_occurrence_matrix[column_num1, column_num2] += len(cell['row_nums'])
new_column_num = 0
current_column_group = 0
keep_column = [True]
column_grouping = [current_column_group]
for column_num in range(num_columns-1):
if not co_occurrence_matrix[column_num, column_num+1] == num_rows:
keep_column.append(True)
new_column_num += 1
else:
table_dict['fix'].append('merged columns spanned together in every row')
keep_column.append(False)
column_grouping.append(new_column_num)
for cell in table_dict['cells']:
cell['column_nums'] = [column_grouping[column_num] for column_num in cell['column_nums'] if keep_column[column_num]]
table_dict['columns'] = {column_grouping[column_num]: table_dict['columns'][column_num] for column_num in range(num_columns) if keep_column[column_num]}
# Look for tables with blank cells to merge in the first column
def merge_spanning_cells_in_first_column(table_dict):
numeric_count_by_column = defaultdict(int)
alpha_count_by_column = defaultdict(int)
for cell in table_dict['cells']:
if cell['is_column_header'] or cell['is_projected_row_header']:
continue
numeric_count = sum([1 for ch in cell['json_text_content'] if ch.isnumeric()])
alpha_count = sum([1 for ch in cell['json_text_content'] if ch.isalpha()])
for column_num in cell['column_nums']:
numeric_count_by_column[column_num] += numeric_count
alpha_count_by_column[column_num] += alpha_count
if not alpha_count_by_column[1] > numeric_count_by_column[1]:
return
first_column_cells = [cell for cell in table_dict['cells'] if 0 in cell['column_nums']]
first_column_cells = sorted(first_column_cells, key=lambda item: max(item['row_nums']))
current_filled_cell = None
groups = defaultdict(list)
group_num = -1
for cell in first_column_cells:
if len(cell['json_text_content']) > 0:
group_num += 1
if group_num >= 0:
groups[group_num].append(cell)
for group_num, group in groups.items():
if len(group) > 1 and not group[0]['is_projected_row_header'] and not group[0]['is_column_header']:
merge_group(table_dict, group)
def correct_header(table_dict, assume_header_if_more_than_two_columns=True):
num_columns = len(table_dict['columns'])
num_rows = len(table_dict['rows'])
if num_columns < 2 or num_rows < 1:
table_dict['reject'].append("small table")
#---DETERMINE FULL EXTENT OF COLUMN HEADER
# - Each of the below steps determines different rows that must be in the column header.
# - The final column header includes all rows that are originally annotated as being in the column
# header plus any additional rows determined to be in the column header by the following steps.
table_has_column_header = False
# First determine if there is definitely a column header. Cases:
# 1. We specify that we want to assume there is one for all tables with more than two columns:
if assume_header_if_more_than_two_columns and num_columns > 2:
table_has_column_header = True
# 2. An annotator says there is
if not table_has_column_header:
header_rows = [row_num for row_num, row in table_dict['rows'].items() if row['is_column_header']]
if 0 in header_rows:
table_has_column_header = True
# 3. The cell occupying the first row and column is blank
if not table_has_column_header:
for cell in table_dict['cells']:
if 0 in cell['column_nums'] and 0 in cell['row_nums'] and len(cell['json_text_content'].strip()) == 0:
table_has_column_header = True
break
# 4. There is a horizontal spanning cell in the first row
if not table_has_column_header:
for cell in table_dict['cells']:
if 0 in cell['row_nums'] and len(cell['column_nums']) > 1:
table_has_column_header = True
break
# 5. Particular words or phrases appear in the first row
if not table_has_column_header:
for cell in table_dict['cells']:
if 0 in cell['row_nums'] and 0 in cell['column_nums'] and 'Number' in cell['json_text_content']:
table_dict['fix'].append("two column header: Number")
table_has_column_header = True
break
if 0 in cell['row_nums'] and 1 in cell['column_nums'] and 'Page' in cell['json_text_content']:
table_dict['fix'].append("two column header: Page")
table_has_column_header = True
break
if 0 in cell['row_nums'] and 'in thousands' in cell['json_text_content'].lower():
table_dict['fix'].append("two column header: in thousands")
table_has_column_header = True
break
if 0 in cell['row_nums'] and 'in millions' in cell['json_text_content'].lower():
table_dict['fix'].append("two column header: in millions")
table_has_column_header = True
break
if 0 in cell['row_nums'] and 'Measurement' in cell['json_text_content']:
table_dict['fix'].append("two column header: Measurement")
table_has_column_header = True
break
if 0 in cell['row_nums'] and 'Period' in cell['json_text_content']:
table_dict['fix'].append("two column header: Period")
table_has_column_header = True
break
# Then determine if the column header needs to be extended past its current annotated extent.
# 1. A header that already is annotated in at least one row continues at least until each column
# has a cell occupying only that column
# 2. A header with a column with a blank cell must continue at least as long as the blank cells continue
# (unless rule #1 is satisfied and a possible projected row header is reached?)
if table_has_column_header:
first_column_filled_by_row = defaultdict(bool)
for cell in table_dict['cells']:
if 0 in cell['column_nums']:
if len(cell['json_text_content']) > 0:
for row_num in cell['row_nums']:
first_column_filled_by_row[row_num] = True
first_single_node_row_by_column = defaultdict(lambda: len(table_dict['rows'])-1)
for cell in table_dict['cells']:
if len(cell['column_nums']) == 1:
first_single_node_row_by_column[cell['column_nums'][0]] = min(first_single_node_row_by_column[cell['column_nums'][0]],
max(cell['row_nums']))
first_filled_single_node_row_by_column = defaultdict(lambda: len(table_dict['rows'])-1)
for cell in table_dict['cells']:
if len(cell['column_nums']) == 1 and len(cell['json_text_content'].strip()) > 0:
first_filled_single_node_row_by_column[cell['column_nums'][0]] = min(first_filled_single_node_row_by_column[cell['column_nums'][0]],
max(cell['row_nums']))
first_filled_cell_by_column = defaultdict(lambda: len(table_dict['rows'])-1)
for cell in table_dict['cells']:
if len(cell['json_text_content']) > 0:
min_row_num = min(cell['row_nums'])
for column_num in cell['column_nums']:
first_filled_cell_by_column[column_num] = min(first_filled_cell_by_column[column_num],
min_row_num)
projected_row_header_rows = identify_projected_row_headers(table_dict)
if 0 in projected_row_header_rows:
table_dict['reject'].append("bad projected row header")
# Header must continue until at least this row
minimum_grid_cell_single_node_row = max(first_single_node_row_by_column.values())
# Header can stop prior to the first of these rows that occurs after the above row
minimum_first_body_row = min(num_rows-1, max(first_filled_cell_by_column.values()))
# Determine the max row for which a column N has been single and filled but column N+1 has not
minimum_all_following_filled = -1
for row_num in range(num_rows):
for column_num1 in range(num_columns-1):
for column_num2 in range(column_num1+1, num_columns):
if (first_filled_single_node_row_by_column[column_num2] > row_num
and first_filled_single_node_row_by_column[column_num1] < first_filled_single_node_row_by_column[column_num2]):
minimum_all_following_filled = row_num + 1
if len(projected_row_header_rows) > 0:
minimum_projected_row_header_row = min(projected_row_header_rows)
else:
minimum_projected_row_header_row = num_rows
first_possible_last_header_row = minimum_first_body_row - 1
last_header_row = max(minimum_all_following_filled,
minimum_grid_cell_single_node_row,
first_possible_last_header_row)
x = last_header_row
while(last_header_row < num_rows and not first_column_filled_by_row[last_header_row+1]):
last_header_row += 1
if minimum_projected_row_header_row <= last_header_row:
last_header_row = minimum_projected_row_header_row - 1
for cell in table_dict['cells']:
if max(cell['row_nums']) <= last_header_row:
cell['is_column_header'] = True
for row_num, row in table_dict['rows'].items():
if row_num <= last_header_row:
row['is_column_header'] = True
if not table_has_column_header and num_columns == 2:
keep_table = False
for cell in table_dict['cells']:
if 0 in cell['row_nums'] and len(cell['json_text_content']) > 60:
keep_table = True
table_dict['fix'].append("two column no header: long text")
break
if 0 in cell['row_nums'] and 1 in cell['column_nums'] and re.match('^[0-9,%\.\$ -]+$', cell['json_text_content']):
keep_table = True
table_dict['fix'].append("two column no header: numeric")
break
if not keep_table:
table_dict['reject'].append("ambiguous header")
def canonicalize(table_dict):
# Preprocessing step: Split every blank spanning cell in the column header into blank grid cells.
cells_to_delete = []
try:
for cell in table_dict['cells']:
if (cell['is_column_header'] and len(cell['json_text_content'].strip()) == 0
and (len(cell['column_nums']) > 1 or len(cell['row_nums']) > 1)):
cells_to_delete.append(cell)
# Split this blank spanning cell into blank grid cells
for column_num in cell['column_nums']:
for row_num in cell['row_nums']:
new_cell = {'json_text_content': '',
'column_nums': [column_num],
'row_nums': [row_num],
'is_column_header': cell['is_column_header'],
'pdf_text_tight_bbox': [],
'is_projected_row_header': False}
table_dict['cells'].append(new_cell)
except:
print(traceback.format_exc())
for cell in cells_to_delete:
table_dict['cells'].remove(cell)
# Index cells by row-column position
cell_grid_index = {}
for cell in table_dict['cells']:
for column_num in cell['column_nums']:
for row_num in cell['row_nums']:
cell_grid_index[(row_num, column_num)] = cell
# Go bottom up, try to extend non-blank cells up to absorb blank cells
header_groups = []
for cell in table_dict['cells']:
if not cell['is_column_header'] or len(cell['json_text_content']) == 0:
continue
header_group = [cell]
next_row_num = min(cell['row_nums']) - 1
for row_num in range(next_row_num, -1, -1):
all_are_blank = True
for column_num in cell['column_nums']:
cell2 = cell_grid_index[(row_num, column_num)]
all_are_blank = all_are_blank and len(cell2['json_text_content']) == 0
if all_are_blank:
for column_num in cell['column_nums']:
header_group.append(cell_grid_index[(row_num, column_num)])
else:
break # Stop looking; must be contiguous
if len(header_group) > 1:
header_groups.append(header_group)
for group in header_groups:
merge_group(table_dict, group)
# Index cells by row-column position
cell_grid_index = {}
for cell in table_dict['cells']:
for column_num in cell['column_nums']:
for row_num in cell['row_nums']:
cell_grid_index[(row_num, column_num)] = cell
num_rows = len(table_dict['rows'])
# Go top down, try to extend non-blank cells down to absorb blank cells
header_groups = []
for cell in table_dict['cells']:
if not cell['is_column_header'] or len(cell['json_text_content']) == 0:
continue
header_group = [cell]
next_row_num = max(cell['row_nums']) + 1
for row_num in range(next_row_num, num_rows):
if not table_dict['rows'][row_num]['is_column_header']:
break
all_are_blank = True
for column_num in cell['column_nums']:
cell2 = cell_grid_index[(row_num, column_num)]
all_are_blank = all_are_blank and len(cell2['json_text_content']) == 0
if all_are_blank:
for column_num in cell['column_nums']:
header_group.append(cell_grid_index[(row_num, column_num)])
else:
break # Stop looking; must be contiguous
if len(header_group) > 1:
header_groups.append(header_group)
for group in header_groups:
merge_group(table_dict, group)
# Index cells by row-column position
cell_grid_index = {}
for cell in table_dict['cells']:
for column_num in cell['column_nums']:
for row_num in cell['row_nums']:
cell_grid_index[(row_num, column_num)] = cell
# Go top down, merge any neighboring cells occupying the same columns, whether they are blank or not
header_groups_by_row_column = defaultdict(list)
header_groups = []
do_full_break = False
for row_num in table_dict['rows']:
for column_num in table_dict['columns']:
cell = cell_grid_index[(row_num, column_num)]
if not cell['is_column_header']:
do_full_break = True
break
if len(header_groups_by_row_column[(row_num, column_num)]) > 0:
continue
if not row_num == min(cell['row_nums']) and column_num == min(cell['column_nums']):
continue
# Start new header group
header_group = [cell]
next_row_num = max(cell['row_nums']) + 1
while next_row_num < num_rows:
cell2 = cell_grid_index[(next_row_num, column_num)]
if cell2['is_column_header'] and set(cell['column_nums']) == set(cell2['column_nums']):
header_group.append(cell2)
for row_num2 in cell2['row_nums']:
for column_num2 in cell2['column_nums']:
header_groups_by_row_column[(row_num2, column_num2)] = header_group
else:
break
next_row_num = max(cell2['row_nums']) + 1
for row_num2 in cell['row_nums']:
for column_num2 in cell['column_nums']:
header_groups_by_row_column[(row_num2, column_num2)] = header_group
if len(header_group) > 1:
header_groups.append(header_group)
if do_full_break:
break
for group in header_groups:
merge_group(table_dict, group)
# Merge spanning cells in the row header
merge_spanning_cells_in_first_column(table_dict)
def is_all_dots(text):
if len(text) > 0 and len(text.replace('.','')) == 0:
return True
return False
def extract_pdf_text(table_dict, page_words, threshold=0.5):
adjusted_text_tight_bbox = False
for cell in table_dict['cells']:
pdf_text_tight_bbox = cell['pdf_text_tight_bbox']
pdf_bbox = cell['pdf_bbox']
cell_page_words = [w for w in page_words if Rect(w[:4]).intersect(list(pdf_bbox)).get_area() / Rect(w[:4]).get_area() > threshold]
cell_words = [w[4] for w in cell_page_words]
cell_text = ''.join(cell_words)
# Remove trailing dots from cell_page_words
# Some of the original annotations include dots in the pdf_text_tight_bbox when they shouldn't
# This code ensures that those are fixed, plus that dots are not added by extracting text from the
# entire grid cell
if len(cell_text) > 2 and cell_text[-1] == '.' and cell_text[-2] == '.':
for page_word in cell_page_words[::-1]:
if is_all_dots(page_word[4]):
table_dict['fix'].append('removed dots from text cell')
cell_page_words.remove(page_word)
else:
break
cell_words_rect = Rect()
for w in cell_page_words:
cell_words_rect.include_rect(w[:4])
cell_words = [w[4] for w in cell_page_words]
cell_text = ' '.join(cell_words)
cell_text = cell_text.replace(' .', '.').replace(' ,', ',')
if cell_text.endswith('..'):
table_dict['reject'].append("dots retained")
cell['pdf_text_content'] = cell_text
if cell_words_rect.get_area() > 0:
new_pdf_text_tight_bbox = list(cell_words_rect)
if not pdf_text_tight_bbox == new_pdf_text_tight_bbox:
adjusted_text_tight_bbox = True
cell['pdf_text_tight_bbox'] = new_pdf_text_tight_bbox
return adjusted_text_tight_bbox
def overlap(bbox1, bbox2):
try:
return Rect(bbox1).intersect(list(bbox2)).get_area() / Rect(bbox1).get_area()
except:
return 1
def table_text_edit_distance(cells):
if len(cells) == 0:
return 0
D = 0
for cell in cells:
# Remove spaces and trailing periods
xml_text = ''.join(cell['json_text_content'].split()).strip('.')
pdf_text = ''.join(cell['pdf_text_content'].split()).strip('.')
L = max(len(xml_text), len(pdf_text))
if L > 0:
D += editdistance.eval(xml_text, pdf_text) / L
return D / len(cells)
def quality_control1(table_dict, page_words):
word_overlaps = []
table_bbox = table_dict['pdf_table_bbox']
for w in page_words:
if w[4] == '.':
continue
if overlap(w[:4], table_bbox) < 0.5:
continue
word_overlaps.append(max([overlap(w[:4], cell['pdf_bbox']) for cell in table_dict['cells']]))
C = sum(word_overlaps) / len(word_overlaps)
if C < 0.9:
table_dict['reject'].append("poor text cell fit")
def quality_control2(table_dict, page_words):
for row_num1, row1 in table_dict['rows'].items():
for row_num2, row2, in table_dict['rows'].items():
if row_num1 == row_num2 - 1:
if row1['pdf_row_bbox'][3] > row2['pdf_row_bbox'][1] + 1:
table_dict['reject'].append("rows intersect")
for column_num1, column1 in table_dict['columns'].items():
for column_num2, column2, in table_dict['columns'].items():
if column_num1 == column_num2 - 1:
if column1['pdf_column_bbox'][2] > column2['pdf_column_bbox'][0] + 1:
table_dict['reject'].append("columns intersect")
D = table_text_edit_distance(table_dict['cells'])
if D > 0.05:
table_dict['reject'].append("text annotation quality")
def remove_html_tags_in_text(table_dict):
for cell in table_dict['cells']:
cell['json_text_content'] = cell['json_text_content'].replace("<i>", " ")
cell['json_text_content'] = cell['json_text_content'].replace("</i>", " ")
cell['json_text_content'] = cell['json_text_content'].replace("<sup>", " ")
cell['json_text_content'] = cell['json_text_content'].replace("</sup>", " ")
cell['json_text_content'] = cell['json_text_content'].replace("<sub>", " ")
cell['json_text_content'] = cell['json_text_content'].replace("</sub>", " ")
cell['json_text_content'] = cell['json_text_content'].replace(" ", " ")
cell['json_text_content'] = cell['json_text_content'].strip()
def is_good_bbox(bbox, page_bbox):
if (not bbox[0] is None and not bbox[1] is None and not bbox[2] is None and not bbox[3] is None
and bbox[0] >= 0 and bbox[1] >= 0 and bbox[2] <= page_bbox[2] and bbox[3] <= page_bbox[3]
and bbox[0] < bbox[2]-1 and bbox[1] < bbox[3]-1):
return True
return False
def create_document_page_image(doc, page_num, output_image_max_dim=1000):
page = doc[page_num]
page_width = page.rect[2]
page_height = page.rect[3]
if page_height > page_width:
zoom = output_image_max_dim / page_height
output_image_height = output_image_max_dim
output_image_width = int(round(output_image_max_dim * page_width / page_height))
else:
zoom = output_image_max_dim / page_width
output_image_width = output_image_max_dim
output_image_height = int(round(output_image_max_dim * page_height / page_width))
mat = fitz.Matrix(zoom, zoom)
pix = page.get_pixmap(matrix = mat, alpha = False)
img = Image.frombytes("RGB", [pix.width, pix.height], pix.samples)
return img
def create_pascal_voc_page_element(image_filename, output_image_width, output_image_height, database):
# Create XML of tables on PDF page in PASCAL VOC format
annotation = ET.Element("annotation")
folder = ET.SubElement(annotation, "folder").text = ""
filename = ET.SubElement(annotation, "filename").text = image_filename
path = ET.SubElement(annotation, "path").text = image_filename
source = ET.SubElement(annotation, "source")
database = ET.SubElement(source, "database").text = database
size = ET.SubElement(annotation, "size")
width = ET.SubElement(size, "width").text = str(output_image_width)
height = ET.SubElement(size, "height").text = str(output_image_height)
depth = ET.SubElement(size, "depth").text = "3"
segmented = ET.SubElement(annotation, "segmented").text = "0"
return annotation
def create_pascal_voc_object_element(class_name, bbox, page_bbox, output_image_max_dim=1000):
bbox_area = fitz.Rect(bbox).get_area()
if bbox_area == 0:
raise Exception
intersect_area = fitz.Rect(page_bbox).intersect(fitz.Rect(bbox)).get_area()
if abs(intersect_area - bbox_area) > 0.1:
print(bbox)
print(bbox_area)
print(page_bbox)
print(intersect_area)
raise Exception
object_ = ET.Element("object")
name = ET.SubElement(object_, "name").text = class_name
pose = ET.SubElement(object_, "pose").text = "Frontal"
truncated = ET.SubElement(object_, "truncated").text = "0"
difficult = ET.SubElement(object_, "difficult").text = "0"
occluded = ET.SubElement(object_, "occluded").text = "0"
bndbox = ET.SubElement(object_, "bndbox")
page_width = page_bbox[2] - page_bbox[0]
page_height = page_bbox[3] - page_bbox[1]
if page_width > page_height:
output_image_width = output_image_max_dim
output_image_height = int(output_image_max_dim * page_height / page_width)
else:
output_image_height = output_image_max_dim
output_image_width = int(output_image_max_dim * page_width / page_height)
xmin = (bbox[0] - page_bbox[0]) * output_image_width / page_width
ymin = (bbox[1] - page_bbox[1]) * output_image_height / page_height
xmax = (bbox[2] - page_bbox[0]) * output_image_width / page_width
ymax = (bbox[3] - page_bbox[1]) * output_image_height / page_height
ET.SubElement(bndbox, "xmin").text = str(xmin)
ET.SubElement(bndbox, "ymin").text = str(ymin)
ET.SubElement(bndbox, "xmax").text = str(xmax)
ET.SubElement(bndbox, "ymax").text = str(ymax)
return object_
def save_xml_pascal_voc(page_annotation, filepath):
xmlstr = minidom.parseString(ET.tostring(page_annotation)).toprettyxml(indent=" ")
with open(filepath, "w") as f:
f.write(xmlstr)