I’m getting a “TypeError: ‘<‘ not supported between instances of ‘NoneType’ and ‘str'” when running a python script. Below is the Traceback.
JavaScript
x
12
12
1
Traceback (most recent call last):
2
File "c:python38librunpy.py", line 193, in _run_module_as_main
3
return _run_code(code, main_globals, None,
4
File "c:python38librunpy.py", line 86, in run_code
5
exec(code, run_globals)
6
File "C:Python38Scriptslinkrot.exe_main.py", line 7, in
7
File "c:python38libsite-packageslinkrotcli.py", line 215, in main
8
text = get_text_output(pdf, args)
9
File "c:python38libsite-packageslinkrotcli.py", line 126, in get_text_output
10
for k, v in sorted(pdf.get_metadata().items()):
11
TypeError: '<' not supported between instances of 'NoneType' and 'str'.
12
Here is the snippet of the code throwing the error. I understand why it is wrong, but I’m unsure how to fix it. Any help would be appreciated.
JavaScript
1
32
32
1
def get_text_output(pdf, args):
2
""" Normal output of infos of linkrot instance """
3
# Metadata
4
ret = ""
5
ret += "Document infos:n"
6
for k, v in sorted(pdf.get_metadata().items()):
7
if v:
8
ret += "- %s = %sn" % (k, parse_str(v).strip("/"))
9
10
# References
11
ref_cnt = pdf.get_references_count()
12
ret += "nReferences: %sn" % ref_cnt
13
refs = pdf.get_references_as_dict()
14
for k in refs:
15
ret += "- %s: %sn" % (k.upper(), len(refs[k]))
16
17
if args.verbose == 0:
18
if "pdf" in refs:
19
ret += "nPDF References:n"
20
for ref in refs["pdf"]:
21
ret += "- %sn" % ref
22
elif ref_cnt:
23
ret += "nTip: You can use the '-v' flag to see all referencesn"
24
else:
25
if ref_cnt:
26
for reftype in refs:
27
ret += "n%s References:n" % reftype.upper()
28
for ref in refs[reftype]:
29
ret += "- %sn" % ref
30
31
return ret.strip()
32
Advertisement
Answer
It appears None
is one of the dictionary keys. Since the sort
method uses comparison to sort the dictionary by keys, it fails because it cannot compare this None
to the other keys that are strings (thus the error message that talks about a comparison operator <
).
Assuming the None
key is there by accident and doesn’t contain any useful data, you can solve this by simply removing it from the dictionary before the for loop like this:
JavaScript
1
5
1
metadata = pdf.get_metadata()
2
metadata.pop(None, None)
3
for k, v in sorted(metadata.items()):
4
5