Spaces:
Runtime error
Runtime error
File size: 15,818 Bytes
6163604 | 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 | from zipfile import ZipFile
import os
from .Evaluator import *
from utils import *
import copy
import argparse
import sys
import ntpath
#import cStringIO
from io import BytesIO
import shutil
def read_file(filename, bboxes, flag):
'''
Parses the input .csv file into map where key as page number and value as a list of bounding box objects
corresponding to each math region in the file.
:param filename: .csv file containing math regions
:param bboxes: Map<page_num, List<bboxes>>
:return:
'''
fh1 = open(filename, "r")
prev_page = -1
counter = 1
for line in fh1:
line = line.replace("\n", "")
if line.replace(' ', '') == '':
continue
splitLine = line.split(",")
idClass = float(splitLine[0])
if prev_page == -1:
prev_page = idClass
else:
if idClass != prev_page:
counter = 1
prev_page = idClass
x = float(splitLine[1])
y = float(splitLine[2])
x2 = float(splitLine[3])
y2 = float(splitLine[4])
bb = BoundingBox(
flag+"_"+str(counter),
1,
x,
y,
x2,
y2,
CoordinatesType.Absolute, (200, 200),
BBType.GroundTruth,
format=BBFormat.XYX2Y2)
counter += 1
#print(counter)
if idClass not in bboxes:
bboxes[idClass] = []
bboxes[idClass].append(bb)
fh1.close()
def extract_zipfile(zip_filename, target_dir):
'''
Extract zip file into the target directory
:param zip_filename: full-file-path of the zip-file
:param target_dir: target-dir to extract contents of zip-file
:return:
'''
with ZipFile(zip_filename, 'r') as zip:
# extracting all the files
print('Extracting all the files now...')
zip.extractall(target_dir)
print('Done!')
def create_doc_bboxes_map(dir_path,flag):
'''
Reads all files recursively in directory path and and returns a map containing bboxes for each page in each math
file in directory.
:param dir_path: full directory path containing math files
:return: Map<PDF_name, Map<Page_number, List<BBoxes>>>
'''
pdf_bboxes_map = {}
for filename in os.listdir(dir_path):
full_filepath = os.path.join(dir_path, filename)
filename_key = os.path.splitext(os.path.basename(full_filepath))[0]
#print(full_filepath)
if (full_filepath.startswith(".")) or (not (full_filepath.endswith(".csv") or full_filepath.endswith(".math"))):
continue
bboxes_map = {}
if os.path.isdir(full_filepath):
continue
try:
read_file(full_filepath, bboxes_map,flag)
except Exception as e:
print('exception occurred in reading file',full_filepath, str(e))
#if len(bboxes_map)==0:
# raise ValueError("Empty ground truths file or not in valid format")
pdf_bboxes_map[filename_key] = copy.deepcopy(bboxes_map)
return pdf_bboxes_map
def unique_values(input_dict):
#return ground truth boxes that have same det boxes
pred_list=[]
repair_keys=[]
for value in input_dict.values():
if value[1] in pred_list: #preds.append(value)
gts=[k for k,v in input_dict.items() if v[1] == value[1]]
#print('pair length',len(gts))
repair_keys.append(gts)
pred_list.append(value[1])
return repair_keys
def generate_validpairs(pairs):
newpairs=[]
for pair in pairs:
if len(pair)>2:
for i in range(len(pair)-1):
newpair=(pair[i],pair[i+1])
if newpair not in newpairs:newpairs.append(newpair)
elif pair not in newpairs: newpairs.append(pair)
return newpairs
def fix_preds(input_dict,keyPairs,thre):
validPairs=generate_validpairs(keyPairs)
for pair in validPairs:
#check if both pair exists"
if pair[0] not in list(input_dict.keys()) or pair[1] not in list(input_dict.keys()):
continue
val0=input_dict[pair[0]][0]
val1=input_dict[pair[1]][0]
if val0>=val1: #change prediction for second pair
values=input_dict[pair[1]]
newprob=values[2][1]
if newprob<thre:
del input_dict[pair[1]]
continue
#update dict
input_dict[pair[1]]=newprob,values[3][1],values[2][1:],values[3][1:]
if val1>val0: #change prediction for first pair
values=input_dict[pair[0]]
newprob=values[2][1]
if newprob<thre:
del input_dict[pair[0]]
continue
#update dict
input_dict[pair[0]]=newprob,values[3][1],values[2][1:],values[3][1:]
return input_dict
def find_uni_pred(input_dict,thre):
# check if it is unique
pairs=unique_values(input_dict)
if pairs==[]:
return input_dict
while pairs:
output_dict=fix_preds(input_dict,pairs,thre)
pairs=unique_values(output_dict)
return output_dict
def count_true_box(pred_dict,thre):
#remove predictions below thre from dict
for key in list(pred_dict.keys()):
max_prob=pred_dict[key][0]
if max_prob<thre:
del pred_dict[key]
#check for 101 mapping
final_dict=find_uni_pred(pred_dict,thre)
count=len(final_dict.keys())
return count,final_dict
def IoU_page_bboxes(gt_page_bboxes_map, det_page_bboxes_map, pdf_name, outdir=None):
'''
Takes two maps containing page level bounding boxes for ground truth and detections for same PDF filename and
computes IoU for each BBox in a page in GT against all BBoxes in the same page in detections and returns them in
decreasing value of IoU. In this way it computes IoU for all pages in map.
:param gt_page_bboxes_map: Map<pageNum, List<bboxes>> for ground truth bboxes
:param det_page_bboxes_map: Map<pageNum, List<bboxes>> for detection bboxes
:return:
'''
evaluator = Evaluator()
correct_pred_coarse=0
correct_pred_fine=0
pdf_gt_boxes=0
pdf_det_boxes=0
coarse_keys = {}
fine_keys = {}
for page_num in gt_page_bboxes_map:
if page_num not in det_page_bboxes_map:
print('Detections not found for page', str(page_num + 1), ' in', pdf_name)
continue
gt_boxes = gt_page_bboxes_map[page_num]
det_boxes = det_page_bboxes_map[page_num]
pdf_gt_boxes+=len(gt_boxes)
pdf_det_boxes+=len(det_boxes)
pred_dict={}
for gt_box in gt_boxes:
ious = evaluator._getAllIOUs(gt_box, det_boxes)
preds=[]
labels=[]
for i in range(len(ious)):
preds.append(round(ious[i][0],2))
labels.append(ious[i][2].getImageName())
pred_dict[gt_box.getImageName()]=preds[0],labels[0],preds,labels
coarse,coarse_dict=count_true_box(copy.deepcopy(pred_dict),0.5)
fine,fine_dict=count_true_box(copy.deepcopy(pred_dict),0.75)
coarse_keys[page_num] = coarse_dict.keys()
fine_keys[page_num] = fine_dict.keys()
#count correct preds for coarse 0.5 and fine 0.75 in one page
correct_pred_coarse= correct_pred_coarse+coarse
correct_pred_fine= correct_pred_fine+fine
#write iou per page
if outdir:
out_file = open(os.path.join(outdir,pdf_name.split(".csv")[0]+"_"+str(page_num)+"_eval.txt"), "w")
out_file.write('#page num '+str(page_num)+", gt_box:"+str(len(gt_boxes))+
", pred_box:"+str(len(det_boxes))+"\n")
out_file.write('\n')
out_file.write('#COARSE DETECTION (iou>0.5):\n#number of correct prediction:'+ str(coarse)+ '\n#correctly detected:'+
str(list(coarse_dict.keys()))+'\n')
out_file.write('\n')
out_file.write('#FINE DETECTION (iou>0.75):\n#number of correct prediction:'+ str(fine)+ '\n#correctly detected:'+
str(list(fine_dict.keys()))+'\n')
out_file.write('\n')
out_file.write('#Sorted IOU scores for each GT box:\n')
for gt_box in gt_boxes:
ious = evaluator._getAllIOUs(gt_box, det_boxes)
out_file.write(gt_box.getImageName()+",")
for i in range(len(ious)-1):
out_file.write("("+str(round(ious[i][0],2))+" "+ str(ious[i][2].getImageName())+"),")
out_file.write( "("+str(round(ious[-1][0],2))+" "+ str(ious[-1][2].getImageName())+")\n" )
out_file.close()
return correct_pred_coarse, correct_pred_fine, pdf_gt_boxes, pdf_det_boxes, coarse_keys, fine_keys
def count_box(input_dict):
count=0
for pdf in input_dict.values():
for page in pdf.values():
count+=len(page)
return count
# Zip every uploading files
def archive_iou_txt(username, task_id, sub_id,userpath):
inputdir=os.path.join(userpath,'iouEval_stats')
if not os.path.exists(inputdir):
print('No txt file is generated for IOU evaluation')
pass
dest_uploader = 'IOU_stats_archive'
dest_uploader = os.path.join(userpath, dest_uploader)
if not os.path.exists(dest_uploader):
os.makedirs(dest_uploader)
zip_file_name = '/' + task_id + '_' + sub_id
shutil.make_archive(dest_uploader + zip_file_name, 'zip', inputdir)
# return '/media/' + dest_uploader
def write_html(gtFile,resultsFile,info,scores,destFile):
destFile.write('<html>')
destFile.write('<head><link rel="stylesheet" href="//maxcdn.bootstrapcdn.com/font-awesome/4.3.0/css/font-awesome.min.css"><link href="/static/css/bootstrap.min.css" rel="stylesheet"></head>')
destFile.write('<body>')
#writeCSS(destFile)
destFile.write ("<blockquote><b>CROHME 2019</b> <h1> Formula Detection Results ( TASK 3 )</h1><hr>")
destFile.write("<b>Submitted Files</b><ul><li><b>Output:</b> "+ ntpath.basename(resultsFile) +"</li>")
destFile.write ("<li><b>Ground-truth:</b> " + ntpath.basename(gtFile) + "</li></ul>")
if info['allGTbox'] == 0:
sys.stderr.write("Error : no sample in this GT list !\n")
exit(-1)
#all detection and gt boxes
destFile.write ("<p><b> Number of ground truth bounding boxes: </b>" + str(info['allGTbox']) + "<br /><b> Number of detected bounding boxes: </b>" + str(info['allDet']))
destFile.write ("<hr>")
#coarse results
destFile.write ("<p><b> **** Coarse Detection Results (IOU>0.5) ****</b><br />")
destFile.write ("<ul><li><b>"+str(scores['coarse_f']) + "</b> F-score</li>")
destFile.write ("<li>"+str(scores['coarse_pre']) + " Precision</li>")
destFile.write ("<li>"+str(scores['coarse_rec']) + " Recall</li></ul>")
destFile.write ("<b>" + str(info['correctDet_c']) + "</b> Number of correctly detected bounding boxes</p>")
destFile.write ("<hr>")
#fine results
destFile.write ("<p><b> **** Fine Detection Results (IOU>0.75) ****</b><br />")
destFile.write ("<ul><li><b>"+str(scores['fine_f']) + "</b> F-score</li>")
destFile.write ("<li>"+str(scores['fine_pre']) + " Precision</li>")
destFile.write ("<li>"+str(scores['fine_rec']) + " Recall</li></ul>")
destFile.write ("<b>" + str(info['correctDet_f']) + "</b> Number of correctly detected bounding boxes</p>")
destFile.write ("<hr>")
destFile.write('</body>')
destFile.write('</html>')
def pre_rec_calculate(count):
if count['allDet']==0:
print ('No detection boxes found')
scores={'fine_f':0,'coarse_f':0}
else:
pre_f=count['correctDet_f']/float(count['allDet'])
recall_f=count['correctDet_f']/float(count['allGTbox'])
if pre_f==0 and recall_f ==0:
f_f=0
else:
f_f=2*(pre_f*recall_f)/float(pre_f+recall_f)
pre_c=count['correctDet_c']/float(count['allDet'])
recall_c=count['correctDet_c']/float(count['allGTbox'])
if pre_c==0 and recall_c==0:
f_c=0
else:
f_c=2*(pre_c*recall_c)/float(pre_c+recall_c)
print('')
print('**** coarse result : threshold: 0.5 *****')
print(' f =',f_c,' precision =',pre_c,' recall =',recall_c)
print('')
print('**** fine result : threshold: 0.75 *****')
print(' f =',f_f,' precision =',pre_f,' recall =',recall_f)
scores={'fine_f':round(f_f,4),'fine_pre':round(pre_f,4),'fine_rec':round(recall_f,4),
'coarse_f':round(f_c,4),'coarse_pre':round(pre_c,4),'coarse_rec':round(recall_c,4)}
return scores
def IOUeval(ground_truth, detections, outdir=None): #,
keys=['allGTbox','correctDet_c','correctDet_f','allDet']
info=dict.fromkeys(keys,0)
gt_file_name = ground_truth
det_file_name = detections
#TODO : Mahshad change it to user directory
if outdir:
#outdir='IOU_eval_stats'
if os.path.exists(outdir):
shutil.rmtree(outdir)
os.makedirs(outdir)
gt_pdfs_bboxes_map = create_doc_bboxes_map(gt_file_name,'gt')
det_pdfs_bboxes_map = create_doc_bboxes_map(det_file_name,'det')
#count boxes
all_gtbox=count_box(gt_pdfs_bboxes_map)
all_detbox=count_box(det_pdfs_bboxes_map)
info['allGTbox']=all_gtbox
info['allDet']=all_detbox
pdf_gt_bbs = 0
pdf_dt_bbs = 0
pdf_info = {}
pdf_calcs = {}
detailed_detections = {}
for pdf_name in gt_pdfs_bboxes_map:
if pdf_name not in det_pdfs_bboxes_map:
print('Detections not found for ',pdf_name)
continue
det_page_bboxes_map = det_pdfs_bboxes_map[pdf_name]
gt_page_bboxes_map = gt_pdfs_bboxes_map[pdf_name]
coarse_true_det,fine_true_det,pdf_gt_boxes,pdf_det_boxes,coarse_keys,fine_keys=\
IoU_page_bboxes(gt_page_bboxes_map, det_page_bboxes_map, pdf_name,outdir)
info['correctDet_c']=info['correctDet_c']+coarse_true_det
info['correctDet_f']=info['correctDet_f']+fine_true_det
pdf_info['correctDet_c']=coarse_true_det
pdf_info['correctDet_f']=fine_true_det
pdf_info['allGTbox']=pdf_gt_boxes
pdf_info['allDet']=pdf_det_boxes
print('For pdf: ', pdf_name)
pdf_calcs[pdf_name]=pre_rec_calculate(pdf_info)
detailed_detections[pdf_name] = [coarse_keys, fine_keys]
#print('Pdf score:',pdf_name, " --> ", pre_rec_calculate(pdf_info))
print('\n')
print(info)
scores=pre_rec_calculate(info)
print('\n PDF Level \n')
#print(pdf_calcs)
#{'fine_f': 0.7843, 'fine_pre': 0.7774, 'fine_rec': 0.7914, 'coarse_f': 0.902, 'coarse_pre': 0.894, 'coarse_rec': 0.9101}
for pdf_name in pdf_calcs:
print(pdf_name,'\t', pdf_calcs[pdf_name]['coarse_f'],'\t',pdf_calcs[pdf_name]['fine_f'])
#return corase and fine F-scores
return scores['coarse_f'],scores['fine_f'], detailed_detections
if __name__=='__main__':
parser = argparse.ArgumentParser()
parser.add_argument("--detections", type=str, required=True, help="detections file path")
parser.add_argument("--ground_truth", type=str, required=True, help="ground_truth file path")
args = parser.parse_args()
gt_file_name = args.ground_truth
det_file_name = args.detections
c_f,f_f=IOUeval(gt_file_name,det_file_name,outdir='IOU_scores_pages/')
|