-
Notifications
You must be signed in to change notification settings - Fork 11
/
Copy pathcreate.py
271 lines (239 loc) · 10.2 KB
/
create.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
"""
This module allows for the conversion from strings / tokens of strings
to actual condition objects.
"""
import json
import re
from typing import Optional, Tuple
from algorithms.objects.categories import (
Category,
CompositeCategory,
ClassCategory,
CourseCategory,
FacultyCategory,
LevelCategory,
LevelCourseCategory,
SchoolCategory,
)
from algorithms.objects.conditions import (
CompositeCondition,
CoresCondition,
CoreqCourseCondition,
CourseCondition,
CourseExclusionCondition,
GradeCondition,
ProgramCondition,
ProgramExclusionCondition,
ProgramTypeCondition,
SpecialisationCondition,
UOCCondition,
WAMCondition,
)
from algorithms.objects.helper import (
Logic,
get_grade,
get_uoc,
get_wam,
is_course,
is_grade,
is_program,
is_program_type,
is_specialisation,
is_uoc,
is_wam,
get_level_category,
get_course_category
)
# Load in cached exclusions
CACHED_EXCLUSIONS_PATH = "algorithms/cache/exclusions.json"
with open(CACHED_EXCLUSIONS_PATH, "r", encoding="utf8") as f:
CACHED_EXCLUSIONS = json.load(f)
def create_category(tokens) -> Tuple[Optional[Category], int]: # pylint: disable=too-many-return-statements
"""
Given a list of tokens starting from after the connector keyword, create
and return the category object matching the category, as well as the current index
of the token list.
Returns:
Category - Category object matching the category list
int: The current index of the the token list
"""
# At most we will only parse 1 or 2 tokens so no need for an iterator
# NOTE: There will always be at least 2 tokens due to a closing ")" bracket
# so it is safe to check tokens[1]
if tokens[0] == "(":
# Composite category
# NOTE: there will always be at least 3 tokens due to a closing ")" bracket
# and empty brackets won't be generated by the tokenizer
# so it is safe to check tokens[2]
category = CompositeCategory()
opposite_logic = None
if tokens[2] == "||":
opposite_logic = "&&"
category.set_logic(Logic.OR)
elif tokens[2] == "&&":
opposite_logic = "||"
category.set_logic(Logic.AND)
token_iter = enumerate(tokens)
# skip opening parenthesis to avoid infinite recursion
next(token_iter)
for index, token in token_iter:
if token == opposite_logic:
# (COND1 || COND2 && COND3) or similar combinations is undefined
print("WARNING: Found an undefined logic combination. Skipping.")
return None, index - 1
if token == category.logic.value:
continue
if token == ")":
# We've reached the end of the condition
return category, index - 1
sub_category, sub_index = create_category(tokens[index:])
if sub_category is not None:
# don't throw errors for None categories
# most likely they are one of (||, &&)
# TODO: should this be revisited?
category.add_category(sub_category)
# skip the tokens used in the sub-category
# should only be more than one if the sub-category is a composite
[next(token_iter) for _ in range(sub_index)]
if re.match(r"^[A-Z]{4}$", tokens[0], flags=re.IGNORECASE):
# Course type
return CourseCategory(tokens[0]), 0
if re.match(r"^L[0-9]$", tokens[0], flags=re.IGNORECASE):
# Level category. Get the level, then determine next token if there is one
level = get_level_category(tokens[0])
if re.match(r"^[A-Z]{4}$", tokens[1], flags=re.IGNORECASE):
# Level Course Category. e.g. L2 MATH
course_code = get_course_category(tokens[1])
return LevelCourseCategory(level, course_code), 1
# There are no tokens after this. Simple level category
return LevelCategory(level), 0
# TODO: Levels (e.g. SPECIALISATIONS, PROGRAM)
# These don't have categories, do they need a category?
return (
(SchoolCategory(f"{tokens[0]} {tokens[1]}"), 1)
if re.match(r"^S$", tokens[0], flags=re.IGNORECASE)
else (FacultyCategory(f"{tokens[0]} {tokens[1]}"), 1)
if re.match(r"^F$", tokens[0], flags=re.IGNORECASE)
else (ClassCategory(tokens[0]), 0)
if re.match(r"^[A-Z]{4}[0-9]{4}$", tokens[0], flags=re.IGNORECASE)
else (None, 0) # No match, 1 token consumed
)
def create_condition(tokens, course=None) -> Optional[CompositeCondition]:
"""
The main wrapper for make_condition so we don't get 2 returns.
Given the parsed logical tokens list (assuming starting and ending bracket),
and optionally a course for which this condition applies to,
returns the condition
"""
return make_condition(tokens, True, course)[0]
def make_condition(tokens, first=False, course=None) -> Tuple[Optional[CompositeCondition], int]:
"""
To be called by create_condition
Given the parsed logical tokens list, (assuming starting and ending bracket),
return the condition object and the index of that (sub) token list
"""
# Everything is wrapped in a CompositeCondition
result = CompositeCondition()
# Add exclusions
if first and CACHED_EXCLUSIONS.get(course):
# NOTE: we dont check for broken exclusions
for exclusion in CACHED_EXCLUSIONS[course].keys():
if is_course(exclusion):
result.add_condition(CourseExclusionCondition(exclusion))
elif is_program(exclusion):
result.add_condition(ProgramExclusionCondition(exclusion))
# Define index before loop to prevent undefined return
index = 0
item = enumerate(tokens)
for index, token in item:
if token == "(":
# Parse content in bracket 1 layer deeper
sub_result, sub_index = make_condition(tokens[index + 1 :])
if sub_result is None:
# Error. Return None
return None, index + sub_index
# Adjust the current position to scan the next token after this sub result
result.add_condition(sub_result)
[next(item) for _ in range(sub_index + 1)]
elif token == ")":
# End parsing and go up one layer
return result, index
elif token == "&&":
# AND type logic
result.set_logic(Logic.AND)
elif token == "||":
# OR type logic
result.set_logic(Logic.OR)
elif token == "[":
# Beginning of co-requisite. Always composite. Parse courses and logical
# operators until closing "]"
coreq_cond = CompositeCondition()
i = 1 # Helps track our index offset to parse this co-requisite
while tokens[index + i] != "]":
if is_course(tokens[index + i]):
coreq_cond.add_condition(CoreqCourseCondition(tokens[index + i]))
elif tokens[index + i] == "&&":
coreq_cond.set_logic(Logic.AND)
elif tokens[index + i] == "||":
coreq_cond.set_logic(Logic.OR)
else:
# Error, bad token processed. Return None
return None, index + i
i += 1
next(item)
result.add_condition(coreq_cond)
# Skip the closing "]" so the iterator will continue with the next token
next(item)
elif is_course(token):
# Condition for a single course
result.add_condition(CourseCondition(token))
elif is_program(token):
result.add_condition(ProgramCondition(token))
elif is_specialisation(token):
result.add_condition(SpecialisationCondition(token))
elif is_program_type(token):
result.add_condition(ProgramTypeCondition(token))
else:
cond: UOCCondition | WAMCondition | GradeCondition | CoresCondition | CompositeCondition
if is_uoc(token):
# Condition for UOC requirement
cond = UOCCondition(get_uoc(token))
elif is_wam(token):
# Condition for WAM requirement
cond = WAMCondition(get_wam(token))
elif is_grade(token):
# Condition for GRADE requirement (mark in a single course)
cond = GradeCondition(get_grade(token), "")
elif token == "CORES":
# Condition for Core Course completion requirement
cond = CoresCondition()
else:
# Unmatched token. Error
return None, index + 1
if index + 1 < len(tokens) and tokens[index + 1] == "in":
# Create category according to the token after 'in'
next(item) # Skip "in" keyword
# Get the category of the condition
category, sub_index = create_category(tokens[index + 2:])
if category is None:
# Error. Return None.
return None, index
if isinstance(cond, GradeCondition):
# special, only allow class categories
grade_cond = cond
cond = CompositeCondition()
if isinstance(category, CompositeCategory):
cond.set_logic(category.logic)
for class_category in category.categories:
if isinstance(class_category, ClassCategory):
cond.add_condition(GradeCondition(grade_cond.grade, class_category.class_name))
elif isinstance(category, ClassCategory):
cond = GradeCondition(grade_cond.grade, category.class_name)
else:
print("WARNING: failed to parse! Grade condition too complex.")
else:
# Add the category to the condition and adjust the current index position
cond.set_category(category)
[next(item) for _ in range(sub_index + 1)]
result.add_condition(cond)
return result, index