-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmain.py
3682 lines (3264 loc) · 201 KB
/
main.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
# Detectron2 utilities and libraries
import detectron2
from detectron2.utils.logger import setup_logger
from detectron2 import model_zoo
from detectron2.engine import DefaultTrainer
from detectron2.engine import DefaultPredictor
from detectron2.config import get_cfg
from detectron2.utils.visualizer import Visualizer
from detectron2.utils.visualizer import ColorMode
from detectron2.data import MetadataCatalog, DatasetCatalog
from detectron2.evaluation import COCOEvaluator, inference_on_dataset
from detectron2.data import build_detection_test_loader
from detectron2.data import detection_utils as utils
from detectron2.config import CfgNode
import detectron2.data.transforms as T
import detectron2.utils.comm as comm
from detectron2.checkpoint import DetectionCheckpointer
from detectron2.config import get_cfg # needed for getting configuration settings for the detectron2 model
from detectron2.data import DatasetMapper, MetadataCatalog, build_detection_train_loader
from detectron2.engine import DefaultTrainer, default_argument_parser, default_setup, launch
from detectron2.evaluation import CityscapesSemSegEvaluator, DatasetEvaluators, SemSegEvaluator
from detectron2 import structures
from shapely.geometry import Point
from shapely.geometry.polygon import Polygon
# from detectron2.projects.deeplab import add_deeplab_config, build_lr_scheduler
# setup_logger()
# Pycocotools libraries
from pycocotools.coco import COCO
from pycocotools.cocoeval import COCOeval
# Progress bar library
from tqdm.tk import trange, tqdm
# import some common libraries (AddedbyYK)
import numpy as np
import pandas as pd
import json, random
import sys
import matplotlib.pyplot as plt
import re # - Regular expression libary
import time # Time - date library
import copy
import torch, torchvision
from platform import python_version
from statistics import mean
import os
import io # for saving images into memory and releasing data in memory
import datetime
from time import sleep
import collections
from IPython.display import clear_output # for clearing Jupyter notebook outputs
from cv2 import CAP_PROP_POS_FRAMES
# previous libraries for tkinter and cv2
from tkinter import *
from tkinter import filedialog, ttk, messagebox
import PIL
from PIL import Image, ImageTk
import cv2
import shutil
# colors for the bboxes
COLORS = ['blue', 'pink', 'cyan', 'green', 'black', 'orange']
class App:
def __init__(self, master):
self.master = master
# *** App States ***
self.play = False # Is the video currently playing?
self.delay = 300 # Delay between frames - not sure what it should be, not accurate playback
self.frame = 0 # Current frame
self.frames = None # Number of frames
self.video_source = [] # List of video sources and their paths
self.video_source_text = [] # List of name of the videos
self.image_source = []
self.image_source_text = []
self.svSourcePath = os.getcwd() # Get current working directory
self.labelfilename = ''
self.imgLabelFileName = ''
self.predictionfilename = ''
self.imagePredictionFileName = ''
self.polygonFileName = ''
self.zstackLabelFileName = ''
self.zstackPredictionLabelFileName = ''
self.selected_prediction_text = ""
self.selected_image_prediction_text = ""
self.selectedBboxIndex = -1
self.deletedAll = False
self.selectableBoxes = []
self.selectedBBox = []
self.editBoxes = []
self.selectedEditBox = None
self.moveLabel = False
self.predictAllVids = True
self.pop = None
self.pb = None
self.vidHeight = None
self.vidWidth = None
self.vidRatio = None
self.imgWidth = None
self.imgHeight = None
self.selectedVideoIndex = 0
self.selectedModelIndex = 0
self.selectedImageIndex = 0
self.selectedImageModelIndex = 0
self.selectedTab = ""
self.vid = None
self.img = None
self.RGB_img = None
self.vid_source_text = ""
self.img_source_text = ""
self.photo = None
self.next = "1"
self.insertBbox = "" # State of BBox insertion (Changed by YCK)
self.classcandidate_filename = 'class.txt' # Get classes from this file
self.cla_can_temp = [] # Put all the classes inside this array
self.currentLabelclass = '' # Current selected class
self.loadPredictionsLabels = IntVar() # Load saved predicted values if it is 1
self.showPolyBbox = IntVar()
self.showPolygons = IntVar()
self.showLabels = IntVar()
self.showZstackLabels = IntVar()
self.showZstackPredictionLabels = IntVar()
self.polygonPoints = [] # Added by YCK
# *** App States No 2 ***
self.imageDir = ''
self.imageList = []
self.egDir = ''
self.egList = []
self.outDir = ''
self.cur = 0
self.total = 0
self.category = 0
self.imagename = ''
self.tkimg = None
self.Next_PR_plot_Button = False # is the Next COCO Plot button pressed? By default it's not pressed = False
self.Next_PR_plot_Button_zstack = False # is the Next COCO Plot button pressed? By default it's not pressed = False
# *** App models *** (AddedbyYK)
self.models_path = os.getcwd() + "/videos/models" # path to the models (not the model names)
self.model_source_text = [] # save model names to list
for file in os.listdir(self.models_path):
if file.endswith('.pth'): # if file is a .pth file (or a model, then read it)
self.model_source_text.append(file[:-4]) # names of the models minus '.pth' (all models in folder)
self.images_models_path = os.getcwd() + "/images/models" # path to the models (not the model names)
self.images_model_source_text = [] # save model names to list
for file in os.listdir(self.images_models_path):
if file.endswith('.pth'): # if file is a .pth file (or a model, then read it)
self.images_model_source_text.append(
file[:-4]) # names of the models minus '.pth' (all models in folder)
# initialize mouse state
self.STATE = {}
self.STATE['click'] = 0
self.STATE['x'], self.STATE['y'] = 0, 0
self.STATE['xp'], self.STATE['yp'] = 0, 0
# reference to bbox
self.bboxIdList = []
self.bboxId = None
self.bboxList = []
self.lineList = []
self.bboxClassId = None
self.hl = None
self.vl = None
self.polygonId = None
self.polygonBboxId = None
self.zstackLabelBboxList = []
self.zstackPredictionLabelBboxList = []
# reference to predictions
self.predIDList = []
self.predID = None
self.predList = []
# *** Tabs Area ***
self.tabControl = ttk.Notebook(root)
self.tabControl.bind("<<NotebookTabChanged>>", self.selectTabMethod)
self.tabs = dict()
self.tabs['PAGE 1'] = ttk.Frame(self.tabControl)
self.tabs['PAGE 2'] = ttk.Frame(self.tabControl)
self.tabs['PAGE 3'] = ttk.Frame(self.tabControl)
self.tabControl.add(self.tabs['PAGE 1'], text='Tab 1')
self.tabControl.add(self.tabs['PAGE 2'], text='Tab 2')
self.tabControl.add(self.tabs['PAGE 3'], text='Tab 3')
self.tabControl.pack(expand=1, fill="both")
self.selectedTab = self.tabControl.tab(self.tabControl.select(), "text")
# This is needed to prevent user to enter any other value than integer
vcmd = (master.register(self.validate), '%d', '%i', '%P', '%s', '%S', '%v', '%V', '%W')
# *** Main Menu Bar ***
menu = Menu(master) # Create a menu and put it in main window
root.config(menu=menu) # We are configuring a menu for this project called menu
fileMenu = Menu(menu, tearoff=0)
menu.add_cascade(label="File", menu=fileMenu) # Add dropdown menu item
fileMenu.add_command(label="New Project", command=self.doNothing) # Add item to dropdown menu item
fileMenu.add_command(label="Open Project", command=self.doNothing)
fileMenu.add_separator() # Creates a line that separates the menu items
fileMenu.add_command(label="Exit", command=self.doNothing)
# *** Toolbar ***
self.toolbar = Frame(root, bg="lightgray")
self.insertVideoButton = Button(self.toolbar, text="Insert Videos", command=self.importVideo)
self.insertVideoButton.pack(side=LEFT, padx=2, pady=2)
self.insertImageButton = Button(self.toolbar, text="Insert Image", command=self.importImage)
self.insertImageButton.pack(side=LEFT, padx=2, pady=2)
self.insertImageButton.pack_forget()
self.toolbarInsertBbox = Button(self.toolbar, text="Insert Bbox",
command=lambda: self.changeInsertBboxState("Rectangle")) # Changed by YCK
self.toolbarInsertBbox.pack(side=LEFT, padx=2, pady=2)
self.toolbarInsertBbox["state"] = "disabled"
# Added by YCK
self.toolbarInsertPolyBbox = Button(self.toolbar, text="Insert polygon",
command=lambda: self.changeInsertBboxState("polygon"))
self.toolbarInsertPolyBbox.pack(side=LEFT, padx=2, pady=2)
self.toolbarInsertPolyBbox["state"] = "disabled"
self.toolbarInsertPolyBboxPoint = Button(self.toolbar, text="Insert polygon point",
command=lambda: self.changeInsertBboxState("addPolyPoint"))
self.toolbarInsertPolyBboxPoint.pack(side=LEFT, padx=2, pady=2)
self.toolbarInsertPolyBboxPoint["state"] = "disabled"
self.toolbarDeletePolyBboxPoint = Button(self.toolbar, text="Delete polygon point",
command=lambda: self.changeInsertBboxState("deletePolyPoint"))
self.toolbarDeletePolyBboxPoint.pack(side=LEFT, padx=2, pady=2)
self.toolbarDeletePolyBboxPoint["state"] = "disabled"
self.toolbar.pack(side=TOP, fill=X)
# *** Main Frame ***
self.tabFrame = Frame(root)
self.tabFrame.pack(fill=BOTH, expand=1)
# *** Right and Left Frame ***
self.canvasArea = Frame(self.tabFrame)
rightFrame = Frame(self.canvasArea, bg="lightgray", width=150)
leftFrame = Frame(self.canvasArea, bg="lightgray", width=150)
self.videoListboxFrame = Frame(rightFrame)
self.imageListboxFrame = Frame(rightFrame)
self.modelListboxFrame = Frame(leftFrame) # (AddedbyYK)
self.imagesModelListboxFrame = Frame(leftFrame)
self.videoList = Listbox(self.videoListboxFrame)
self.imageList = Listbox(self.imageListboxFrame)
self.modelList = Listbox(self.modelListboxFrame) # (AddedbyYK)
self.imagesModelList = Listbox(self.imagesModelListboxFrame)
# *** Add Scrollbar To List-boxes ***
videoListboxScrollbar = Scrollbar(self.videoListboxFrame)
videoListboxScrollbar.pack(side=RIGHT, fill=BOTH)
self.videoList.config(yscrollcommand=videoListboxScrollbar.set)
videoListboxScrollbar.config(command=self.videoList.yview)
imageListboxScrollbar = Scrollbar(self.imageListboxFrame)
imageListboxScrollbar.pack(side=RIGHT, fill=BOTH)
self.imageList.config(yscrollcommand=imageListboxScrollbar.set)
imageListboxScrollbar.config(command=self.imageList.yview)
# (AddedbyYK)
modelListboxScrollbar = Scrollbar(self.modelListboxFrame)
modelListboxScrollbar.pack(side=RIGHT, fill=BOTH)
self.modelList.config(yscrollcommand=modelListboxScrollbar.set)
modelListboxScrollbar.config(command=self.modelList.yview)
imagesModelListboxScrollbar = Scrollbar(self.imagesModelListboxFrame)
imagesModelListboxScrollbar.pack(side=RIGHT, fill=BOTH)
self.imagesModelList.config(yscrollcommand=imagesModelListboxScrollbar.set)
imagesModelListboxScrollbar.config(command=self.imagesModelList.yview)
self.deleteVideoButton = Button(rightFrame, text="Delete Video", command=self.deleteVideo)
self.videoList.bind('<Double-Button>', lambda x: self.selectVideo(self.videoList.curselection()[0]))
self.deleteAllVideosButton = Button(rightFrame, text="Delete All Videos", command=self.deleteAllVideos)
self.deleteImageButton = Button(rightFrame, text="Delete Image", command=self.deleteImage)
self.imageList.bind('<Double-Button>', lambda x: self.selectImage(self.imageList.curselection()[0]))
self.deleteAllImagesButton = Button(rightFrame, text="Delete All Images", command=self.deleteAllImages)
self.deleteAllBboxButton = Button(leftFrame, text="Delete All Labels", command=self.deleteAllConfirmed)
self.savePredictionButton = Button(leftFrame, text="Convert Prediction", command=self.convertPrediction,
state="disabled")
self.savePredictionsButton = Button(leftFrame, text="Convert Predictions", comman=self.convertPredictions,
state="disabled")
self.predictionType = ttk.Combobox(leftFrame, state='readonly',
values=["Current Frame", "This Video", "All Videos"])
self.predictionType.current(0)
# (AddedbyYK)
DetectButton = Button(leftFrame, text="Detect Predictions", command=self.drawpredictions)
self.modelList.bind('<Double-Button>', lambda x: self.loadmodel())
self.imagesModelList.bind('<Double-Button>', lambda x: self.loadImageModel())
# *** Class Combobox ***
self.classname = StringVar()
self.classcandidate = ttk.Combobox(leftFrame, state='readonly', textvariable=self.classname)
if os.path.exists(self.classcandidate_filename):
with open(self.classcandidate_filename) as cf:
for line in cf.readlines():
self.cla_can_temp.append(line.strip('\n'))
self.classcandidate['values'] = self.cla_can_temp
self.classcandidate.current(0)
self.currentLabelclass = self.classcandidate.get()
self.btnclass = Button(leftFrame, text='Comfirm Class', command=self.setClass)
loadPredictionCheckbox = Checkbutton(leftFrame, text='Load Predictions', variable=self.loadPredictionsLabels,
command=self.editShowLabelPredState)
showPolyBboxCheckbox = Checkbutton(leftFrame, text='Show Polygon Bbox', variable=self.showPolyBbox,
command=self.editShowPolyBboxState)
showPolygonsCheckbox = Checkbutton(leftFrame, text='Show Polygon', variable=self.showPolygons,
command=self.editShowPolygonsState)
showLabelsCheckbox = Checkbutton(leftFrame, text='Show Labels', variable=self.showLabels,
command=self.editShowLabelsState)
self.showZtackLabelCheckBox = Checkbutton(leftFrame, text='Show Zstack Labels', variable=self.showZstackLabels,
command=self.editShowZstackLabelState, state="disabled")
self.showZstackPredictionLabelCheckbox = Checkbutton(leftFrame, text='Load Zstack Prediction',
variable=self.showZstackPredictionLabels,
command=self.editShowZstackLabelPredState,
state="disabled")
# *** Fill in Right Frame ***
self.videoList.pack()
self.imageList.pack()
self.videoListboxFrame.pack()
self.deleteVideoButton.pack(padx=2, pady=2)
self.deleteAllVideosButton.pack(padx=2, pady=2)
rightFrame.pack(side=RIGHT, fill=Y)
# *** Fill in Left Frame ***
self.classcandidate.pack(padx=2, pady=2)
self.btnclass.pack(padx=2, pady=2)
self.deleteAllBboxButton.pack(padx=2, pady=2)
self.modelList.pack() # (AddedbyYK)
self.modelListboxFrame.pack() # (AddedbyYK)
self.imagesModelList.pack()
self.predictionType.pack(padx=2, pady=2)
DetectButton.pack(padx=2, pady=2) # (AddedbyYK)
self.savePredictionButton.pack(padx=2, pady=2)
self.savePredictionsButton.pack(padx=2, pady=2)
leftFrame.pack(side=LEFT, fill=Y)
self.showZstackPredictionLabelCheckbox.pack(side=BOTTOM)
self.showZtackLabelCheckBox.pack(side=BOTTOM)
showPolyBboxCheckbox.pack(side=BOTTOM)
loadPredictionCheckbox.pack(side=BOTTOM)
showPolygonsCheckbox.pack(side=BOTTOM)
showLabelsCheckbox.pack(side=BOTTOM)
# Buttons for the video
self.buttonsBar = Frame(self.tabFrame, bg="lightgray")
self.imageButtonsBar = Frame(self.tabFrame, bg="lightgray")
self.btn_prevFrameButton = Button(self.buttonsBar, text="Prev Frame",
command=lambda: self.setFrame(self.frame - 1))
self.btn_prevFrameButton.pack(side=LEFT, padx=2, pady=2)
self.btn_playButton = Button(self.buttonsBar, text="Reset Video", command=lambda: self.setFrame(0))
self.btn_playButton.pack(side=LEFT, padx=2, pady=2)
self.btn_playButton = Button(self.buttonsBar, text="Play/Stop", command=self.playButton)
self.btn_playButton.pack(side=LEFT, padx=2, pady=2)
self.btn_nextFrameButton = Button(self.buttonsBar, text="Next Frame",
command=lambda: self.setFrame(self.frame + 1))
self.btn_nextFrameButton.pack(side=LEFT, padx=2, pady=2)
copyWithLabels = Label(self.buttonsBar, text="Copy Labels:")
copyWithLabels.pack(side=LEFT, padx=2, pady=2)
self.btn_prevFrameCopyButton = Button(self.buttonsBar, text="<",
command=lambda: self.copyLabels(self.frame - 1))
self.btn_prevFrameCopyButton.pack(side=LEFT, padx=2, pady=2)
self.btn_nextFrameCopyButton = Button(self.buttonsBar, text=">",
command=lambda: self.copyLabels(self.frame + 1))
self.btn_nextFrameCopyButton.pack(side=LEFT, padx=2, pady=2)
self.btn_setFrameEntry = Button(self.buttonsBar, text="Set Frame", command=lambda: self.getFrameNumber())
self.btn_setFrameEntry.pack(side=RIGHT, padx=2, pady=2)
self.setFrameEntry = Entry(self.buttonsBar, validate='key', validatecommand=vcmd)
self.setFrameEntry.pack(side=RIGHT, pady=2)
self.saveImageLabels = Button(self.imageButtonsBar, text="Save Labels",
command=lambda: self.saveImageLabelsMethod())
self.saveImageLabels.pack(side=LEFT, padx=2, pady=2)
self.buttonsBar.pack(side=BOTTOM, fill=X)
self.imageButtonsBar.pack(side=BOTTOM, fill=X)
# *** StatusBar ***
self.progressBar = Label(rightFrame, text="", bd=1, bg="lightgray", relief=SUNKEN, anchor=E)
self.progressBar.pack(side=BOTTOM, fill=X)
self.status = Label(self.tabFrame, text=(self.frame, "/", self.frames), bd=1, relief=SUNKEN,
anchor=E) # bd and relief are border properties
self.status.pack(side=BOTTOM, fill=X)
# *** ModelListboxInsert *** (AddedbyYK)
self.modelList.insert(END, *self.model_source_text)
if self.model_source_text:
self.modelList.select_set(0)
self.modelList.itemconfig(self.selectedModelIndex, {'fg': 'red'})
self.loadmodel()
self.imagesModelList.insert(END, *self.images_model_source_text)
if self.images_model_source_text:
self.imagesModelList.select_set(0)
self.imagesModelList.itemconfig(self.selectedImageModelIndex, {'fg': 'red'})
self.loadImageModel()
# *** Video Canvas ***
self.canvas = Canvas(self.canvasArea, width=600, height=600)
self.canvas.bind("<Button-1>", self.mouseClick)
self.canvas.bind("<Button-3>", self.mouseRightClick)
self.canvas.bind("<Motion>", self.mouseMove)
self.canvas.bind("<ButtonRelease-1>", self.mouseRelease)
self.master.bind("<Delete>", self.delBBox)
self.master.bind("<Escape>", self.cancelDrawingKeypress)
self.canvas.pack()
self.canvasArea.pack(fill=BOTH, expand=Y)
# *** tab2 Widgets ***
# *** self.tabs['PAGE 3'] Widgets ***
# Top toolbar
toolbar_3 = Frame(self.tabs['PAGE 3'], bg="lightgray", height=30)
toolbar_3.pack(side=TOP,
fill=X) # fill = X means horizontal fill, fill = Y means vertical fill (no need for width)
# Main frame (expanded)
tabFrame_3 = Frame(self.tabs['PAGE 3']) # tabframe takes everything below toolbar
tabFrame_3.pack(fill=BOTH,
expand=1) # fill = BOTH and expand = 1 fills the whole remaining screen (fills everything below toolbar frame)
# Left and right frames
canvasArea_3 = Frame(tabFrame_3) # canvas area takes everything below the toolbar frame
rightFrame_3 = Frame(canvasArea_3, bg="lightgray", width=150) # rightframe is the frame within canvasarea
leftFrame_3 = Frame(canvasArea_3, bg="lightgray", width=150)
# Buttons before packing right and left frames
rightFrame_3.pack(side=RIGHT, fill=Y)
rightFrame_3.pack_propagate(0)
leftFrame_3.pack(side=LEFT, fill=Y)
leftFrame_3.pack_propagate(0)
# Create JSON files Button
ConvertJSONButton = Button(leftFrame_3, text="Create JSON Files", command=self.ConvertJSON)
ConvertJSONButton.pack(padx=2, pady=2)
# COCO stats button
COCOStatsButton = Button(leftFrame_3, text="COCO Metrics", command=self.DisplayCOCOstats)
COCOStatsButton.pack(padx=2, pady=2)
# *** Right frame Buttons ***
ShowsStatsButton = Button(rightFrame_3, text="Data Statistics", command=self.Datastats)
ShowsStatsButton.pack(padx=2, pady=2)
# Frames for COCO stats
dispframe1 = Frame(leftFrame_3, bg="lightgray", height=30)
dispframe1.pack(fill=X)
dispframe2 = Frame(leftFrame_3, bg="lightgray", height=30)
dispframe2.pack(fill=X)
dispframe3 = Frame(leftFrame_3, bg="lightgray", height=30)
dispframe3.pack(fill=X)
# Label and Display for COCO stats
dispframe1label = Label(dispframe1, bg="papaya whip", text="AP50", font=('Arial', 10), width=8)
dispframe1label.pack(side=LEFT, padx=2, pady=2)
self.Display_COCO_stats = Entry(dispframe1, width=5, font=('Arial', 12))
self.Display_COCO_stats.pack(side=LEFT, padx=2, pady=2)
dispframe2label = Label(dispframe2, bg="papaya whip", text="AP75", font=('Arial', 10), width=8)
dispframe2label.pack(side=LEFT, padx=2, pady=2)
self.Display_COCO_stats2 = Entry(dispframe2, width=5, font=('Arial', 12))
self.Display_COCO_stats2.pack(side=LEFT, padx=2, pady=2)
dispframe3label = Label(dispframe3, bg="papaya whip", text="AP50:0.95", font=('Arial', 10), width=8)
dispframe3label.pack(side=LEFT, padx=2, pady=2)
self.Display_COCO_stats3 = Entry(dispframe3, width=5, font=('Arial', 12))
self.Display_COCO_stats3.pack(side=LEFT, padx=2, pady=2)
# Change COCO plots Button
ChangeCOCOplotsButton = Button(leftFrame_3, text="COCO Plots", command=self.Next_PR_plot) # Next_PR_plot
ChangeCOCOplotsButton.pack(padx=2, pady=2)
# CUSTOM stats Button
CustomStatsButton = Button(leftFrame_3, text="CUSTOM Metrics", command=self.DisplayCustomstats)
CustomStatsButton.pack(padx=2, pady=2)
# Frames for CUSTOM stats
dispframe4 = Frame(leftFrame_3, bg="lightgray", height=30)
dispframe4.pack(fill=X)
dispframe5 = Frame(leftFrame_3, bg="lightgray", height=30)
dispframe5.pack(fill=X)
# Label and Display for CUSTOM stats
dispframe4label = Label(dispframe4, bg="papaya whip", text="AP50*", font=('Arial', 10), width=8)
dispframe4label.pack(side=LEFT, padx=2, pady=2)
self.Display_CUSTOM_stats = Entry(dispframe4, width=5, font=('Arial', 12))
self.Display_CUSTOM_stats.pack(side=LEFT, padx=2, pady=2)
Explain_star = Label(dispframe5, bg="lightgray", text="AP50*: Custom metric", font=('Arial', 8))
Explain_star.pack(side=LEFT, padx=2, pady=2)
# Change plot Button
CustomplotButton = Button(leftFrame_3, text="Custom stats plot", command=self.Customstatsplot) # Next_PR_plot
CustomplotButton.pack(padx=2, pady=2)
# *** Z-stack COCO_Eval
# Create save z-stack buttons for 1) labels 2) predictions
save_zstacklabelsButton = Button(leftFrame_3, text="Save z-stack labels", command=self.save_zstack_Labels)
save_zstacklabelsButton.pack(padx=2, pady=2)
save_zstackpredsButton = Button(leftFrame_3, text="Save z-stack predictions",
command=self.save_zstack_predictions)
save_zstackpredsButton.pack(padx=2, pady=2)
# Create JSON files Button
ConvertJSON_zstackButton = Button(leftFrame_3, text="Create z-stack JSON Files",
command=self.ConvertJSON_zstack)
ConvertJSON_zstackButton.pack(padx=2, pady=2)
# COCO stats button
COCOStats_zstackButton = Button(leftFrame_3, text="COCO z-stack Metrics", command=self.DisplayCOCOstats_zstack)
COCOStats_zstackButton.pack(padx=2, pady=2)
# Frames for COCO z-stack stats
dispframe6 = Frame(leftFrame_3, bg="lightgray", height=30)
dispframe6.pack(fill=X)
dispframe7 = Frame(leftFrame_3, bg="lightgray", height=30)
dispframe7.pack(fill=X)
dispframe8 = Frame(leftFrame_3, bg="lightgray", height=30)
dispframe8.pack(fill=X)
# Label and Display for COCO stats
dispframe6label = Label(dispframe6, bg="papaya whip", text="AP50", font=('Arial', 10), width=8)
dispframe6label.pack(side=LEFT, padx=2, pady=2)
self.Display_COCO_zstats = Entry(dispframe6, width=5, font=('Arial', 12))
self.Display_COCO_zstats.pack(side=LEFT, padx=2, pady=2)
dispframe7label = Label(dispframe7, bg="papaya whip", text="AP75", font=('Arial', 10), width=8)
dispframe7label.pack(side=LEFT, padx=2, pady=2)
self.Display_COCO_zstats2 = Entry(dispframe7, width=5, font=('Arial', 12))
self.Display_COCO_zstats2.pack(side=LEFT, padx=2, pady=2)
dispframe8label = Label(dispframe8, bg="papaya whip", text="AP50:0.95", font=('Arial', 10), width=8)
dispframe8label.pack(side=LEFT, padx=2, pady=2)
self.Display_COCO_zstats3 = Entry(dispframe8, width=5, font=('Arial', 12))
self.Display_COCO_zstats3.pack(side=LEFT, padx=2, pady=2)
# Change COCO plots Button
ChangeCOCOplotsButton_zstack = Button(leftFrame_3, text="COCO z-stack Plots",
command=self.Next_PR_plot_zstack) # Next_PR_plot
ChangeCOCOplotsButton_zstack.pack(padx=2, pady=2)
# Bottom toolbar
buttonsBar_3 = Frame(tabFrame_3, bg="lightgray", height=30)
buttonsBar_3.pack(side=BOTTOM, fill=X)
# Video canvas
self.canvas_3 = Canvas(canvasArea_3, width=800, height=800)
self.canvas_3.pack()
canvasArea_3.pack(fill=BOTH)
self.canvasAreaHeight = self.canvasArea.winfo_height()
self.canvasAreaWidth = self.canvasArea.winfo_width()
self.update()
def doNothing(self):
print("Doing Nothing")
def selectTabMethod(self, event):
id = self.tabControl.select()
if self.tabControl.tab(id, "text") == "Tab 1":
self.insertImageButton.pack_forget()
self.imageListboxFrame.pack_forget()
self.deleteImageButton.pack_forget()
self.deleteAllImagesButton.pack_forget()
self.imagesModelListboxFrame.pack_forget()
self.imageButtonsBar.pack_forget()
self.toolbar.pack(side=TOP, fill=X, in_=self.tabs['PAGE 1'])
self.tabFrame.pack(fill=BOTH, expand=1, in_=self.tabs['PAGE 1'])
self.insertVideoButton.pack(side=LEFT, padx=2, pady=2, before=self.toolbarInsertBbox)
self.videoListboxFrame.pack()
self.deleteVideoButton.pack(padx=2, pady=2)
self.deleteAllVideosButton.pack(padx=2, pady=2)
self.modelListboxFrame.pack(after=self.deleteAllBboxButton)
self.predictionType.pack(padx=2, pady=2, after=self.modelListboxFrame)
self.showZstackPredictionLabelCheckbox.pack(side=BOTTOM, after=self.savePredictionsButton)
self.showZtackLabelCheckBox.pack(side=BOTTOM, after=self.showZstackPredictionLabelCheckbox)
self.buttonsBar.pack(side=BOTTOM, fill=X, before=self.canvasArea)
self.status.pack(side=BOTTOM, fill=X, after=self.buttonsBar)
self.clearCanvas()
if self.videoList.size() != 0:
self.selectVideo(self.selectedVideoIndex)
elif self.tabControl.tab(id, "text") == "Tab 2":
self.insertVideoButton.pack_forget()
self.videoListboxFrame.pack_forget()
self.deleteVideoButton.pack_forget()
self.deleteAllVideosButton.pack_forget()
self.modelListboxFrame.pack_forget()
self.predictionType.pack_forget()
self.showZstackPredictionLabelCheckbox.pack_forget()
self.showZtackLabelCheckBox.pack_forget()
self.buttonsBar.pack_forget()
self.status.pack_forget()
self.toolbar.pack(side=TOP, fill=X, in_=self.tabs['PAGE 2'])
self.tabFrame.pack(fill=BOTH, expand=1, in_=self.tabs['PAGE 2'])
self.insertImageButton.pack(side=LEFT, padx=2, pady=2, before=self.toolbarInsertBbox)
self.imageListboxFrame.pack()
self.deleteImageButton.pack(padx=2, pady=2)
self.deleteAllImagesButton.pack(padx=2, pady=2)
self.imagesModelListboxFrame.pack(after=self.deleteAllBboxButton)
self.imageButtonsBar.pack(side=BOTTOM, fill=X, before=self.canvasArea)
self.clearCanvas()
if self.imageList.size() != 0:
self.selectImage(self.selectedImageIndex)
# *** Functions for Tab 1 ***
def editShowPolyBboxState(self):
self.clearSelectedBbox()
for index, bbox in enumerate(self.bboxList):
if bbox[3] == "polygon":
listBbox = list(bbox)
if self.showPolyBbox.get() == 1 and self.showPolygons.get() == 1:
x1, y1, x2, y2 = self.getPolygonCoverPoints(bbox[0])
polygonBboxId = self.canvas.create_rectangle(x1, y1, x2, y2, width=2,
outline=COLORS[
int(self.currentLabelclass) % len(COLORS)],
dash=(10, 10))
listBbox[2] = [bbox[2][0], polygonBboxId]
else:
self.canvas.delete(bbox[2][1])
listBbox[2] = [bbox[2][0], None]
bbox = tuple(listBbox)
self.bboxList[index] = bbox
def editShowPolygonsState(self):
self.clearSelectedBbox()
if self.showPolygons.get() == 1:
self.toolbarInsertPolyBbox["state"] = "normal"
else:
self.toolbarInsertPolyBbox["state"] = "disabled"
if self.insertBbox == "polygon":
self.cancelDrawing()
for index, bbox in enumerate(self.bboxList):
if bbox[3] == "polygon":
listBbox = list(bbox)
if self.showPolygons.get() == 1:
polygonId = self.canvas.create_polygon(bbox[0], width=2,
outline=COLORS[int(self.currentLabelclass) % len(COLORS)],
fill='')
listBbox[2] = [polygonId, bbox[2][1]]
self.editPolygonPointBoxes(bbox[0])
listBbox[5] = self.editBoxes
self.editBoxes = []
else:
self.canvas.delete(bbox[2][0])
listBbox[2] = [None, bbox[2][1]]
self.editBoxes = bbox[5]
listBbox[5] = []
self.clearEditBoxes()
bbox = tuple(listBbox)
self.bboxList[index] = bbox
self.editShowPolyBboxState()
def editShowLabelsState(self):
self.clearSelectedBbox()
if self.showLabels.get() == 1:
self.toolbarInsertBbox["state"] = "normal"
if self.loadPredictionsLabels.get() == 1:
self.savePredictionsButton["state"] = "normal"
self.savePredictionButton["state"] = "normal"
else:
self.toolbarInsertBbox["state"] = "disabled"
self.savePredictionsButton["state"] = "disabled"
self.savePredictionButton["state"] = "disabled"
for index, bbox in enumerate(self.bboxList):
if len(bbox) >= 7 and bbox[6] == "label":
listBbox = list(bbox)
if self.showLabels.get() == 1:
labelId = self.canvas.create_rectangle(bbox[0], bbox[1], \
bbox[2], bbox[3], \
width=2, outline=COLORS[int(bbox[4]) % len(COLORS)])
labelClassId = self.canvas.create_text(bbox[0], bbox[1], text=str(bbox[4]),
font="Calibri, 12", fill="purple", anchor="sw")
listBbox[5] = labelId
listBbox[7] = labelClassId
else:
self.canvas.delete(bbox[5])
listBbox[5] = None
self.canvas.delete(bbox[7])
listBbox[7] = None
bbox = tuple(listBbox)
self.bboxList[index] = bbox
def editShowLabelPredState(self):
self.clearSelectedBbox()
if self.loadPredictionsLabels.get() == 1 and self.showLabels.get() == 1:
self.savePredictionsButton["state"] = "normal"
self.savePredictionButton["state"] = "normal"
else:
self.savePredictionsButton["state"] = "disabled"
self.savePredictionButton["state"] = "disabled"
for index, predBox in enumerate(self.predList):
listBbox = list(predBox)
if self.loadPredictionsLabels.get() == 1:
predId = self.canvas.create_rectangle(predBox[0], predBox[1], \
predBox[2], predBox[3], \
width=2, outline='red')
predClassId = self.canvas.create_text(predBox[0], predBox[1], text=str(predBox[4]) + " %" + str(
"%.2f" % round((100 * predBox[5]), 2)),
font="Calibri, 12", fill="blue", anchor="sw")
listBbox[6] = predId
listBbox[7] = predClassId
else:
self.canvas.delete(predBox[6])
listBbox[6] = None
self.canvas.delete(predBox[7])
listBbox[7] = None
predBox = tuple(listBbox)
self.predList[index] = predBox
def editShowZstackLabelState(self):
self.clearSelectedBbox()
for index, bbox in enumerate(self.zstackLabelBboxList):
if len(bbox) >= 7 and bbox[6] == "label":
if self.showZstackLabels.get() == 1:
self.canvas.itemconfigure(bbox[5], state='normal')
self.canvas.itemconfigure(bbox[7], state='normal')
self.canvas.tag_raise(bbox[5])
self.canvas.tag_raise(bbox[7])
else:
self.canvas.itemconfigure(bbox[5], state='hidden')
self.canvas.itemconfigure(bbox[7], state='hidden')
def editShowZstackLabelPredState(self):
self.clearSelectedBbox()
for index, predBox in enumerate(self.zstackPredictionLabelBboxList):
if self.showZstackPredictionLabels.get() == 1:
self.canvas.itemconfigure(predBox[6], state='normal')
self.canvas.itemconfigure(predBox[7], state='normal')
self.canvas.tag_raise(predBox[6])
self.canvas.tag_raise(predBox[7])
else:
self.canvas.itemconfigure(predBox[6], state='hidden')
self.canvas.itemconfigure(predBox[7], state='hidden')
def clearSelectedBbox(self):
if self.selectedBBox:
if len(self.selectedBBox) >= 7 and self.selectedBBox[0][6] != "label" or self.selectedBBox[0][
3] != "polygon":
self.canvas.itemconfig(self.selectedBBox[0][6], width=2)
elif self.selectedBBox[0][3] == "polygon":
self.canvas.itemconfig(self.selectedBBox[0][2][0], width=2)
self.editBoxes = []
self.clearEditBoxes()
self.selectedBBox = []
self.selectableBoxes = []
def setClass(self):
self.currentLabelclass = self.classcandidate.get()
if self.selectedBBox and len(self.selectedBBox[0]) >= 7 and self.selectedBBox[0][6] == "label":
self.canvas.itemconfig(self.selectedBBox[0][7], text=self.currentLabelclass)
self.canvas.itemconfig(self.selectedBBox[0][5], outline=COLORS[int(self.currentLabelclass) % len(COLORS)])
selectedBBox = list(self.selectedBBox)
bboxValues = list(self.selectedBBox[0])
bboxValues[4] = self.currentLabelclass
selectedBBox[0] = tuple(bboxValues)
self.selectedBBox = tuple(selectedBBox)
self.bboxList[self.selectedBBox[1]] = self.selectedBBox[0]
elif self.selectedBBox and self.selectedBBox[0][3] == "polygon" and self.showPolygons.get() == 1:
self.canvas.itemconfig(self.selectedBBox[0][2][0],
outline=COLORS[int(self.currentLabelclass) % len(COLORS)])
if self.showPolyBbox.get() == 1:
self.canvas.itemconfig(self.selectedBBox[0][2][1],
outline=COLORS[int(self.currentLabelclass) % len(COLORS)])
selectedBBox = list(self.selectedBBox)
bboxValues = list(self.selectedBBox[0])
bboxValues[1] = self.currentLabelclass
selectedBBox[0] = tuple(bboxValues)
self.selectedBBox = tuple(selectedBBox)
self.bboxList[self.selectedBBox[1]] = self.selectedBBox[0]
def loadmodel(self): # (AddedbyYK)
self.unselectLabel()
self.modelList.itemconfig(self.selectedModelIndex, {'fg': 'black'})
self.selectedModelIndex = self.modelList.curselection()[0] # gets modelid
self.current_model_path = os.path.join(self.models_path,
self.model_source_text[
self.selectedModelIndex] + '.pth') # gets full model path
self.selected_prediction_text = self.model_source_text[self.selectedModelIndex]
self.modelList.itemconfig(self.selectedModelIndex, {'fg': 'red'})
# set configurations of the model
cfg = get_cfg()
cfg.merge_from_file(model_zoo.get_config_file("COCO-Detection/faster_rcnn_R_50_FPN_3x.yaml"))
cfg.MODEL.ROI_HEADS.NUM_CLASSES = 1
cfg.MODEL.WEIGHTS = self.current_model_path # path to the model that was just trained
cfg.MODEL.ROI_HEADS.SCORE_THRESH_TEST = 0.7 # set a custom threshold for testing (any bounding box with a confidence score < 0.7 will not be displayed)
cfg.MODEL.ROI_HEADS.NMS_THRESH_TEST = 0.4
self.predictor = DefaultPredictor(cfg)
# self.predictor = predictor
self.zstackPredictionLabelBboxList = []
self.setFileNames()
def loadImageModel(self):
self.unselectLabel()
self.imagesModelList.itemconfig(self.selectedImageModelIndex, {'fg': 'black'})
self.selectedImageModelIndex = self.imagesModelList.curselection()[0] # gets modelid
self.current_model_path = os.path.join(self.models_path,
self.model_source_text[
self.selectedModelIndex] + '.pth') # gets full model path
self.selected_prediction_text = self.model_source_text[self.selectedModelIndex]
self.modelList.itemconfig(self.selectedModelIndex, {'fg': 'red'})
# set configurations of the model
cfg = get_cfg()
cfg.merge_from_file(model_zoo.get_config_file("COCO-Detection/faster_rcnn_R_50_FPN_3x.yaml"))
cfg.MODEL.ROI_HEADS.NUM_CLASSES = 1
cfg.MODEL.WEIGHTS = self.current_model_path # path to the model that was just trained
cfg.MODEL.ROI_HEADS.SCORE_THRESH_TEST = 0.7 # set a custom threshold for testing (any bounding box with a confidence score < 0.7 will not be displayed)
cfg.MODEL.ROI_HEADS.NMS_THRESH_TEST = 0.4
self.imagePredictor = DefaultPredictor(cfg)
# self.predictor = predictor
self.setImageFileNames()
def drawpredictions(self): # (AddedbyYK)
self.clearPredictions()
self.unselectLabel()
id = self.tabControl.select()
if self.tabControl.tab(id, "text") == "Tab 1":
self.checkPredictionType()
ret, frame = self.vid.get_frame()
if ret:
self.outputs = self.predictor(frame)
self.predbboxes = self.outputs['instances'].pred_boxes.tensor.tolist() # all boxes for a single frame
self.predbox_class = self.outputs['instances'].pred_classes.tolist() # is a list of predicted classes
self.predbox_scores = self.outputs['instances'].scores.tolist() # scores of each predicted box
for index, boxes in enumerate(self.predbboxes):
x1, y1, x2, y2 = boxes
predID = self.canvas.create_rectangle(int(x1 * self.vidRatio), int(y1 * self.vidRatio), \
int(x2 * self.vidRatio), int(y2 * self.vidRatio), \
width=2, outline='red')
tempClassId = self.canvas.create_text(int(x1 * self.vidRatio), int(y1 * self.vidRatio),
text=str(self.predbox_class[index]) + " %" + str(
"%.2f" % round((100 * self.predbox_scores[index]), 2)),
font="Calibri, 12", fill="purple", anchor="sw")
self.predList.append(
(int(x1 * self.vidRatio), int(y1 * self.vidRatio), int(x2 * self.vidRatio),
int(y2 * self.vidRatio),
self.predbox_class[index], self.predbox_scores[index],
predID, tempClassId))
self.predIDList.append(predID)
elif self.tabControl.tab(id, "text") == "Tab 2":
self.outputs = self.imagePredictor(self.img)
self.predbboxes = self.outputs['instances'].pred_boxes.tensor.tolist() # all boxes for a single frame
self.predbox_class = self.outputs['instances'].pred_classes.tolist() # is a list of predicted class
for index, boxes in enumerate(self.predbboxes):
x1, y1, x2, y2 = boxes
predID = self.canvas.create_rectangle(int(x1 * self.vidRatio), int(y1 * self.vidRatio), \
int(x2 * self.vidRatio), int(y2 * self.vidRatio), \
width=2, outline='red')
tempClassId = self.canvas.create_text(int(x1 * self.vidRatio), int(y1 * self.vidRatio),
text=str(self.predbox_class[index]) + " %" + str(
"%.2f" % round((100 * self.predbox_scores[index]), 2)),
font="Calibri, 12", fill="purple", anchor="sw")
self.predList.append(
(int(x1 * self.vidRatio), int(y1 * self.vidRatio), int(x2 * self.vidRatio), int(y2 * self.vidRatio),
self.predbox_class[index], self.predbox_scores[index],
predID, tempClassId))
self.predIDList.append(predID)
self.savePredictions()
def checkPredictionType(self):
frameCount = 0
predictedBoxes = []
if self.predictionType.get() == "This Video": # "All Videos"
self.vid.goto_frame(0)
while True:
ret, frame = self.vid.get_frame() # This moves to the next frame and returns it, so it does not return predictions for very first frame
if ret:
self.outputs = self.predictor(frame)
self.predbboxes = self.outputs[
'instances'].pred_boxes.tensor.tolist() # all boxes for a single frame
self.predbox_class = self.outputs[
'instances'].pred_classes.tolist() # is a list of predicted classes
self.predbox_scores = self.outputs['instances'].scores.tolist() # scores of each predicted box
for index, boxes in enumerate(self.predbboxes):
x1, y1, x2, y2 = boxes
predictedBoxes.append(
(int(x1) * self.vidRatio, int(y1) * self.vidRatio, int(x2) * self.vidRatio,
int(y2) * self.vidRatio, self.predbox_class[index], self.predbox_scores[index]))
if self.selected_prediction_text != "":
if not os.path.exists(
self.svSourcePath + "/videos/predictions/" + self.selected_prediction_text):
os.makedirs(self.svSourcePath + "/videos/predictions/" + self.selected_prediction_text)
if not os.path.exists(
self.svSourcePath + "/videos/predictions/" + self.selected_prediction_text + "/" + self.vid_source_text):
os.makedirs(
self.svSourcePath + "/videos/predictions/" + self.selected_prediction_text + "/" + self.vid_source_text)
frameCount = frameCount + 1 # Move this line to the bottom of the if after fixing the issue
self.predictionfilename = self.svSourcePath + "/videos/predictions/" + self.selected_prediction_text + "/" + self.vid_source_text + "/" + self.vid_source_text + "_fr" + str(
frameCount + 1) + ".txt"
if predictedBoxes != []:
with open(self.predictionfilename, 'w') as f:
for predbbox in predictedBoxes:
f.write("{} ({}): {} {} {} {}\n".format((predbbox[4]), (predbbox[5]),
int(float(predbbox[0]) / self.vidRatio),
int(float(predbbox[1]) / self.vidRatio), (
int((float(predbbox[2]) -
float(predbbox[
0])) / self.vidRatio)),
(int(float(predbbox[3]) -
float(predbbox[1])) / self.vidRatio)))
elif os.path.exists(self.predictionfilename):
os.remove(self.predictionfilename)
predictedBoxes = []
else:
break
self.vid.goto_frame(self.frame)
elif self.predictionType.get() == "All Videos":
self.predictAllVideosMessage()
self.predictVideos()
# Predict on a single video or all videos
def predictVideos(self):
frameCount = 0
predictedBoxes = []
for vid_index, video in enumerate(tqdm(self.video_source, desc='Prediction Progress', leave=False)):
self.progressBar["text"] = (vid_index + 1, "/", len(self.video_source))
videoSource_text = self.video_source_text[vid_index]
if self.predictAllVids or not self.predictAllVids and not os.path.exists(
self.svSourcePath + "/videos/predictions/" + self.selected_prediction_text + "/" + videoSource_text):
vid = videoCapturer(video)
vid.goto_frame(0)
while True:
ret, frame = vid.get_frame() # This moves to the next frame and returns it, so it does not return predictions for very first frame
if ret:
self.outputs = self.predictor(frame)
self.predbboxes = self.outputs[
'instances'].pred_boxes.tensor.tolist() # all boxes for a single frame
self.predbox_class = self.outputs[
'instances'].pred_classes.tolist() # is a list of predicted classes
self.predbox_scores = self.outputs['instances'].scores.tolist() # scores of each predicted box
for index, boxes in enumerate(self.predbboxes):
x1, y1, x2, y2 = boxes
predictedBoxes.append(
(int(x1) * self.vidRatio, int(y1) * self.vidRatio, int(x2) * self.vidRatio,
int(y2) * self.vidRatio, self.predbox_class[index],
self.predbox_scores[index]))
if self.selected_prediction_text != "":
if not os.path.exists(
self.svSourcePath + "/videos/predictions/" + self.selected_prediction_text):
os.makedirs(self.svSourcePath + "/videos/predictions/" + self.selected_prediction_text)
if not os.path.exists(
self.svSourcePath + "/videos/predictions/" + self.selected_prediction_text + "/" + videoSource_text):
os.makedirs(
self.svSourcePath + "/videos/predictions/" + self.selected_prediction_text + "/" + videoSource_text)
frameCount = frameCount + 1 # Move this line to the bottom of the if after fixing the issue
self.predictionfilename = self.svSourcePath + "/videos/predictions/" + self.selected_prediction_text + "/" + videoSource_text + "/" + videoSource_text + "_fr" + str(
frameCount + 1) + ".txt"
if predictedBoxes != []:
with open(self.predictionfilename, 'w') as f:
for predbbox in predictedBoxes:
f.write("{} ({}): {} {} {} {}\n".format((predbbox[4]), (predbbox[5]),
int(float(predbbox[0]) / self.vidRatio),
int(float(predbbox[1]) / self.vidRatio),
(
int((float(predbbox[2]) -
float(predbbox[
0])) / self.vidRatio)),
(int(float(predbbox[3]) -
float(predbbox[
1])) / self.vidRatio)))
elif os.path.exists(self.predictionfilename):
os.remove(self.predictionfilename)
predictedBoxes = []
else:
frameCount = 0