-
Notifications
You must be signed in to change notification settings - Fork 13
/
Copy pathapplication.py
1387 lines (1038 loc) · 55.5 KB
/
application.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
#!/usr/bin/env python3
# Import dependencies
from sys import exit
global is_not_win
is_not_win = False
try:
from include.meta.__init__ import *
except ModuleNotFoundError:
print('Required files missing.\nExiting Application...')
exit(-500)
try:
import cv2
from PyQt5 import QtCore, QtGui, QtWidgets
from functools import partial
from pyzbar.pyzbar import decode
from datetime import datetime, timedelta
from pandas import DataFrame, ExcelWriter
from smtplib import SMTP_SSL, SMTPAuthenticationError, SMTPServerDisconnected, SMTPRecipientsRefused
from email.message import EmailMessage
from socket import gaierror
from qrcode import constants, QRCode
from json import loads
from hashlib import sha256
from os.path import abspath, basename, dirname, join
from math import floor
from configparser import ConfigParser, NoOptionError
from argparse import ArgumentParser
except ModuleNotFoundError:
print("\nIncomplete installation. Install required pip packages.")
print("List of required packages in 'requirements.txt' file.")
print("\nRun following command to install required packages:")
print("\n\npip install - r requirements.txt\n")
exit(-11)
# Configure platform-specific values
try:
# Only available on windows
from winsound import Beep
except ModuleNotFoundError:
# global is_not_win
is_not_win = True
class Faculty:
def __init__(self, filepath, token):
# Set class-wide attributes
# Assign parameters to class-wide variables
self.token_size = token
self.filepath = filepath
# Create shell containers for class-wide use
self.database = dict()
self.session_faculty = dict()
# Set static properties
self.date = int(datetime.now().month + datetime.now().day + datetime.now().year)
# Call methods in sequence
self.read_db()
self.generate_sessions()
# Read database file to shell container
def read_db(self):
try:
with open(self.filepath, mode='r') as faculty_file:
self.database = loads(faculty_file.read())
faculty_file.close()
except FileNotFoundError:
print('Required resources not complete! Check requirements.')
exit(-404)
# Generate sessions for present day
def generate_sessions(self):
# Hashing algorithm
for faculty in self.database:
# Mangle numerical part of faculty id with string part after having multiplied former with present date
mangler = faculty['Code'][:3] + str(int(faculty['Code'][3:]) * self.date)
# Stable hash creates instance of sha256() - onto hashing function
stable_hash = sha256()
# Pass mangler as c-string
stable_hash.update(mangler.encode())
# Generate hash-bytes
hash_bytes = stable_hash.digest()
# Convert hash bytes to integer; limit them by stable modulus hashing against token_size integer
faculty['session'] = int.from_bytes(hash_bytes, byteorder='big', signed=False) % self.token_size
# Authenticate session input
def auth(self, token):
# Check length of token against length of token_size(known); check if token is all digits
if len(token) <= len(str(self.token_size)) and token.isdigit():
# Check is token is a sub-string of database - optimization
if str(token) in str(self.database):
faculty = dict()
# Fetch first result whose hash matches with token
for faculty_member in self.database:
if int(token) == int(faculty_member['session']):
faculty = faculty_member
break
# Assign session faculty in first iteration only
if not str(faculty) == str(self.session_faculty):
self.session_faculty = faculty.copy()
return self.session_faculty
class Student:
def __init__(self, filepath, output_dir, console_output):
# Set class-wide attributes
# Assign parameters to class-wide variables
self.data_file = filepath
self.output_dir = output_dir
# Function bound to Application class; prints message to emulated console
self.console_output = console_output
# Create shell containers for class-wide use
self.database = list()
self.student_list = list()
# Call method in sequence
self.read_db()
# Read database file to shell container; sort list
def read_db(self):
try:
with open(self.data_file, mode='r') as database:
self.database = loads(database.read())
database.close()
except FileNotFoundError:
print('Required resources not complete! Check requirements.')
exit(-404)
# Sort database by roll_number in increasing order
self.database = sorted(self.database, key=lambda i: i['Roll_Number'])
# Validate attendee entry against database - uses binary search algorithm
def validate(self, roll, name, base_list=None, left_index=0, right_index=None):
# Case when called from outer scope
if not base_list and not left_index and not right_index:
base_list = self.database
right_index = len(self.database) - 1
# Check base case
if right_index >= left_index:
# Find middle of array length and floor it down to integer
mid = floor((left_index + right_index) / 2)
# If element is present at the middle itself
try:
if int(base_list[mid]['Roll_Number']) == int(roll) and str(base_list[mid]['Name']) == str(name):
return base_list[mid]
# If element is smaller than mid, check left_index subarray
elif int(base_list[mid]['Roll_Number']) > int(roll):
return self.validate(base_list=base_list, left_index=left_index, right_index=mid - 1,
roll=roll, name=name)
# Else check right subarray
else:
return self.validate(base_list=base_list, left_index=mid + 1, right_index=right_index,
roll=roll, name=name)
except ValueError:
return None
else:
# Element is not present in the array
return None
# Generate attendee QR code
def code_generator(self, main_application):
# Generate QR code for each attendee in dataset
for each_attendee in self.database:
# Print attendee data
self.console_output(list(each_attendee.values()))
# Set QR code instance properties and save it to output_dir folder
qr = QRCode(
version=1,
error_correction=constants.ERROR_CORRECT_H,
box_size=10,
border=4,
)
qr.add_data(list(each_attendee.values()))
qr.make(fit=True)
img = qr.make_image(fill_color="black", back_color="white")
img.save(join(self.output_dir, each_attendee['Roll_Number'] + ' - ' +
each_attendee['Name'] + '.png'), 'PNG')
# Unfreeze event loop - tell it to process events
main_application.processEvents()
class Token:
def __init__(self, faculty_path, output_dir, token_size, mailer_object, console_output):
# Set class-wide attributes
# Assign parameters to class-wide variables
self.token_size = token_size
self.faculty_path = faculty_path
self.output_dir = output_dir
# Function bound to Application class; prints message to emulated console
self.console_output = console_output
# Create shell containers for class-wide use
self.database = list()
# Fetch mailer object to enable mailing capabilities
self.mailer = mailer_object
# Set static properties
self.date = int(datetime.now().month + datetime.now().day + datetime.now().year)
# Call methods in sequence
self.read_db()
# Read database file to shell container
def read_db(self):
with open(self.faculty_path, mode='r') as database:
self.database = loads(database.read())
database.close()
# Generate sessions for present day; generate QR codes session token; mail QR codes to respective faculty
def generate_session(self, main_application):
# Iterate for each faculty entry in self.database:
for faculty in self.database:
# Mangle numerical part of faculty id with string part after having multiplied former with present date
mangler = (faculty['Code'])[:3] + str(int(faculty['Code'][3:]) * self.date)
# Stable hash creates instance of sha256() - onto hashing function
stable_hash = sha256()
# Pass mangler as c-string
stable_hash.update(mangler.encode())
# Generate hash-bytes
hash_bytes = stable_hash.digest()
# Convert hash bytes to integer; limit them by stable modulus hashing against token_size integer
faculty['session'] = int.from_bytes(hash_bytes, byteorder='big', signed=False) % self.token_size
# Print faculty data - without the actual tokens
self.console_output(list(faculty.values())[0:-1])
# Set QR code instance properties and save it to output_dir folder
qr = QRCode(version=1, box_size=10, border=4,
error_correction=constants.ERROR_CORRECT_H,)
qr.add_data(faculty['session'])
qr.make(fit=True)
img = qr.make_image(fill_color="black", back_color="white")
# Name of token file (image file, png extension) and path
token_name = faculty['Code'] + '_' + faculty['Name'].replace(' ', '_') + '.png'
img_path = join(self.output_dir, token_name)
# Save token file in PNG format
img.save(img_path, 'PNG')
# Mail token QR code to respective faculty
self.mailer.send_token(email=faculty['Email'], attachment=img_path, name=faculty['Name'])
# Unfreeze event loop - tell it to process events
main_application.processEvents()
class Timer:
def __init__(self, filepath):
# Read lecture breakpoints to a container dict()
try:
with open(filepath, mode='r') as breakpoints:
self.lecture = loads(breakpoints.read())
breakpoints.close()
except FileNotFoundError:
print('Required resources not complete! Check requirements.')
exit(-404)
# Read key name from timing.json file
key_name = list(self.lecture.keys())[0]
# Create list of time slots as tuple pairs from timing breakpoints
self.timing_list = [(i, j) for i, j in zip(self.lecture[key_name][:-1],
self.lecture[key_name][1:])]
# Determine time slot of current lecture
def lecture_time(self):
present = (datetime.now().year, datetime.now().month, datetime.now().day)
# Iterate over each time slot to determine if it encompasses current time
for entry in self.timing_list:
# Process time slot format for timing info
start_time, end_time = entry[0], entry[1]
start_hour = int(start_time[:start_time.index(':')])
start_minute = int(start_time[(start_time.index(':') + 1):])
end_hour = int(end_time[:end_time.index(':')])
end_minute = int(end_time[(end_time.index(':')+1):])
start = datetime(year=present[0], month=present[1], day=present[2], hour=start_hour, minute=start_minute)
end = datetime(year=present[0], month=present[1], day=present[2], hour=end_hour, minute=end_minute)
# Return matching time slot along with lecture end time
if start < datetime.now() < end:
return datetime(present[0], present[1], present[2],
hour=end_hour, minute=end_minute), self.timing_list.index(entry), entry
# Else return None if loop runs through
class Scheduler:
def __init__(self, batch_name, output_dir_path, path_timing, path_lecture, console_output):
# Set class-wide attributes
# Assign parameters to class-wide variables
self.date = str(datetime.now().year) + '{:02d}'.format(datetime.now().month) +\
'{:02d}'.format(datetime.now().day)
# Assign name of excel file (xlsx extension)
self.filename = batch_name + ' - ' + self.date + '.xlsx'
self.filepath = join(output_dir_path, self.filename)
self.path_timing = path_timing
self.path_lecture = path_lecture
self.temp_key = 'start'
# Function bound to Application class; prints message to emulated console
self.console_output = console_output
# Create shell containers for class-wide use
self.timing = dict()
self.lecture_table = dict()
# Call methods in sequence
self.structure()
# Read timing and lecture files; create timing structure
def structure(self):
with open(self.path_timing, mode='r') as time_points:
self.timing = loads(time_points.read())
time_points.close()
# Read key name from timing.json file
key_name = list(self.timing.keys())[0]
# Create list of time slots as tuple pairs from timing breakpoints and add to self.timing dictionary
self.timing[self.temp_key] = [(i, j) for i, j in zip(self.timing[key_name][:-1],
self.timing[key_name][1:])]
try:
with open(self.path_lecture, mode='r') as table:
self.lecture_table = loads(table.read())
table.close()
except FileNotFoundError:
print('Required resources not complete! Check requirements.')
exit(-404)
# Return subject name from lecture table
def lecture(self, section, index):
# Fetch lecture table only for the given section
lecture_schedule = self.lecture_table[section]
# Return subject name index present day with index lecture number
try:
return lecture_schedule[list(lecture_schedule.keys())[datetime.today().weekday()]][index]
except IndexError:
return None
# Generate lecture schedule excel file with multiple sheets for different sections
def schedule(self):
# Print message to let user know of this action
self.console_output('Generating lecture schedule (Excel file: ' + self.filename + ')')
# Instantiate writer engine - with path to export it to
writer = ExcelWriter(self.filepath, engine='xlsxwriter')
# Instantiate workbook object - bound to writer object
workbook = writer.book
# Add formatting options
# bold = workbook.add_format({'bold': True, 'center_across': True})
center = workbook.add_format({'center_across': True})
# Iterate over lectures dict() - may contain multiple lecture table record for different sections
for key, val in self.lecture_table.items():
# Key contains section name, val contains section schedule
# Create dataframe
data_frame = DataFrame(val.values(), index=val.keys(),
columns=[str(lecture_time).strip(')(').replace("'", "").replace(",", " -") for
lecture_time in self.timing[self.temp_key]])
# Add a worksheet to workbook - key is the name of the sheet
worksheet = workbook.add_worksheet(key)
writer.sheets[key] = worksheet
# Format column width
worksheet.set_column(0, (len(self.timing[self.temp_key])), 35, center)
# Add dataframe as a single sheet using writer engine
data_frame.to_excel(writer, sheet_name=key, index_label=key)
# Save writer file to the path passed as a parameter earlier
writer.save()
class Export:
def __init__(self, folder, name):
# Set class-wide attributes
# Assign parameters to class-wide variables
self.folder = folder
self.name = name
# Set static properties
self.present = str(datetime.now().year) + '-' + str(datetime.now().month) + '-' + str(datetime.now().day)
# Add date to filename to keep one file record for the entire day
self.file = self.name + ' ' + self.present + '.xlsx'
self.path = join(self.folder, self.file)
# Create and export dataframe from containers, to excel file(s)
def export(self, attendance):
# Instantiate writer engine - with path to export it to
writer = ExcelWriter(self.path, engine='xlsxwriter')
# Instantiate workbook object - bound to writer object
workbook = writer.book
# Add formatting options
bold = workbook.add_format({'bold': True, 'center_across': True})
center = workbook.add_format({'center_across': True})
# Iterate over attendance dict() - may contain multiple attendance record of entire day
for key, val in attendance.items():
# Key contains name of subject + time slot; perform segregation
lecture_time = key[key.index('('):]
key = key[:key.index('(')-1]
# Make key unique by adding timestamp to subject name
key = key[:25] + ' ' + lecture_time[1:lecture_time.index('-')].replace(':', '')
# Create host and attendees dataframes
host_df = DataFrame([val[list(val.keys())[0]]['Name'].title()],
index=[val[list(val.keys())[0]]['Code']],
columns=['Host Faculty'])
attendee_df = DataFrame([attendee['Name'].title() for attendee in val[list(val.keys())[1]]],
index=[attendee['Roll_Number'] for attendee in val[list(val.keys())[1]]],
columns=['Attendees']).sort_index()
# Add a worksheet to workbook - key is the name of the sheet
worksheet = workbook.add_worksheet(str(key))
writer.sheets[str(key)] = worksheet
worksheet.write_string(0, 0, lecture_time, bold)
worksheet.write_string(0, 1, key[:-5], bold)
# Format column width
worksheet.set_column(0, 1, 35, center)
# Add dataframes to a single sheet using writer engine
host_df.to_excel(writer, sheet_name=str(key), index_label='Code', startrow=1, startcol=0)
attendee_df.to_excel(writer, sheet_name=str(key), index_label='Roll Number',
startrow=host_df.shape[0] + 3, startcol=0)
# Save writer file to the path passed as a parameter earlier
writer.save()
# Return export filepath
return self.path
class Mailer:
def __init__(self, batch, email, password, hod_email, console_output, main_window):
# Set class-wide attributes
# Assign parameters to class-wide variables
self.email = email
self.password = password
self.hod_email = hod_email
self.batch = batch
# Function bound to Application class; prints message to emulated console
self.console_output = console_output
# Instance of main application - pass control of the event loop
self.main_window = main_window
# Create mail-able message containing attendance information
def send_attendance(self, attachment, attendees_len=None, lecture=None, email=None, lecture_len=None):
# Instantiate EmailMessage object
msg = EmailMessage()
msg['From'] = self.email
# Define case for mailing to host faculty
if attendees_len and lecture and email and not lecture_len:
msg['Subject'] = f'Lecture Attendance: {lecture}'
msg['To'] = email
msg.set_content(f'{attendees_len} attendees.\n\nDate: {datetime.today().date()} '
f'({datetime.now().strftime("%A")})\nLecture: {lecture}')
msg.add_alternative(f'<strong>{attendees_len} attendees.</strong><br><br>Date: {datetime.today().date()} '
f'({datetime.now().strftime("%A")})<br>Lecture: {lecture}', subtype='html')
# Define case for mailing to HOD
elif lecture_len:
msg['Subject'] = f'Attendance {self.batch} {datetime.today().date()}'
msg['To'] = self.hod_email
msg.set_content(f'{lecture_len} lectures held today.\n\nDate: {datetime.today().date()} '
f'({datetime.now().strftime("%A")}).')
msg.add_alternative(f'<strong>{lecture_len} lectures held today.</strong><br><br>Date: '
f'{datetime.today().date()} ({datetime.now().strftime("%A")}).', subtype='html')
# Read attachment file from file system
with open(attachment, mode='rb') as record:
record_data = record.read()
record_name = basename(record.name)
# Add attachment to message
msg.add_attachment(record_data, maintype='application', subtype='octet-stream', filename=record_name)
# Pass message to send mail
self.send(msg)
# Create mail-able message containing session token
def send_token(self, attachment, email=None, name=None):
# Instantiate EmailMessage object
msg = EmailMessage()
msg['From'] = self.email
# Makes sure name and email of the faculty are given - deprecated other case where only name is given
if email and name:
msg['Subject'] = f'Access Token: {name}'
msg['To'] = email
msg.set_content(f'Valid for: {datetime.today().date()} ({datetime.now().strftime("%A")})')
msg.add_alternative(f'Valid for: <strong>{datetime.today().date()}</strong> '
f'({datetime.now().strftime("%A")})', subtype='html')
# Read attachment file from file system
with open(attachment, mode='rb') as record:
record_data = record.read()
record_name = basename(record.name)
# Add attachment to message
msg.add_attachment(record_data, maintype='image', subtype='png', filename=record_name)
# Pass message to send mail function
self.send(msg)
# Send mail
def send(self, message):
# Try sending mail
try:
with SMTP_SSL('smtp.gmail.com', 465) as smtp:
# Login to controller account; print message
self.console_output('Sending mail now!')
smtp.login(self.email, self.password)
# Unfreeze event loop - network operation
self.main_window.processEvents()
# Send message
smtp.send_message(message)
# Except cases for connection error, socket busy, or authentication failure - print message
except SMTPAuthenticationError:
self.console_output('Authentication Failure!\nCheck credentials in Configuration section.\n'
'Also check support for less secure apps in your account:\n'
'Login to controller account.\nGoto: myaccount.google.com/lesssecureapps\n'
'Allow less secure apps access.\n\nToken saved locally instead')
except (gaierror, SMTPServerDisconnected, SMTPRecipientsRefused, OSError) as connectionError:
self.console_output('Failure to establish connection with the server.\nToken saved locally instead.')
class Config:
def __init__(self, qicon, obj, console_output):
# Set class-wide attributes
# Assign parameters to class-wide variables
self.obj = obj
self.console_output = console_output
self.qicon = qicon
self.qtranslate = self.qtranslate = QtCore.QCoreApplication.translate
self.centralwidget_name = 'dashboard'
# Launch QDialog box to configure AMC values
def config_manager(self):
# Instantiate QDialog() object and set it's properties
config_dialog = QtWidgets.QDialog()
config_dialog.setObjectName(self.centralwidget_name)
config_dialog.setFixedSize(544, 346)
config_dialog.setWindowTitle(self.qtranslate(self.centralwidget_name, "AMC Configure"))
config_dialog.setWindowIcon(self.qicon)
# Instantiate QPushButton() object as Save button
self.save_button = QtWidgets.QPushButton(config_dialog)
# Read config items from config value(s) imported earlier
self.configurations = self.obj.attribute.config.items(self.obj.attribute.config.sections()[0])
# Create records and reverse-lookup records for future use
self.key_name = {'token_limit': 'Token Limit: ',
'warning_period_minutes': 'Warning Time (Minutes): ',
'batch_name': r'Batch/Section Name: ',
'hod_email': 'Department Central Email: ',
'amc_email': 'Controller Email: ',
'amc_password': 'Controller Password: '}
self.val_name = {v: k for k, v in self.key_name.items()}
# Keep count on function calls
self.count = 0
# Length values for element placement on QDialog box
_txtbox_offset_x_ = 30
_txtbox_height_ = 25
_txtbox_offset_margin_ = 15
# Dynamically instantiate QLabels and QLineText fields as per items in config container
for element in self.configurations:
setattr(self, 'label_' + element[0], QtWidgets.QLabel(config_dialog))
label = getattr(self, 'label_' + element[0])
label.setGeometry(QtCore.QRect(40, _txtbox_offset_x_, 225, _txtbox_height_))
# label.setFrameShape(QtWidgets.QFrame.Box)
label.setText(self.qtranslate(self.centralwidget_name, self.key_name[element[0]]))
label.setAlignment(QtCore.Qt.AlignCenter)
setattr(self, 'txtbox_' + element[0], QtWidgets.QLineEdit(config_dialog))
txt_box = getattr(self, 'txtbox_' + element[0])
txt_box.setGeometry(QtCore.QRect(275, _txtbox_offset_x_, 225, _txtbox_height_))
txt_box.setText(self.qtranslate(self.centralwidget_name, element[1]))
txt_box.setAlignment(QtCore.Qt.AlignCenter)
# Update offset value for next set of placements
_txtbox_offset_x_ = _txtbox_offset_x_ + _txtbox_height_ + _txtbox_offset_margin_
# Define click slot to connect to save_config() function
self.save_button.clicked.connect(partial(self.save_config, label, txt_box))
# Translate save_button properties
self.save_button.setGeometry(
QtCore.QRect(40, _txtbox_offset_x_+10, 460, int(_txtbox_height_ * 1.5)))
self.save_button.setText(self.qtranslate(self.centralwidget_name, 'Save Configuration'))
# Show dialog box
config_dialog.show()
config_dialog.exec_()
# Function to save updated configuration
def save_config(self, qlabel, qtxtbox):
# Set values to config instance
self.obj.attribute.config.set(self.obj.attribute.config.sections()[0],
self.val_name[qlabel.text()], qtxtbox.text())
# Update count - this function gets called mutiple times for a single click due to multiple slots
# Save only once when all calls are executed; update count
self.count = self.count + 1
if self.count == len(self.configurations):
# Save configuration container to a file
with open(self.obj.path_config, mode='w') as config_file:
self.obj.attribute.config.write(config_file)
config_file.close()
# Print message and update count
self.console_output('Configuration saved! Restart application to load new settings.')
self.count = 0
class Attribute:
# Meta class
# Pre-set attributes that define behaviour of application; Used by all other classes
def __init__(self, path_config):
# Instantiate ConfigParser class; read config.ini file
self.config = ConfigParser()
self.config.read(path_config)
# Import values from configuration file
try:
_index_name_ = self.config.sections()[0]
except IndexError:
print('Configuration file does not exist, or is empty! Application couldn\'t start.')
exit(-100)
try:
self.tokenLimit = self.config.getint(_index_name_, 'token_limit')
self.warning_period_minutes = self.config.getint(_index_name_, 'warning_period_minutes')
self.batch_name = self.config.get(_index_name_, 'batch_name')
self.hod_email = self.config.get(_index_name_, 'hod_email')
self.amc_email = self.config.get(_index_name_, 'amc_email')
self.amc_password = self.config.get(_index_name_, 'amc_password')
except NoOptionError:
print('Improper configuration file! Application couldn\'t start.')
exit(-100)
self.isAuthenticated = False
self.isWarned = False
self.isFlushed = False
self.host_faculty = dict()
self.attendees = list()
self.attendance_all = dict()
self.lecture_time = list()
self.lecture_number = int()
class Object:
# Meta class
# Instantiate objects as utilities needed by other classes
def __init__(self, console_output, qicon, application_window):
# Meta - assign folder names containing other folders or file; fetch their absolute path
self.json_folder_name = 'resource'
self.database_folder_name = 'database'
self.config_folder_name = 'config'
self.json_folder_path = abspath(join(dirname(__file__), self.json_folder_name))
self.database_folder_path = abspath(join(dirname(__file__), self.database_folder_name))
self.config_folder_path = abspath(join(dirname(__file__), self.config_folder_name))
# Assign filename containing operational info; fetch their path - uses meta
self.file_faculty = 'faculty.json'
self.file_student = 'student.json'
self.file_lecture = 'lecture.json'
self.file_timing = 'timing.json'
self.path_faculty = join(self.json_folder_path, self.file_faculty)
self.path_student = join(self.json_folder_path, self.file_student)
self.path_lecture = join(self.json_folder_path, self.file_lecture)
self.path_timing = join(self.json_folder_path, self.file_timing)
# Assign folders to export to; fetch path - uses meta
self.token_folder_name = 'session'
self.attendee_folder_name = 'attendees'
self.schedule_folder_name = 'schedule'
self.attendance_folder_name = 'attendance'
self.token_folder_path = join(self.database_folder_path, self.token_folder_name)
self.attendee_folder_path = join(self.database_folder_path, self.attendee_folder_name)
self.schedule_folder_path = join(self.database_folder_path, self.schedule_folder_name)
self.attendance_folder_path = join(self.database_folder_path, self.attendance_folder_name)
# Assign configuration file
self.file_config = 'config.ini'
self.path_config = join(self.config_folder_path, self.file_config)
# Instantiate objects
# Create instance of Attribute class to fetch attributes from
# Import console_output instance bound to Application application which renders output message to
# emulated console - this needs to be passed as an argument to other classes
self.attribute = Attribute(self.path_config)
self.console_output = console_output
# Instantiate objects using __init__() and attribute object values
self.faculty = Faculty(filepath=self.path_faculty, token=self.attribute.tokenLimit)
self.student = Student(filepath=self.path_student, output_dir=self.attendee_folder_path,
console_output=self.console_output)
self.export = Export(folder=self.attendance_folder_path, name=self.attribute.batch_name)
self.timer = Timer(filepath=self.path_timing)
self.scheduler = Scheduler(batch_name=self.attribute.batch_name, output_dir_path=self.schedule_folder_path,
path_lecture=self.path_lecture, path_timing=self.path_timing,
console_output=self.console_output)
self.mailer = Mailer(batch=self.attribute.batch_name, email=self.attribute.amc_email,
password=self.attribute.amc_password, hod_email=self.attribute.hod_email,
console_output=self.console_output, main_window=application_window)
self.token = Token(faculty_path=self.path_faculty, output_dir=self.token_folder_path,
token_size=self.attribute.tokenLimit, mailer_object=self.mailer,
console_output=self.console_output)
self.config = Config(obj=self, console_output=self.console_output, qicon=qicon)
# Function when called returns instance of attribute object used in this class
def return_attribute_obj(self):
return self.attribute
class Utility:
# Non-visual feedback - audio
def beep(self, frequency=2500, duration=300):
global is_not_win
if not is_not_win:
Beep(frequency, duration) # Based on Windows API - Single platform support
else:
print('\a') # Cross platform. Limited control over frequency and duration
# Warn using feedback mechanism - audio
def warn(self):
self.attribute.isWarned = True
self.attribute.isFlushed = False
self.console_output('Warning Generated!')
self.beep(frequency=5000, duration=2000)
# Flush attendance if lecture over, or on program close
def flush(self):
# If system isn't authenticated, return execution sequence
if not self.attribute.isAuthenticated:
return
# If host faculty present, starts export procedure
if self.attribute.host_faculty:
# Collective dictionary with lecture record
attendance = dict()
# Assign copies of dictionary not alias
attendance['host'] = self.attribute.host_faculty.copy()
attendance['attendees'] = self.attribute.attendees.copy()
# Export attendance; return unique subject key
key = self.export_attendance(attendance)
# If key returned, add attendance entry to total lecture record of day with key as index
if key:
self.attribute.attendance_all[key] = attendance.copy()
else:
return
# Set flags for warning and flush state; clear exported lecture records
self.attribute.isFlushed = True
self.attribute.isAuthenticated = False
self.attribute.host_faculty.clear()
self.attribute.attendees.clear()
self.obj.student.student_list.clear()
# Print message and give feedback
self.console_output('Attendance Flushed!')
self.beep(frequency=3500, duration=1000)
# Adjust parameters and call export functions
def export_attendance(self, attendance):
# Fetch subject name from Scheduler class based on batch_name and lecture_number
subject = self.obj.scheduler.lecture(self.attribute.batch_name, self.attribute.lecture_number)
# Create shell container to store attendance contents
attendance_dict = dict()
# Create unique key by concatenating subject name and lecture time slot of current lecture
key_name = subject + ' ' +\
str(self.attribute.lecture_time).replace("['", "(").replace("']", ")").replace("', '", "-")
# Add lecture record to whole day's attendance
attendance_dict[key_name] = attendance.copy()
# Call export function which returns path of excel_file it created
excel_file = self.obj.export.export(attendance_dict)
# Mail attendance record to host faculty's email - pass excel file path as parameter
self.obj.mailer.send_attendance(attachment=excel_file, email=self.attribute.host_faculty['Email'],
attendees_len=len(self.attribute.attendees), lecture=subject)
# Return unique key
return key_name
# Set authentication flags; provide authentication feedback
def auth(self, faculty_data):
self.attribute.isAuthenticated = True
self.attribute.host_faculty = faculty_data
self.console_output(f"Lecture held by: {faculty_data['Name']} ({faculty_data['Code']})")
self.beep(frequency=2500, duration=1250)
# Print text on frame
def frame_text(self, frame, text, font=cv2.FONT_HERSHEY_PLAIN):
cv2.putText(
img=frame,
text=text,
org=(5, 30),
fontFace=font,
fontScale=1.5,
color=(255, 0, 0),
thickness=3)
# Add attendee record; give feedback
def attend(self, attendee):
if str(attendee) not in str(self.attribute.attendees):
self.attribute.attendees.append(attendee)
self.beep(frequency=2500, duration=300)
# Disable interface capabilties.
def college_over(self):
if not self.obj.timer.lecture_time():
self.button_monitor.setDisabled(True)
self.button_monitor.setText(self.qtranslate(self.centralwidget_name, 'Outside College Working Hours'))
# Check weekday and compare against time table.
def is_holiday(self):
# Check if section name matches one in database
for section in self.obj.scheduler.lecture_table:
# Fetch section data
if self.attribute.batch_name == section:
# Check if section doesn't have lecture entries in present day schedule
# Print message and partially disable interface capabilities
if not datetime.now().strftime("%A") in str(self.obj.scheduler.lecture_table[section].keys()):
self.btn_monitor.setText(self.qtranslate(self.centralwidget_name, 'College is off today!'))
for btn in self.buttons:
if btn == 'btn_schedule' or btn == 'btn_attendee' or btn == 'btn_config':
continue
getattr(self, btn).setDisabled(True)
# Break loop to prevent execution of 'else' block
break
# No match found for section name - print message and partially disable interface capabilities
else:
self.console_output('Section name not found in database!')
for btn in self.buttons:
if btn == 'btn_schedule' or btn == 'btn_config':
continue
getattr(self, btn).setDisabled(True)
class Monitor(Utility):
# Start attendance monitor - write authentication check and control here
def monitor_cam(self):
# Print message
self.console_output('Starting monitor mode...')
# Setup video capture stream from specified capture device
self.capture = cv2.VideoCapture(self.capture_device, cv2.CAP_DSHOW)
# Change START on button_monitor to STOP
self.button_monitor.setText(self.qtranslate(self.centralwidget_name, 'STOP Monitor'))
# If self.monitor is True, attendance monitor starts
# Disable window close button
self.main_window.setWindowFlag(QtCore.Qt.WindowCloseButtonHint, False)
# Main window closes on close button state change - show window again
if not self.main_window.isVisible():
self.main_window.show()
while self.monitor:
# Check for lecture time, warning, lecture_flush, college over & total_flush - move this step up sequence
time_check = self.time_check()
if time_check == -1:
return
# Capture frames from self.capture source and flips them correctly
_, frame = self.capture.read()
frame = cv2.flip(frame, 1)