forked from reddr/LibScout
-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathlibrary-scraper.py
executable file
·278 lines (208 loc) · 9.53 KB
/
library-scraper.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
#!/usr/bin/python
#
# Scraper for libraries hosted at jcenter / mvn central / custom maven repos
# Retrieves jar|aar files along with some meta data
#
# @author erik derr [[email protected]]
#
import sys
import json
from urllib.request import urlopen
from urllib.error import URLError
from urllib.error import HTTPError
import datetime
import os
import errno
import zipfile
import traceback
import xml.etree.ElementTree as ElementTree
from retrying import retry
## functions ##
def unix2Date(unixTime):
unixTime = int(str(unixTime)[:-3])
return datetime.datetime.fromtimestamp(unixTime).strftime('%d.%m.%Y')
def make_sure_path_exists(path):
try:
os.makedirs(path)
except OSError as exception:
if exception.errno != errno.EEXIST:
raise
def write_library_description(fileName, libName, category, version, date, comment):
make_sure_path_exists(os.path.dirname(fileName))
# write lib description in xml format
with open(fileName, "w") as desc:
desc.write("<?xml version=\"1.0\"?>\n")
desc.write("<library>\n")
desc.write(" <!-- library name -->\n")
desc.write(" <name>{}</name>\n".format(libName))
desc.write("\n")
desc.write(" <!-- Advertising, Analytics, Android, SocialMedia, Cloud, Utilities -->\n")
desc.write(" <category>{}</category>\n".format(category))
desc.write("\n")
desc.write(" <!-- optional: version string -->\n")
desc.write(" <version>{}</version>\n".format(version))
desc.write("\n")
desc.write(" <!-- optional: date (format: dd.MM.yyyy example: 21.05.2017) -->\n")
desc.write(" <releasedate>{}</releasedate>\n".format(date))
desc.write("\n")
desc.write(" <!-- optional: comment -->\n")
desc.write(" <comment>{}</comment>\n".format(comment))
desc.write("</library>\n")
@retry(URLError, tries=3, delay=3, backoff=1)
def urlopen_with_retry(URL):
return urlopen(URL)
def downloadLibFile(targetDir, repo, groupid, artefactid, version, filetype):
make_sure_path_exists(os.path.dirname(targetDir + "/"))
# assemble download URL
artefactid_r = artefactid.replace(".","/")
groupid_r = groupid.replace(".","/")
if repo == MVN_CENTRAL:
repoURL = "http://search.maven.org/remotecontent?filepath="
fileName = artefactid_r + "-" + version + "." + filetype
else:
repoURL = repo
fileName = artefactid + "-" + version + "." + filetype
# retrieve and save file
URL = repoURL + groupid_r + "/" + artefactid_r + "/" + version + "/" + fileName
targetFile = targetDir + "/" + fileName
try:
libFile = urlopen(URL)
with open(targetFile,'wb') as output:
output.write(libFile.read())
return 0
except HTTPError as e:
if filetype != 'aar':
print(' !! HTTP Error while retrieving ' + filetype + ' file: ' + str(e.code))
return 1
except URLError as e:
print(' !! URL Error while retrieving ' + filetype + ' file: ' + str(e.reason))
return 1
except Exception as excp:
print(' !! Download failed: ' + str(excp))
return 1
## library updating routine for mvn central
def updateLibraryMvnCentral(libName, category, comment, groupId, artefactId):
# replace all blanks with dash
libName = libName.replace(" ", "-")
print(" # check library " + libName + " [" + category + "] (g:\"" + groupId + "\" AND a:\"" + artefactId + "\")")
baseDirName = localRepoDir + category + "/" + libName + "/"
dir = os.path.dirname(baseDirName)
make_sure_path_exists(dir);
# Assemble mvn central search URL and retrieve meta data
try:
mvnSearchURL = "http://search.maven.org/solrsearch/select?q=g:%22" + groupId + "%22+AND+a:%22" + artefactId + "%22&rows=100&core=gav"
response = urlopen(mvnSearchURL)
data = json.loads(response.read())
except URLError as e:
print('URLError = ' + str(e.reason))
return
except Exception as excp:
print('Could not retrieve meta data for ' + libName + ' [SKIP] (' + str(excp) + ')')
return
# DEBUG: pretty print json
#print(json.dumps(data, indent=4, sort_keys=True))
#print()
numberOfVersions = data["response"]["numFound"]
print(" - retrieved meta data for " + str(numberOfVersions) + " versions:")
numberOfUpdates = 0
if numberOfVersions > 0:
for version in data["response"]["docs"]:
if skipAlphaBeta and any(x in version["v"].lower() for x in SKIP_KEYWORDS):
continue;
# skip lib version if already existing
if not os.path.isfile(baseDirName + "/" + version["v"] + "/" + LIB_DESCRIPTOR_FILE_NAME):
numberOfUpdates += 1
date = unix2Date(version["timestamp"])
targetDir = baseDirName + version["v"]
print(" - update version: {} type: {} date: {} target-dir: {}".format(version["v"], version["p"], date, targetDir))
result = downloadLibFile(targetDir, MVN_CENTRAL, groupId, artefactId, version["v"], "aar")
if result == 1:
result = downloadLibFile(targetDir, MVN_CENTRAL, groupId, artefactId, version["v"], "jar")
if result == 0:
# write lib description
fileName = targetDir + "/" + LIB_DESCRIPTOR_FILE_NAME
write_library_description(fileName, libName, category, version["v"], date, comment)
if numberOfUpdates == 0:
print(" -> all versions up-to-date")
## library updating routine for jcenter + custom mvn repos
def updateLibrary(libName, category, comment, repoURL, groupId, artefactId):
# replace all blanks with dash
libName = libName.replace(" ", "-")
print(" # check library " + libName + " [" + category + "] (g:\"" + groupId + "\" AND a:\"" + artefactId + "\")")
baseDirName = localRepoDir + category + "/" + libName + "/"
dir = os.path.dirname(baseDirName)
make_sure_path_exists(dir);
# Assemble base URL and retrieve meta data
try:
if repoURL == "jcenter":
repoURL = JCENTER_URL
if not repoURL.endswith("/"):
repoURL = repoURL + "/"
metaURL = repoURL + groupId.replace(".","/") + "/" + artefactId.replace(".","/") + "/maven-metadata.xml"
response = urlopen(metaURL)
data = response.read()
response.close()
except URLError as e:
print('URLError = ' + str(e.reason))
return
except Exception as excp:
print('Could not retrieve meta data for ' + libName + ' [SKIP] (' + str(excp) + ')')
return
# retrieve available versions
versions = []
root = ElementTree.fromstring(data)
for vg in root.find('versioning'):
for v in vg.iter('version'):
if not skipAlphaBeta or (skipAlphaBeta and not any(x in v.text.lower() for x in SKIP_KEYWORDS)):
versions.append(v.text)
numberOfVersions = len(versions)
print(" - retrieved meta data for " + str(numberOfVersions) + " versions:")
numberOfUpdates = 0
if numberOfVersions > 0:
for version in versions:
# skip lib version if already existing
if not os.path.isfile(baseDirName + "/" + version + "/" + LIB_DESCRIPTOR_FILE_NAME):
numberOfUpdates += 1
targetDir = baseDirName + version
fileType = "aar"
result = downloadLibFile(targetDir, repoURL, groupId, artefactId, version, fileType)
if result == 1:
fileType = "jar"
result = downloadLibFile(targetDir, repoURL, groupId, artefactId, version, fileType)
if result == 0:
print(" - update version: {} type: {} date: {} target-dir: {}".format(version, fileType, "n/a", targetDir))
fileName = targetDir + "/" + LIB_DESCRIPTOR_FILE_NAME
write_library_description(fileName, libName, category, version, "", comment)
if numberOfUpdates == 0:
print(" -> all versions up-to-date")
## Main functionality ##
LIB_DESCRIPTOR_FILE_NAME = "library.xml"
JCENTER = "jcenter"
JCENTER_URL = "http://jcenter.bintray.com"
MVN_CENTRAL = "mvn-central"
SKIP_KEYWORDS = ['-alpha', '-prealpha', '-beta', '-rc', '-dev', '-snapshot']
skipAlphaBeta = True # skip alpha and beta versions
localRepoDir = "my-lib-repo/" # the directory to store libraries on disk with trailing path separator, e.g. "/"
print("== maven/jcenter scraper ==")
# Requires one argument (path to json file with library descriptions)
args = len(sys.argv)
if args != 2:
print("Usage: " + sys.argv[0] + " <libraries.json>")
sys.exit(1)
else:
inputFile = sys.argv[1]
print("- Load library info from " + sys.argv[1])
print("- Store libs to " + localRepoDir)
# load library definitions
with open(inputFile) as ifile:
data = json.load(ifile)
# update each lib
print("- Update libraries" + (" (skip alpha/beta versions)" if skipAlphaBeta else "") + ":")
for lib in data["libraries"]:
if 'repo' not in lib:
print("[WARN] Skip library: " + lib["name"] + " (No repo defined!)")
continue
elif lib['repo'] == MVN_CENTRAL:
updateLibraryMvnCentral(lib["name"], lib["category"], lib["comment"], lib["groupid"], lib["artefactid"])
else: # jcenter or custom mvn repo URL
updateLibrary(lib["name"], lib["category"], lib["comment"], lib['repo'], lib["groupid"], lib["artefactid"])