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
|
import fnmatch
import glob
import hashlib
import logging
import mimetypes
import os
import re
import traceback
from datetime import datetime
from django.conf import settings
from django.http import Http404
from license_protected_downloads import(
buildinfo,
models,
)
log = logging.getLogger("llp.views")
def safe_path_join(base_path, *paths):
"""os.path.join with check that result is inside base_path.
Checks that the generated path doesn't end up outside the target
directory, so server accesses stay where we expect them.
"""
target_path = os.path.join(base_path, *paths)
if not target_path.startswith(base_path):
return None
if not os.path.normpath(target_path) == target_path.rstrip("/"):
return None
return target_path
def _insert_license_into_db(digest, text, theme):
if not models.License.objects.filter(digest=digest):
l = models.License(digest=digest, text=text, theme=theme)
l.save()
def _handle_wildcard(request, fullpath):
path, name = os.path.split(fullpath)
if not os.path.isdir(path):
return None
match = None
for f in os.listdir(path):
if fnmatch.fnmatch(f, name):
if match:
# change request.path so that the 404.html page can show
# a descriptive error
request.path = 'Multiple files match this expression'
raise Http404
match = os.path.join(path, f)
return match
def _find_served_paths(path, request):
served_paths = settings.SERVED_PATHS
# if key is in request.GET["key"] then need to mod path and give
# access to a per-key directory.
if "key" in request.GET:
key_details = models.APIKeyStore.objects.filter(key=request.GET["key"])
if key_details:
path = os.path.join(request.GET["key"], path)
# Private uploads are in a separate path (or can be), so set
# served_paths as needed.
if not key_details[0].public:
served_paths = [settings.UPLOAD_PATH]
return served_paths, path
def find_artifact(request, path):
"""Return a Artifact object representing a directory or file we serve"""
served_paths, path = _find_served_paths(path, request)
for basepath in served_paths:
fullpath = safe_path_join(basepath, path)
if fullpath is None:
raise Http404
if os.path.isfile(fullpath) or os.path.isdir(fullpath):
return LocalArtifact(None, '', path, False, basepath)
fullpath = _handle_wildcard(request, fullpath)
if fullpath:
basepath, path = os.path.split(fullpath)
return LocalArtifact(None, '', path, False, basepath)
raise Http404
def _sort_artifacts(a, b):
'''Ensures directory listings follow our ordering rules for artifacts.
If the directory is all numbers it sorts them numerically. The "latest"
entry will always be the first entry. Else use standard sorting.
'''
a = a.file_name
b = b.file_name
try:
return cmp(int(a), int(b))
except:
pass
if a == 'latest':
return -1
elif b == 'latest':
return 1
return cmp(a, b)
def _sizeof_fmt(num):
''' Returns in human readable format for num.
'''
if num < 1024 and num > -1024:
return str(num)
num /= 1024.0
for x in ['K', 'M', 'G']:
if num < 1024.0 and num > -1024.0:
return "%3.1f%s" % (num, x)
num /= 1024.0
return "%3.1f%s" % (num, 'T')
def cached_prop(fn):
attr_name = '_cached_' + fn.__name__
@property
def _cached_prop(self):
if not hasattr(self, attr_name):
setattr(self, attr_name, fn(self))
return getattr(self, attr_name)
return _cached_prop
class Artifact(object):
def __init__(self, urlbase, file_name, size, mtime, human_readable):
self.urlbase = urlbase
self.file_name = file_name
self.size = size
self.mtime = mtime
self.human_readable = human_readable
if human_readable:
self.size = _sizeof_fmt(size)
mtime = datetime.fromtimestamp(mtime)
self.mtime = mtime.strftime('%d-%b-%Y %H:%M')
def isdir(self):
raise RuntimeError()
def hidden(self):
hidden_files = ["BUILD-INFO.txt", "EULA.txt", "HEADER.html",
"HOWTO_", "textile", ".htaccess", "licenses"]
for pattern in hidden_files:
if re.search(pattern, self.file_name):
return True
return False
def url(self):
url = self.urlbase
if url:
if url[0] != '/':
url = '/' + url
if url[-1] != '/':
url += '/'
else:
url = '/'
return url + self.file_name
def get_type(self):
raise NotImplementedError()
def get_eulas(self):
raise NotImplementedError()
def get_build_info(self):
buf = self.build_info_buffer
if buf:
return buildinfo.BuildInfoBase(self.file_name, buf)
def get_listing(self):
if self.isdir():
ldl = []
else:
try:
ldl = self.get_license_digests()
except Exception as e:
print("Invalid BUILD-INFO.txt for %s: %s" % (
self.full_path, repr(e)))
traceback.print_exc()
ldl = "INVALID"
ll = models.License.objects.all_with_hashes(ldl)
return {
'name': self.file_name,
'size': self.size,
'mtime': self.mtime,
'license_digest_list': ldl,
'license_list': ll,
'type': self.get_type(),
'url': self.url(),
}
def get_digest(self, lic_type, lic_text, theme, auth_groups):
if lic_type == 'open' or (auth_groups and not lic_text):
return 'OPEN'
if not lic_text:
log.info('No license text or auth groups found: check the '
'BUILD-INFO file.')
return
digest = hashlib.md5(lic_text).hexdigest()
_insert_license_into_db(digest, lic_text, theme)
return digest
def get_build_info_digests(self, bi):
digests = []
lic_type = bi.get('license-type')
auth_groups = bi.get('auth-groups')
for i in range(bi.max_index):
lic_txt = bi.get('license-text', i)
theme = bi.get('theme', i)
d = self.get_digest(lic_type, lic_txt, theme, auth_groups)
if d == 'OPEN':
return d
elif d:
digests.append(d)
return digests
def get_eula_digests(self):
path = self.urlbase + self.file_name
theme = 'linaro'
if 'snowball' in path:
theme = 'stericsson'
elif 'origen' in path:
theme = 'samsung'
lic_type = 'protected'
lic_file = os.path.join(
settings.PROJECT_ROOT, 'templates/licenses/' + theme + '.txt')
with open(lic_file) as f:
lic_txt = f.read()
return [self.get_digest(lic_type, lic_txt, theme, None)]
def get_license_digests(self):
bi = self.get_build_info()
if bi:
return self.get_build_info_digests(bi)
eulas = self.get_eulas()
if self.has_open_eula(eulas):
return 'OPEN'
if self.has_eula(eulas):
return self.get_eula_digests()
theme = self.get_eula_per_file_theme(eulas)
if theme:
lic_file = os.path.join(settings.PROJECT_ROOT,
'templates/licenses/' + theme + '.txt')
with open(lic_file) as f:
lic_txt = f.read()
return [self.get_digest('protected', lic_txt, theme, None)]
if self.has_per_file_eulas(eulas):
return 'OPEN'
return []
def has_open_eula(self, eulas):
for x in eulas:
if 'OPEN-EULA.txt' in x:
return True
def has_eula(self, eulas):
for x in eulas:
if x == 'EULA.txt':
return True
def get_eula_per_file_theme(self, eulas):
eula_pat = os.path.basename(self.file_name) + '.EULA.txt'
for x in eulas:
if eula_pat in x:
vendor = os.path.splitext(x)[1]
return vendor[1:]
def has_per_file_eulas(self, eulas):
return len(eulas) > 0
class LocalArtifact(Artifact):
'''An artifact that lives on the local filesystem'''
def __init__(self, parent, urlbase, file_name, human_readable, path):
self.parent = parent
self.full_path = os.path.join(path, file_name)
size = mtime = 0
# ensure the file we are looking at exists (not broken symlink)
if os.path.exists(self.full_path):
size = os.path.getsize(self.full_path)
mtime = os.path.getmtime(self.full_path)
super(LocalArtifact, self).__init__(
urlbase, file_name, size, mtime, human_readable)
def get_type(self):
if self.isdir():
return 'folder'
else:
mtype = mimetypes.guess_type(self.full_path)[0]
if self.human_readable:
if mtype is None:
mtype = 'other'
elif mtype.split('/')[0] == 'text':
mtype = 'text'
return mtype
@cached_prop
def build_info_buffer(self):
if self.parent and not self.isdir():
return self.parent.build_info_buffer
p = buildinfo.BuildInfo.get_search_path(self.full_path)
p = os.path.join(p, 'BUILD-INFO.txt')
if os.path.exists(p):
with open(p) as f:
return f.read()
def get_eulas(self):
if self.isdir():
path = self.full_path
else:
path = os.path.dirname(self.full_path)
eulas = glob.glob(path + '/*EULA.txt*')
return [os.path.basename(x) for x in eulas]
def isdir(self):
return os.path.isdir(self.full_path)
def dir_list(artifact, human_readable=True):
path = artifact.full_path
url = artifact.url()
artifacts = [LocalArtifact(artifact, url, x, human_readable, path)
for x in os.listdir(path)]
artifacts.sort(_sort_artifacts)
listing = []
for artifact in artifacts:
if not artifact.hidden():
listing.append(artifact.get_listing())
return listing
|