-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathcheckLaTeX.py
490 lines (478 loc) · 19.8 KB
/
checkLaTeX.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
import os
from sys import argv, executable, exit
from re import findall
from time import sleep
PLATFORM = __import__("platform").system().upper()
os.chdir(os.path.abspath(os.path.dirname(__file__)))
EXIT_SUCCESS = 0
EXIT_FAILURE = 1
CLEAR_SCREEN_COMMAND = ("CLS" if PLATFORM == "WINDOWS" else "clear") if __import__("sys").stdin.isatty() else None
STARTUP_COMMAND_FORMAT = "START \"\" \"{0}\" \"{1}\" \"{2}\"" if PLATFORM == "WINDOWS" else "\"{0}\" \"{1}\" \"{2}\"&"
class DebugLevel:
defaultCharacter = "?"
defaultName = "*"
defaultSymbol = "[?]"
defaultValue = 0
def __init__(self:object, d:dict) -> object:
self.character = d["character"] if "character" in d else DebugLevel.defaultCharacter
self.name = d["name"] if "name" in d else DebugLevel.defaultName
self.symbol = d["symbol"] if "symbol" in d else DebugLevel.defaultSymbol
self.value = d["value"] if "value" in d else DebugLevel.defaultValue
def __eq__(self:object, other:object) -> bool:
if isinstance(other, DebugLevel):
return self.value == other.value
elif isinstance(other, (int, float)):
return self.value == other
else:
return False
def __ne__(self:object, other:object) -> bool:
if isinstance(other, DebugLevel):
return self.value != other.value
elif isinstance(other, (int, float)):
return self.value != other
else:
return True
def __lt__(self:object, other:object) -> bool:
if isinstance(other, DebugLevel):
return self.value < other.value
elif isinstance(other, (int, float)):
return self.value < other
else:
raise TypeError("TypeError: '<' not supported between instances of '{0}' and '{1}'".format(type(self), type(other)))
def __le__(self:object, other:object) -> bool:
if isinstance(other, DebugLevel):
return self.value <= other.value
elif isinstance(other, (int, float)):
return self.value <= other
else:
raise TypeError("TypeError: '<=' not supported between instances of '{0}' and '{1}'".format(type(self), type(other)))
def __gt__(self:object, other:object) -> bool:
if isinstance(other, DebugLevel):
return self.value > other.value
elif isinstance(other, (int, float)):
return self.value > other
else:
raise TypeError("TypeError: '>' not supported between instances of '{0}' and '{1}'".format(type(self), type(other)))
def __ge__(self:object, other:object) -> bool:
if isinstance(other, DebugLevel):
return self.value >= other.value
elif isinstance(other, (int, float)):
return self.value >= other
else:
raise TypeError("TypeError: '>=' not supported between instances of '{0}' and '{1}'".format(type(self), type(other)))
def __str__(self:object) -> str:
return str(self.symbol)
Prompt = DebugLevel({"character":"P", "name":"Prompt", "symbol":"[P]", "value":100})
Critical = DebugLevel({"character":"C", "name":"Critical", "symbol":"[C]", "value":50})
Error = DebugLevel({"character":"E", "name":"Error", "symbol":"[E]", "value":40})
Warning = DebugLevel({"character":"W", "name":"Warning", "symbol":"[W]", "value":30})
Info = DebugLevel({"character":"I", "name":"Info", "symbol":"[I]", "value":20})
Debug = DebugLevel({"character":"D", "name":"Info", "symbol":"[D]", "value":10})
class Include:
def __init__(self:object) -> object:
self.__included = {} #
def compress(self:object, target:str, callby:str, lineCount:int, chCount:int) -> bool:
if isinstance(target, str) and isinstance(callby, str) and isinstance(lineCount, int) and isinsttance(chCount, int) and os.path.isabs(target) and os.path.isabs(callby):
if target in self.__included:
return False
else:
self.__included[target] = (callby, lineCount, chCount)
else:
return False
def __str__(self:object) -> str:
return str(self.__included)
class Structure:
def __init__(self:object, name:str, content:str, debugLevel:int = 0) -> object:
self.__name = str(name).replace("\"", "").replace("'", "").replace("\n", "").replace("\r", "")
self.__content = str(content)
if isinstance(debugLevel, DebugLevel):
self.__debugLevel = debugLevel
else:
try:
self.__debugLevel = int(debugLevel)
except:
self.__debugLevel = 0
self.__printWithStatus("The debug level specified is invalid. It is defaulted to 0. ", Warning)
self.__lines = None
self.__children = []
def __printWithStatus(self:object, strings:str, status:int|DebugLevel = Info) -> bool:
if isinstance(status, DebugLevel):
if status >= self.__debugLevel:
print("{0} {1}".format(status, strings))
return True
elif isinstance(status, int) and status >= 0:
print("{0} {1}".format("\t" * status, strings))
return True
else:
print(strings)
return False
def __locateTarget(self:object, target:str, i:int = 0, j:int = 0, useStack:bool = False) -> tuple:
m, n, length = i, j, len(self.__lines)
escapeFlag = False
while m < length:
line = self.__lines[m]
lineLength = len(line)
while n < lineLength:
ch = line[n]
if ch == "\\":
if escapeFlag: # "\\"
escapeFlag = False
elif line[n:].replace(" ", "").replace("\t", "").startswith(target):
cnt = len(target)
while cnt:
if line[n] not in (" ", "\t"):
cnt -= 1
n += 1
self.__printWithStatus("Locate at ({0}, {1}). ".format(m, n), Debug)
return (m, n)
elif ch == "%":
if escapeFlag:
escapeFlag = False
else:
break
elif escapeFlag:
escapeFlag = False
n += 1
n = 0
m += 1
self.__printWithStatus("Locate at (float(\"inf\"), float(\"inf\")). ", Debug)
return (float("inf"), float("inf")) # not found
def __fetchContent(self:object, startLineIdx:int, startCharIdx:int, endLineIdx:int = float("inf"), endCharIdx:int = float("inf")) -> str: # a closed interval
# pre-process #
if not self.__lines:
return ""
length = len(self.__lines)
if startLineIdx == -float("inf") or isinstance(startLineIdx, int) and startLineIdx < -length:
startLineIndex = 0
elif isinstance(startLineIdx, int) and -length <= startLineIdx < length:
startLineIndex = length + startLineIdx if startLineIdx < 0 else startLineIdx
else: # including situations of right over bound, float("inf"), and unexpected types
return ""
startLineLength = len(self.__lines[startLineIndex])
if startCharIdx == -float("inf") or isinstance(startCharIdx, int) and startCharIdx < -startLineLength:
startCharIndex = 0
elif isinstance(startCharIdx, int) and -startLineLength <= startCharIdx < startLineLength:
startCharIndex = startLineLength + startCharIdx if startCharIdx < 0 else startCharIdx
elif startCharIdx == float("inf") or isinstance(startCharIdx, int) and startCharIdx >= startLineLength: # right over bound
startCharIndex = startLineLength
else: # unexpected types
return ""
if endLineIdx == float("inf") or isinstance(endLineIdx, int) and endLineIdx >= length:
endLineIndex = length
elif isinstance(endLineIdx, int) and -length <= endLineIdx < length:
endLineIndex = length + endLineIdx if endLineIdx < 0 else endLineIdx
else: # including situations of left over bound, -float("inf"), and unexpected types
return ""
endLineLength = len(self.__lines[endLineIndex]) if endLineIndex < length else 0
if endCharIdx == float("inf") or isinstance(endCharIdx, int) and endCharIdx >= endLineLength:
endCharIndex = endLineLength
elif isinstance(endCharIdx, int) and -endLineLength <= endCharIdx < endLineLength:
endCharIndex = endLineLength + endCharIdx if endCharIdx < 0 else endCharIdx
elif endCharIdx == -float("inf") and isinstance(endCharIdx, int) and endCharIdx < -endLineLength:
endCharIndex = 0
else: # unexpected types
return ""
# process #
if startLineIndex > endLineIndex:
return ""
elif endLineIndex == startLineIndex:
return self.__lines[startLineIndex][startCharIndex:endCharIndex + 1]
else:
return "\n".join([self.__lines[startLineIndex][startCharIndex:]] + self.__lines[startLineIndex:endLineIndex] + ([self.__lines[endLineIndex][:endLineIndex + 1]] if endLineIndex < length else []))
def __handleLatexCommand(self:object, latexCommand:str, madatoryOptions:list, optionalOptions:list, i:int, j:int) -> tuple:
if latexCommand == "\\documentclass":
self.__printWithStatus("Got LaTeX Command: " + latexCommand + "{" + ",".join(madatoryOptions) + "}[" + ",".join(optionalOptions) + "]", Debug)
m, n = self.__locateTarget("\\documentclass", i, j)
self.__children.append(Structure("documentclass", self.__fetchContent(i, j, m, n)))
self.__children[-1].resolve()
return (m, n)
elif latexCommand == "\\begin":
m, n = self.__locateTarget("\\end{" + ",".join(madatoryOptions) + "}", i, j, True)
self.__children.append(Structure(",".join(madatoryOptions), self.__fetchContent(i, j, m, n)))
self.__children[-1].resolve()
return (m, n)
elif latexCommand == "\\input":
return (float("inf"), float("inf"))
else:
return (float("inf"), float("inf"))
def resolve(self:object) -> bool:
self.__children.clear() # reset
skipToI, skipToJ = None, None # control skipping
self.__lines = self.__content.split("\n")
i, length = 0, len(self.__lines)
while i < length: # use while to make the index variable i controllable
line = self.__lines[i]
lineLength = len(line)
if skipToJ is None:
j = 0
else: # i and j were skipped together
j = skipToJ
skipToJ = None # reset
escapeFlag = False
while j < lineLength: # use while to make the index variable j controllable
if line[j] == "\\":
if escapeFlag:
escapeFlag = False
else:
startLocation = j
j += 1
while j < lineLength and ("A" <= line[j] <= "Z" or "a" <= line[j] <= "z"):
j += 1
endLocation = j
if endLocation - startLocation <= 1: # escape
escapeFlag =True
else: # LaTeX command
latexCommand = line[startLocation:endLocation]
madatoryFlag, optionalFlag = False, False # to avoid {}[]{} or []{}[]
madatoryOptions, optionalOptions = [], []
while j < lineLength: # Here the variable escapeFlag must be False
if line[j] == "{":
if madatoryFlag:
break
else:
j += 1
startLocation = j
bracketCount = 0
while j < lineLength:
if line[j] == "{":
if escapeFlag:
escapeFlag = False
else:
bracketCount += 1
elif line[j] == "}":
if escapeFlag:
escapeFlag = False
elif bracketCount == 0: # get the full list of madatory options
endLocation = j
madatoryOptions = line[startLocation:endLocation].replace(" ", "").replace("\t", "").split(",")
j += 1
break
else:
bracketCount -= 1
elif line[j] == "\\":
escapeFlag = True
j += 1
elif line[j] == "[":
if optionalFlag:
break
else:
j += 1
startLocation = j
bracketCount = 0
while j < lineLength:
if line[j] == "[":
if escapeFlag:
escapeFlag = False
else:
bracketCount += 1
elif line[j] == "]":
if escapeFlag:
escapeFlag = False
elif bracketCount == 0: # get the full list of optional options
endLocation = j
optionalOptions = line[startLocation:endLocation].replace(" ", "").replace("\t", "").split(",")
j += 1
break
else:
bracketCount -= 1
elif line[j] == "\\":
escapeFlag = True
j += 1
elif line[j] in (" ", "\t"):
j += 1
else: # not options
break
skipToI, skipToJ = self.__handleLatexCommand(latexCommand, madatoryOptions, optionalOptions, i, j)
if skipToI is not None:
break # stop parsing the current line and skip to the specified line
elif line[j] == "%":
if escapeFlag:
escapeFlag = False
else:
break # ignore the comments and start to consider the next line
else:
escapeFlag = False
if skipToJ is None:
j += 1
else:
j = skipToJ
skipToJ = None # reset
if skipToI is None:
i += 1
else:
i = skipToI
skipToI = None # reset
return True
def __str__(self:object) -> str:
return "Structure(\"{0}\", children = {1})".format(self.__name, [str(child) for child in self.__children])
class Checker:
def __init__(self:object, mainTexPath:str = None, debugLevel:DebugLevel|int = 0) -> object:
self.__mainTexPath = os.path.abspath(mainTexPath) if isinstance(mainTexPath, str) else None # transfer to the absolute path
self.__structure = None
if isinstance(debugLevel, DebugLevel):
self.__debugLevel = debugLevel
else:
try:
self.__debugLevel = int(debugLevel)
except:
self.__debugLevel = 0
self.__printWithStatus("The debug level specified is invalid. It is defaulted to 0. ", Warning)
self.__flag = False
def getTxt(self:object, filepath:str, index:int = 0) -> str: # get .txt content
coding = ("utf-8", "gbk", "utf-16") # codings
if 0 <= index < len(coding): # in the range
try:
with open(filepath, "r", encoding = coding[index]) as f:
content = f.read()
return content[1:] if content.startswith("\ufeff") else content # if utf-8 with BOM, remove BOM
except (UnicodeError, UnicodeDecodeError):
return getTxt(filepath, index + 1) # recursion
except:
return None
else:
return None # out of range
def clearScreen(self:object, fakeClear:int = 120) -> bool:
if CLEAR_SCREEN_COMMAND is not None and not os.system(CLEAR_SCREEN_COMMAND):
return True
else:
try:
print("\n" * int(fakeClear))
except:
print("\n" * 120)
return False
def __printWithStatus(self:object, strings:str, status:int|DebugLevel = Info) -> bool:
if isinstance(status, DebugLevel):
if status >= self.__debugLevel:
print("{0} {1}".format(status, strings))
return True
elif isinstance(status, int) and status >= 0:
print("{0} {1}".format("\t" * status, strings))
return True
else:
print(strings)
return False
def __inputWithStatus(self:object, strings:str, status:int|DebugLevel = Prompt) -> str:
try:
if isinstance(status, DebugLevel):
return input("{0} {1}".format(status, strings))
elif isinstance(status, int) and status >= 0:
return input("{0} {1}".format("\t" * status, strings))
else:
return None
except KeyboardInterrupt:
self.__printWithStatus("", 0)
self.__printWithStatus("The input process was interrupted by users. None will be returned as the default value. ", Warning)
return None
def __resolve(self:object) -> bool:
content = self.getTxt(self.__mainTexPath)
if content is None:
self.__printWithStatus("The main tex file \"{0}\" cannot be read successfully. ".format(self.__mainTexPath), Error)
return False
self.clearScreen()
self.__printWithStatus("Starting to resolve, please wait. If it takes too long time, please use \"Ctrl+C\". ".format(self.__mainTexPath), Info)
try:
self.__structure = Structure("Root", content, debugLevel = self.__debugLevel)
self.__flag = self.__structure.resolve()
if self.__flag:
self.__printWithStatus("Successfully resolved the main tex. ", Info)
self.__printWithStatus(self.__structure, Debug)
else:
self.__printWithStatus("Failed to resolve the main tex. ", Error)
return self.__flag
except KeyboardInterrupt:
self.__printWithStatus("Resolving is interrupted by users. Functions cannot be used. ", Warning)
return False
def setup(self:object) -> bool:
try:
self.clearScreen()
if not isinstance(self.__mainTexPath, str):
tmpMainTexPath = self.__inputWithStatus("Please input the main tex path: ", Prompt)
if tmpMainTexPath is None:
self.__printWithStatus("Setup cancelled. ", Error)
return False
else:
self.__mainTexPath = tmpMainTexPath
self.__printWithStatus("The main tex path is set to \"{0}\". ".format(self.__mainTexPath), Info)
return self.setup()
elif os.path.isfile(self.__mainTexPath):
return self.__resolve()
elif os.path.isdir(self.__mainTexPath):
self.__printWithStatus("Since a folder was specified, the program is scanning the folder now. ", Info)
self.__printWithStatus("If it takes too long time, please use \"Ctrl+C\" to stop the scanning. ", Info)
possibleTargets = []
try:
for root, dirs, files in os.walk(self.__mainTexPath):
for filename in files:
if os.path.splitext(filename)[1].lower() in (".tex", ):
possibleTargets.append(os.path.join(root, filename))
except KeyboardInterrupt:
self.__printWithStatus("Scanning is interrupted by users. The results may be incomplete. ", Warning)
if len(possibleTargets) > 1:
self.__printWithStatus("Possible targets are listed as follows. ", Prompt)
try:
for i, target in enumerate(possibleTargets):
self.__printWithStatus("[{0}] \"{1}\"".format(i + 1, target), 1)
except KeyboardInterrupt:
self.__printWithStatus("Printing is interrupted by users. The results may be incomplete. ", Warning)
self.__printWithStatus("", 1) # print an empty line
choice = self.__inputWithStatus("Please select a tex file as the main file to continue: ", Prompt)
if choice in possibleTargets:
self.__mainTexPath = choice
self.__printWithStatus("The main tex path is set to \"{0}\". ".format(self.__mainTexPath), Info)
return self.__resolve()
else:
try:
self.__mainTextPath = choice[int(choice) - 1]
self.__printWithStatus("The main tex path is set to \"{0}\". ".format(self.__mainTexPath), Info)
return self.__resolve()
except:
self.__printWithStatus("Invalid choice is made. Failed to resolve main tex. ", Error)
return False
elif len(possibleTargets) == 1:
self.__printWithStatus("The main tex path is set to \"{0}\" automatically since there is only one tex file detected. ".format(self.__mainTexPath), Info)
return self.__resolve()
else:
self.__printWithStatus("No tex files are detected under the specified folder.. ", Error)
return False
else:
self.__printWithStatus("Setup failed since the main tex cannot be read. ", Error)
return False
except Exception as e:
self.__printWithStatus("Exceptions occurred during the setup. Details are as follows. ", Critical)
self.__printWithStatus(e, 1)
return False
def preExit(countdownTime:int = 5) -> None:
try:
cntTime = int(countdownTime)
length = len(str(cntTime))
except:
return
print()
while cntTime > 0:
print("\rProgram ended, exiting in {{0:>{0}}} second(s). ".format(length).format(cntTime), end = "")
try:
sleep(1)
except:
print("\rProgram ended, exiting in {{0:>{0}}} second(s). ".format(length).format(0))
return
cntTime -= 1
print("\rProgram ended, exiting in {{0:>{0}}} second(s). ".format(length).format(cntTime))
def main() -> int:
if len(argv) > 2:
processPool = [os.system(STARTUP_COMMAND_FORMAT.format(executable, __file__, mainTexPath)) for mainTexPath in argv[1:]]
print( \
"As multiple options were given, {0} child processes have been launched, where {1} succeeded and {2} failed. ".format( \
len(processPool), \
processPool.count(EXIT_SUCCESS), \
len(processPool) - processPool.count(EXIT_SUCCESS) \
) \
)
preExit()
return EXIT_SUCCESS if not any(processPool) else EXIT_FAILURE
else:
checker = Checker(argv[1] if len(argv) == 2 else None)
checker.setup()
preExit()
return EXIT_SUCCESS if checker else EXIT_FAILURE
if __name__ == "__main__":
exit(main())