-
Notifications
You must be signed in to change notification settings - Fork 4
/
Copy pathutils.py
182 lines (139 loc) · 4.52 KB
/
utils.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
import base64
import chardet
import html
import re
import errno
import os
import time
from quopri import decodestring
import shutil
from slugify import slugify
from email.header import decode_header
def b64padanddecode(b):
"""
Decode unpadded base64 data
"""
b+=(-len(b)%4)*'=' #base64 padding (if adds '===', no valid padding anyway)
return base64.b64decode(b,altchars='+,').decode('utf-16-be')
def imaputf7decode(s):
"""
Decode a string encoded according to RFC2060 aka IMAP UTF7.
Minimal validation of input, only works with trusted data
"""
lst=s.split('&')
out=lst[0]
for e in lst[1:]:
u,a=e.split('-',1) #u: utf16 between & and 1st -, a: ASCII chars folowing it
if u=='' : out+='&'
else: out+=b64padanddecode(u)
out+=a
return out
def normalize(unknown, encoding = None):
"""
Tries hard to normalize anything to utf-8
"""
if unknown is None:
return ''
if encoding and not encoding in ("unknown-8bit",):
encoding = encoding.lower()
# Can't see how to decode such locale otherwise
if encoding == "el_gr.utf8":
encoding = "windows-1253"
if encoding in ("quoted-printable", "7bit", "8bit"):
try:
return normalize(decodestring(unknown))
except Exception as e:
return normalize(unknown)
if encoding == 'base64':
# Already decoded, do nothing
return normalize(unknown)
if encoding == 'utf7':
return normalize(imaputf7decode(unknown))
# This comes from email module where result is a list of tuples (text, encoding)
if encoding == 'header':
header = decode_header(unknown)
result = ''
for header_text, header_encoding in header:
result += ' ' + normalize(header_text, header_encoding).strip()
return result.strip()
if isinstance(unknown, str):
unknown = unknown.encode()
return unknown.decode(encoding, errors="replace")
if isinstance(unknown, str):
unknown = unknown.encode()
estimate = chardet.detect(unknown)
if estimate["encoding"]:
if estimate["encoding"] == "utf-8":
return unknown.decode()
try:
return unknown.decode(estimate["encoding"])
except Exception as e:
# Maybe https://github.com/SSilence/php-imap-client/issues/112 ?
if estimate["encoding"].lower() == "Windows-1254".lower():
return unknown.decode()
if not isinstance(unknown, str):
unknown = unknown.decode()
return unknown
def removeDir(src):
"""
Removes a whole directory and all its contents
"""
if os.path.exists(src):
shutil.rmtree(src)
def copyDir(src, dst):
"""
Copies a whole directory and all its contents
"""
try:
shutil.copytree(src, dst)
except OSError as exc:
if exc.errno == errno.ENOTDIR:
shutil.copy(src, dst)
elif exc.errno == errno.EEXIST:
print("File %s already exists." % src)
else: raise
suffixes = ['B', 'KB', 'MB', 'GB', 'TB', 'PB']
def humansize(nbytes):
"""
Idea taken from
https://stackoverflow.com/a/14996816
"""
i = 0
while nbytes >= 1024 and i < len(suffixes)-1:
nbytes /= 1024.
i += 1
f = ('%.2f' % nbytes).rstrip('0').rstrip('.')
return '%s %s' % (f, suffixes[i])
def simplifyEmailHeader(header):
"""
Tries to minimize email header
"""
emails = re.findall("(\"?<?\"?([a-zA-Z0-9_.+-]+@[a-zA-Z0-9-]+\.[a-zA-Z0-9-.]+)\"?>?\"?)", header)
already = []
result = header
rest = header
for mail in emails:
if mail in already:
continue
already.append(mail[0])
toReplace = '<i class="bi bi-envelope-fill" title="%s"></i><span class="hide">%s</span>' % (mail[1], mail[1])
result = result.replace(mail[0], toReplace)
rest = rest.replace(mail[0], '').strip().strip(",").strip()
if rest == "":
return html.escape(header)
return result
def slugify_safe(val, defaultVal = '', maxSize = 50):
"""
Wraps slugify function in cases result is way too big
"""
result = slugify(val)
if not result or len(result) > maxSize:
result = defaultVal
return result
def strftime(val, format="%Y-%m-%d %H:%m"):
"""
Formats a date within Jinja env
"""
if not val:
return "?"
return str(time.strftime(format, val))