blob: 914fa5c0243233c92347b5d5ed6a1df5a84334b3 [file] [log] [blame]
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001"""
2BitBake 'Fetch' implementations
3
4Classes for obtaining upstream sources for the
5BitBake build tools.
6"""
7
8# Copyright (C) 2003, 2004 Chris Larson
9# Copyright (C) 2012 Intel Corporation
10#
Brad Bishopc342db32019-05-15 21:57:59 -040011# SPDX-License-Identifier: GPL-2.0-only
Patrick Williamsc124f4f2015-09-15 14:41:29 -050012#
13# Based on functions from the base bb module, Copyright 2003 Holger Schurig
14
Patrick Williamsc124f4f2015-09-15 14:41:29 -050015import os, re
16import signal
Patrick Williamsc124f4f2015-09-15 14:41:29 -050017import logging
Patrick Williamsc0f7c042017-02-23 20:41:17 -060018import urllib.request, urllib.parse, urllib.error
19if 'git' not in urllib.parse.uses_netloc:
20 urllib.parse.uses_netloc.append('git')
21import operator
22import collections
23import subprocess
24import pickle
Brad Bishop6e60e8b2018-02-01 10:27:11 -050025import errno
Patrick Williamsc124f4f2015-09-15 14:41:29 -050026import bb.persist_data, bb.utils
27import bb.checksum
Patrick Williamsc124f4f2015-09-15 14:41:29 -050028import bb.process
Brad Bishopd7bf8c12018-02-25 22:55:05 -050029import bb.event
Patrick Williamsc124f4f2015-09-15 14:41:29 -050030
31__version__ = "2"
32_checksum_cache = bb.checksum.FileChecksumCache()
33
34logger = logging.getLogger("BitBake.Fetcher")
35
Andrew Geissler82c905d2020-04-13 13:39:40 -050036CHECKSUM_LIST = [ "md5", "sha256", "sha1", "sha384", "sha512" ]
37SHOWN_CHECKSUM_LIST = ["sha256"]
38
Patrick Williamsc124f4f2015-09-15 14:41:29 -050039class BBFetchException(Exception):
40 """Class all fetch exceptions inherit from"""
41 def __init__(self, message):
Brad Bishopd7bf8c12018-02-25 22:55:05 -050042 self.msg = message
43 Exception.__init__(self, message)
Patrick Williamsc124f4f2015-09-15 14:41:29 -050044
45 def __str__(self):
Brad Bishopd7bf8c12018-02-25 22:55:05 -050046 return self.msg
Patrick Williamsc124f4f2015-09-15 14:41:29 -050047
48class UntrustedUrl(BBFetchException):
49 """Exception raised when encountering a host not listed in BB_ALLOWED_NETWORKS"""
50 def __init__(self, url, message=''):
51 if message:
52 msg = message
53 else:
54 msg = "The URL: '%s' is not trusted and cannot be used" % url
55 self.url = url
56 BBFetchException.__init__(self, msg)
57 self.args = (url,)
58
59class MalformedUrl(BBFetchException):
60 """Exception raised when encountering an invalid url"""
61 def __init__(self, url, message=''):
Brad Bishopd7bf8c12018-02-25 22:55:05 -050062 if message:
63 msg = message
64 else:
65 msg = "The URL: '%s' is invalid and cannot be interpreted" % url
66 self.url = url
67 BBFetchException.__init__(self, msg)
68 self.args = (url,)
Patrick Williamsc124f4f2015-09-15 14:41:29 -050069
70class FetchError(BBFetchException):
71 """General fetcher exception when something happens incorrectly"""
72 def __init__(self, message, url = None):
Brad Bishopd7bf8c12018-02-25 22:55:05 -050073 if url:
Patrick Williamsc124f4f2015-09-15 14:41:29 -050074 msg = "Fetcher failure for URL: '%s'. %s" % (url, message)
Brad Bishopd7bf8c12018-02-25 22:55:05 -050075 else:
Patrick Williamsc124f4f2015-09-15 14:41:29 -050076 msg = "Fetcher failure: %s" % message
Brad Bishopd7bf8c12018-02-25 22:55:05 -050077 self.url = url
78 BBFetchException.__init__(self, msg)
79 self.args = (message, url)
Patrick Williamsc124f4f2015-09-15 14:41:29 -050080
81class ChecksumError(FetchError):
82 """Exception when mismatched checksum encountered"""
83 def __init__(self, message, url = None, checksum = None):
84 self.checksum = checksum
85 FetchError.__init__(self, message, url)
86
87class NoChecksumError(FetchError):
88 """Exception when no checksum is specified, but BB_STRICT_CHECKSUM is set"""
89
90class UnpackError(BBFetchException):
91 """General fetcher exception when something happens incorrectly when unpacking"""
92 def __init__(self, message, url):
Brad Bishopd7bf8c12018-02-25 22:55:05 -050093 msg = "Unpack failure for URL: '%s'. %s" % (url, message)
94 self.url = url
95 BBFetchException.__init__(self, msg)
96 self.args = (message, url)
Patrick Williamsc124f4f2015-09-15 14:41:29 -050097
98class NoMethodError(BBFetchException):
99 """Exception raised when there is no method to obtain a supplied url or set of urls"""
100 def __init__(self, url):
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500101 msg = "Could not find a fetcher which supports the URL: '%s'" % url
102 self.url = url
103 BBFetchException.__init__(self, msg)
104 self.args = (url,)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500105
106class MissingParameterError(BBFetchException):
107 """Exception raised when a fetch method is missing a critical parameter in the url"""
108 def __init__(self, missing, url):
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500109 msg = "URL: '%s' is missing the required parameter '%s'" % (url, missing)
110 self.url = url
111 self.missing = missing
112 BBFetchException.__init__(self, msg)
113 self.args = (missing, url)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500114
115class ParameterError(BBFetchException):
116 """Exception raised when a url cannot be proccessed due to invalid parameters."""
117 def __init__(self, message, url):
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500118 msg = "URL: '%s' has invalid parameters. %s" % (url, message)
119 self.url = url
120 BBFetchException.__init__(self, msg)
121 self.args = (message, url)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500122
123class NetworkAccess(BBFetchException):
124 """Exception raised when network access is disabled but it is required."""
125 def __init__(self, url, cmd):
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500126 msg = "Network access disabled through BB_NO_NETWORK (or set indirectly due to use of BB_FETCH_PREMIRRORONLY) but access requested with command %s (for url %s)" % (cmd, url)
127 self.url = url
128 self.cmd = cmd
129 BBFetchException.__init__(self, msg)
130 self.args = (url, cmd)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500131
132class NonLocalMethod(Exception):
133 def __init__(self):
134 Exception.__init__(self)
135
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500136class MissingChecksumEvent(bb.event.Event):
Andrew Geissler82c905d2020-04-13 13:39:40 -0500137 def __init__(self, url, **checksums):
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500138 self.url = url
Andrew Geissler82c905d2020-04-13 13:39:40 -0500139 self.checksums = checksums
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500140 bb.event.Event.__init__(self)
141
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500142
143class URI(object):
144 """
145 A class representing a generic URI, with methods for
146 accessing the URI components, and stringifies to the
147 URI.
148
149 It is constructed by calling it with a URI, or setting
150 the attributes manually:
151
152 uri = URI("http://example.com/")
153
154 uri = URI()
155 uri.scheme = 'http'
156 uri.hostname = 'example.com'
157 uri.path = '/'
158
159 It has the following attributes:
160
161 * scheme (read/write)
162 * userinfo (authentication information) (read/write)
163 * username (read/write)
164 * password (read/write)
165
166 Note, password is deprecated as of RFC 3986.
167
168 * hostname (read/write)
169 * port (read/write)
170 * hostport (read only)
171 "hostname:port", if both are set, otherwise just "hostname"
172 * path (read/write)
173 * path_quoted (read/write)
174 A URI quoted version of path
175 * params (dict) (read/write)
176 * query (dict) (read/write)
177 * relative (bool) (read only)
178 True if this is a "relative URI", (e.g. file:foo.diff)
179
180 It stringifies to the URI itself.
181
182 Some notes about relative URIs: while it's specified that
183 a URI beginning with <scheme>:// should either be directly
184 followed by a hostname or a /, the old URI handling of the
185 fetch2 library did not comform to this. Therefore, this URI
186 class has some kludges to make sure that URIs are parsed in
187 a way comforming to bitbake's current usage. This URI class
188 supports the following:
189
190 file:relative/path.diff (IETF compliant)
191 git:relative/path.git (IETF compliant)
192 git:///absolute/path.git (IETF compliant)
193 file:///absolute/path.diff (IETF compliant)
194
195 file://relative/path.diff (not IETF compliant)
196
197 But it does not support the following:
198
199 file://hostname/absolute/path.diff (would be IETF compliant)
200
201 Note that the last case only applies to a list of
202 "whitelisted" schemes (currently only file://), that requires
203 its URIs to not have a network location.
204 """
205
206 _relative_schemes = ['file', 'git']
207 _netloc_forbidden = ['file']
208
209 def __init__(self, uri=None):
210 self.scheme = ''
211 self.userinfo = ''
212 self.hostname = ''
213 self.port = None
214 self._path = ''
215 self.params = {}
216 self.query = {}
217 self.relative = False
218
219 if not uri:
220 return
221
222 # We hijack the URL parameters, since the way bitbake uses
223 # them are not quite RFC compliant.
224 uri, param_str = (uri.split(";", 1) + [None])[:2]
225
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600226 urlp = urllib.parse.urlparse(uri)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500227 self.scheme = urlp.scheme
228
229 reparse = 0
230
231 # Coerce urlparse to make URI scheme use netloc
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600232 if not self.scheme in urllib.parse.uses_netloc:
233 urllib.parse.uses_params.append(self.scheme)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500234 reparse = 1
235
236 # Make urlparse happy(/ier) by converting local resources
237 # to RFC compliant URL format. E.g.:
238 # file://foo.diff -> file:foo.diff
239 if urlp.scheme in self._netloc_forbidden:
240 uri = re.sub("(?<=:)//(?!/)", "", uri, 1)
241 reparse = 1
242
243 if reparse:
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600244 urlp = urllib.parse.urlparse(uri)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500245
246 # Identify if the URI is relative or not
247 if urlp.scheme in self._relative_schemes and \
Brad Bishop1a4b7ee2018-12-16 17:11:34 -0800248 re.compile(r"^\w+:(?!//)").match(uri):
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500249 self.relative = True
250
251 if not self.relative:
252 self.hostname = urlp.hostname or ''
253 self.port = urlp.port
254
255 self.userinfo += urlp.username or ''
256
257 if urlp.password:
258 self.userinfo += ':%s' % urlp.password
259
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600260 self.path = urllib.parse.unquote(urlp.path)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500261
262 if param_str:
263 self.params = self._param_str_split(param_str, ";")
264 if urlp.query:
265 self.query = self._param_str_split(urlp.query, "&")
266
267 def __str__(self):
268 userinfo = self.userinfo
269 if userinfo:
270 userinfo += '@'
271
272 return "%s:%s%s%s%s%s%s" % (
273 self.scheme,
274 '' if self.relative else '//',
275 userinfo,
276 self.hostport,
277 self.path_quoted,
278 self._query_str(),
279 self._param_str())
280
281 def _param_str(self):
282 return (
283 ''.join([';', self._param_str_join(self.params, ";")])
284 if self.params else '')
285
286 def _query_str(self):
287 return (
288 ''.join(['?', self._param_str_join(self.query, "&")])
289 if self.query else '')
290
291 def _param_str_split(self, string, elmdelim, kvdelim="="):
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600292 ret = collections.OrderedDict()
Andrew Geisslerd1e89492021-02-12 15:35:20 -0600293 for k, v in [x.split(kvdelim, 1) for x in string.split(elmdelim) if x]:
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500294 ret[k] = v
295 return ret
296
297 def _param_str_join(self, dict_, elmdelim, kvdelim="="):
298 return elmdelim.join([kvdelim.join([k, v]) for k, v in dict_.items()])
299
300 @property
301 def hostport(self):
302 if not self.port:
303 return self.hostname
304 return "%s:%d" % (self.hostname, self.port)
305
306 @property
307 def path_quoted(self):
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600308 return urllib.parse.quote(self.path)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500309
310 @path_quoted.setter
311 def path_quoted(self, path):
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600312 self.path = urllib.parse.unquote(path)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500313
314 @property
315 def path(self):
316 return self._path
317
318 @path.setter
319 def path(self, path):
320 self._path = path
321
Patrick Williamsd8c66bc2016-06-20 12:57:21 -0500322 if not path or re.compile("^/").match(path):
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500323 self.relative = False
324 else:
325 self.relative = True
326
327 @property
328 def username(self):
329 if self.userinfo:
330 return (self.userinfo.split(":", 1))[0]
331 return ''
332
333 @username.setter
334 def username(self, username):
335 password = self.password
336 self.userinfo = username
337 if password:
338 self.userinfo += ":%s" % password
339
340 @property
341 def password(self):
342 if self.userinfo and ":" in self.userinfo:
343 return (self.userinfo.split(":", 1))[1]
344 return ''
345
346 @password.setter
347 def password(self, password):
348 self.userinfo = "%s:%s" % (self.username, password)
349
350def decodeurl(url):
351 """Decodes an URL into the tokens (scheme, network location, path,
352 user, password, parameters).
353 """
354
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500355 m = re.compile('(?P<type>[^:]*)://((?P<user>[^/;]+)@)?(?P<location>[^;]+)(;(?P<parm>.*))?').match(url)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500356 if not m:
357 raise MalformedUrl(url)
358
359 type = m.group('type')
360 location = m.group('location')
361 if not location:
362 raise MalformedUrl(url)
363 user = m.group('user')
364 parm = m.group('parm')
365
366 locidx = location.find('/')
367 if locidx != -1 and type.lower() != 'file':
368 host = location[:locidx]
369 path = location[locidx:]
Patrick Williamsd8c66bc2016-06-20 12:57:21 -0500370 elif type.lower() == 'file':
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500371 host = ""
372 path = location
Patrick Williamsd8c66bc2016-06-20 12:57:21 -0500373 else:
374 host = location
Brad Bishop1a4b7ee2018-12-16 17:11:34 -0800375 path = "/"
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500376 if user:
377 m = re.compile('(?P<user>[^:]+)(:?(?P<pswd>.*))').match(user)
378 if m:
379 user = m.group('user')
380 pswd = m.group('pswd')
381 else:
382 user = ''
383 pswd = ''
384
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600385 p = collections.OrderedDict()
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500386 if parm:
387 for s in parm.split(';'):
388 if s:
389 if not '=' in s:
390 raise MalformedUrl(url, "The URL: '%s' is invalid: parameter %s does not specify a value (missing '=')" % (url, s))
391 s1, s2 = s.split('=')
392 p[s1] = s2
393
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600394 return type, host, urllib.parse.unquote(path), user, pswd, p
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500395
396def encodeurl(decoded):
397 """Encodes a URL from tokens (scheme, network location, path,
398 user, password, parameters).
399 """
400
401 type, host, path, user, pswd, p = decoded
402
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500403 if not type:
404 raise MissingParameterError('type', "encoded from the data %s" % str(decoded))
405 url = '%s://' % type
406 if user and type != "file":
407 url += "%s" % user
408 if pswd:
409 url += ":%s" % pswd
410 url += "@"
411 if host and type != "file":
412 url += "%s" % host
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500413 if path:
414 # Standardise path to ensure comparisons work
415 while '//' in path:
416 path = path.replace("//", "/")
417 url += "%s" % urllib.parse.quote(path)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500418 if p:
419 for parm in p:
420 url += ";%s=%s" % (parm, p[parm])
421
422 return url
423
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500424def uri_replace(ud, uri_find, uri_replace, replacements, d, mirrortarball=None):
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500425 if not ud.url or not uri_find or not uri_replace:
426 logger.error("uri_replace: passed an undefined value, not replacing")
427 return None
428 uri_decoded = list(decodeurl(ud.url))
429 uri_find_decoded = list(decodeurl(uri_find))
430 uri_replace_decoded = list(decodeurl(uri_replace))
Andrew Geisslerd1e89492021-02-12 15:35:20 -0600431 logger.debug2("For url %s comparing %s to %s" % (uri_decoded, uri_find_decoded, uri_replace_decoded))
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500432 result_decoded = ['', '', '', '', '', {}]
433 for loc, i in enumerate(uri_find_decoded):
434 result_decoded[loc] = uri_decoded[loc]
435 regexp = i
436 if loc == 0 and regexp and not regexp.endswith("$"):
437 # Leaving the type unanchored can mean "https" matching "file" can become "files"
438 # which is clearly undesirable.
439 regexp += "$"
440 if loc == 5:
441 # Handle URL parameters
442 if i:
443 # Any specified URL parameters must match
Brad Bishop1a4b7ee2018-12-16 17:11:34 -0800444 for k in uri_find_decoded[loc]:
445 if uri_decoded[loc][k] != uri_find_decoded[loc][k]:
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500446 return None
447 # Overwrite any specified replacement parameters
448 for k in uri_replace_decoded[loc]:
449 for l in replacements:
450 uri_replace_decoded[loc][k] = uri_replace_decoded[loc][k].replace(l, replacements[l])
451 result_decoded[loc][k] = uri_replace_decoded[loc][k]
452 elif (re.match(regexp, uri_decoded[loc])):
453 if not uri_replace_decoded[loc]:
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500454 result_decoded[loc] = ""
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500455 else:
456 for k in replacements:
457 uri_replace_decoded[loc] = uri_replace_decoded[loc].replace(k, replacements[k])
458 #bb.note("%s %s %s" % (regexp, uri_replace_decoded[loc], uri_decoded[loc]))
Patrick Williamsd7e96312015-09-22 08:09:05 -0500459 result_decoded[loc] = re.sub(regexp, uri_replace_decoded[loc], uri_decoded[loc], 1)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500460 if loc == 2:
461 # Handle path manipulations
462 basename = None
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500463 if uri_decoded[0] != uri_replace_decoded[0] and mirrortarball:
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500464 # If the source and destination url types differ, must be a mirrortarball mapping
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500465 basename = os.path.basename(mirrortarball)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500466 # Kill parameters, they make no sense for mirror tarballs
467 uri_decoded[5] = {}
468 elif ud.localpath and ud.method.supports_checksum(ud):
469 basename = os.path.basename(ud.localpath)
470 if basename and not result_decoded[loc].endswith(basename):
471 result_decoded[loc] = os.path.join(result_decoded[loc], basename)
472 else:
473 return None
474 result = encodeurl(result_decoded)
475 if result == ud.url:
476 return None
Andrew Geisslerd1e89492021-02-12 15:35:20 -0600477 logger.debug2("For url %s returning %s" % (ud.url, result))
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500478 return result
479
480methods = []
481urldata_cache = {}
482saved_headrevs = {}
483
484def fetcher_init(d):
485 """
486 Called to initialize the fetchers once the configuration data is known.
487 Calls before this must not hit the cache.
488 """
Andrew Geissler82c905d2020-04-13 13:39:40 -0500489
490 revs = bb.persist_data.persist('BB_URI_HEADREVS', d)
491 try:
492 # fetcher_init is called multiple times, so make sure we only save the
493 # revs the first time it is called.
494 if not bb.fetch2.saved_headrevs:
495 bb.fetch2.saved_headrevs = dict(revs)
496 except:
497 pass
498
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500499 # When to drop SCM head revisions controlled by user policy
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500500 srcrev_policy = d.getVar('BB_SRCREV_POLICY') or "clear"
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500501 if srcrev_policy == "cache":
Andrew Geisslerd1e89492021-02-12 15:35:20 -0600502 logger.debug("Keeping SRCREV cache due to cache policy of: %s", srcrev_policy)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500503 elif srcrev_policy == "clear":
Andrew Geisslerd1e89492021-02-12 15:35:20 -0600504 logger.debug("Clearing SRCREV cache due to cache policy of: %s", srcrev_policy)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500505 revs.clear()
506 else:
507 raise FetchError("Invalid SRCREV cache policy of: %s" % srcrev_policy)
508
509 _checksum_cache.init_cache(d)
510
511 for m in methods:
512 if hasattr(m, "init"):
513 m.init(d)
514
Patrick Williamsd8c66bc2016-06-20 12:57:21 -0500515def fetcher_parse_save():
516 _checksum_cache.save_extras()
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500517
Patrick Williamsd8c66bc2016-06-20 12:57:21 -0500518def fetcher_parse_done():
519 _checksum_cache.save_merge()
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500520
Brad Bishop19323692019-04-05 15:28:33 -0400521def fetcher_compare_revisions(d):
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500522 """
Andrew Geissler82c905d2020-04-13 13:39:40 -0500523 Compare the revisions in the persistent cache with the saved values from
524 when bitbake was started and return true if they have changed.
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500525 """
526
Andrew Geissler82c905d2020-04-13 13:39:40 -0500527 headrevs = dict(bb.persist_data.persist('BB_URI_HEADREVS', d))
528 return headrevs != bb.fetch2.saved_headrevs
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500529
530def mirror_from_string(data):
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500531 mirrors = (data or "").replace('\\n',' ').split()
532 # Split into pairs
533 if len(mirrors) % 2 != 0:
534 bb.warn('Invalid mirror data %s, should have paired members.' % data)
535 return list(zip(*[iter(mirrors)]*2))
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500536
537def verify_checksum(ud, d, precomputed={}):
538 """
539 verify the MD5 and SHA256 checksum for downloaded src
540
541 Raises a FetchError if one or both of the SRC_URI checksums do not match
542 the downloaded file, or if BB_STRICT_CHECKSUM is set and there are no
543 checksums specified.
544
545 Returns a dict of checksums that can be stored in a done stamp file and
546 passed in as precomputed parameter in a later call to avoid re-computing
547 the checksums from the file. This allows verifying the checksums of the
548 file against those in the recipe each time, rather than only after
549 downloading. See https://bugzilla.yoctoproject.org/show_bug.cgi?id=5571.
550 """
551
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500552 if ud.ignore_checksums or not ud.method.supports_checksum(ud):
553 return {}
554
Andrew Geissler82c905d2020-04-13 13:39:40 -0500555 def compute_checksum_info(checksum_id):
556 checksum_name = getattr(ud, "%s_name" % checksum_id)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500557
Andrew Geissler82c905d2020-04-13 13:39:40 -0500558 if checksum_id in precomputed:
559 checksum_data = precomputed[checksum_id]
560 else:
561 checksum_data = getattr(bb.utils, "%s_file" % checksum_id)(ud.localpath)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500562
Andrew Geissler82c905d2020-04-13 13:39:40 -0500563 checksum_expected = getattr(ud, "%s_expected" % checksum_id)
564
Andrew Geissler09036742021-06-25 14:25:14 -0500565 if checksum_expected == '':
566 checksum_expected = None
567
Andrew Geissler82c905d2020-04-13 13:39:40 -0500568 return {
569 "id": checksum_id,
570 "name": checksum_name,
571 "data": checksum_data,
572 "expected": checksum_expected
573 }
574
575 checksum_infos = []
576 for checksum_id in CHECKSUM_LIST:
577 checksum_infos.append(compute_checksum_info(checksum_id))
578
579 checksum_dict = {ci["id"] : ci["data"] for ci in checksum_infos}
580 checksum_event = {"%ssum" % ci["id"] : ci["data"] for ci in checksum_infos}
581
582 for ci in checksum_infos:
583 if ci["id"] in SHOWN_CHECKSUM_LIST:
584 checksum_lines = ["SRC_URI[%s] = \"%s\"" % (ci["name"], ci["data"])]
585
586 # If no checksum has been provided
587 if ud.method.recommends_checksum(ud) and all(ci["expected"] is None for ci in checksum_infos):
588 messages = []
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500589 strict = d.getVar("BB_STRICT_CHECKSUM") or "0"
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500590
Andrew Geissler82c905d2020-04-13 13:39:40 -0500591 # If strict checking enabled and neither sum defined, raise error
592 if strict == "1":
593 messages.append("No checksum specified for '%s', please add at " \
594 "least one to the recipe:" % ud.localpath)
595 messages.extend(checksum_lines)
596 logger.error("\n".join(messages))
597 raise NoChecksumError("Missing SRC_URI checksum", ud.url)
598
599 bb.event.fire(MissingChecksumEvent(ud.url, **checksum_event), d)
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500600
601 if strict == "ignore":
Andrew Geissler82c905d2020-04-13 13:39:40 -0500602 return checksum_dict
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500603
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500604 # Log missing sums so user can more easily add them
Andrew Geissler82c905d2020-04-13 13:39:40 -0500605 messages.append("Missing checksum for '%s', consider adding at " \
606 "least one to the recipe:" % ud.localpath)
607 messages.extend(checksum_lines)
608 logger.warning("\n".join(messages))
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500609
610 # We want to alert the user if a checksum is defined in the recipe but
611 # it does not match.
Andrew Geissler82c905d2020-04-13 13:39:40 -0500612 messages = []
613 messages.append("Checksum mismatch!")
614 bad_checksum = None
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500615
Andrew Geissler82c905d2020-04-13 13:39:40 -0500616 for ci in checksum_infos:
617 if ci["expected"] and ci["expected"] != ci["data"]:
Andrew Geissler09036742021-06-25 14:25:14 -0500618 messages.append("File: '%s' has %s checksum '%s' when '%s' was " \
Andrew Geissler82c905d2020-04-13 13:39:40 -0500619 "expected" % (ud.localpath, ci["id"], ci["data"], ci["expected"]))
620 bad_checksum = ci["data"]
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500621
Andrew Geissler82c905d2020-04-13 13:39:40 -0500622 if bad_checksum:
623 messages.append("If this change is expected (e.g. you have upgraded " \
624 "to a new version without updating the checksums) " \
625 "then you can use these lines within the recipe:")
626 messages.extend(checksum_lines)
627 messages.append("Otherwise you should retry the download and/or " \
628 "check with upstream to determine if the file has " \
629 "become corrupted or otherwise unexpectedly modified.")
630 raise ChecksumError("\n".join(messages), ud.url, bad_checksum)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500631
Andrew Geissler82c905d2020-04-13 13:39:40 -0500632 return checksum_dict
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500633
634def verify_donestamp(ud, d, origud=None):
635 """
636 Check whether the done stamp file has the right checksums (if the fetch
637 method supports them). If it doesn't, delete the done stamp and force
638 a re-download.
639
640 Returns True, if the donestamp exists and is valid, False otherwise. When
641 returning False, any existing done stamps are removed.
642 """
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500643 if not ud.needdonestamp or (origud and not origud.needdonestamp):
Patrick Williamsd8c66bc2016-06-20 12:57:21 -0500644 return True
645
Brad Bishop316dfdd2018-06-25 12:45:53 -0400646 if not os.path.exists(ud.localpath):
647 # local path does not exist
648 if os.path.exists(ud.donestamp):
649 # done stamp exists, but the downloaded file does not; the done stamp
650 # must be incorrect, re-trigger the download
651 bb.utils.remove(ud.donestamp)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500652 return False
653
654 if (not ud.method.supports_checksum(ud) or
655 (origud and not origud.method.supports_checksum(origud))):
Brad Bishop316dfdd2018-06-25 12:45:53 -0400656 # if done stamp exists and checksums not supported; assume the local
657 # file is current
658 return os.path.exists(ud.donestamp)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500659
660 precomputed_checksums = {}
661 # Only re-use the precomputed checksums if the donestamp is newer than the
662 # file. Do not rely on the mtime of directories, though. If ud.localpath is
663 # a directory, there will probably not be any checksums anyway.
Brad Bishop316dfdd2018-06-25 12:45:53 -0400664 if os.path.exists(ud.donestamp) and (os.path.isdir(ud.localpath) or
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500665 os.path.getmtime(ud.localpath) < os.path.getmtime(ud.donestamp)):
666 try:
667 with open(ud.donestamp, "rb") as cachefile:
668 pickled = pickle.Unpickler(cachefile)
669 precomputed_checksums.update(pickled.load())
670 except Exception as e:
671 # Avoid the warnings on the upgrade path from emtpy done stamp
672 # files to those containing the checksums.
673 if not isinstance(e, EOFError):
674 # Ignore errors, they aren't fatal
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600675 logger.warning("Couldn't load checksums from donestamp %s: %s "
676 "(msg: %s)" % (ud.donestamp, type(e).__name__,
677 str(e)))
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500678
679 try:
680 checksums = verify_checksum(ud, d, precomputed_checksums)
681 # If the cache file did not have the checksums, compute and store them
682 # as an upgrade path from the previous done stamp file format.
683 if checksums != precomputed_checksums:
684 with open(ud.donestamp, "wb") as cachefile:
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600685 p = pickle.Pickler(cachefile, 2)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500686 p.dump(checksums)
687 return True
688 except ChecksumError as e:
689 # Checksums failed to verify, trigger re-download and remove the
690 # incorrect stamp file.
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600691 logger.warning("Checksum mismatch for local file %s\n"
692 "Cleaning and trying again." % ud.localpath)
Patrick Williamsd8c66bc2016-06-20 12:57:21 -0500693 if os.path.exists(ud.localpath):
694 rename_bad_checksum(ud, e.checksum)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500695 bb.utils.remove(ud.donestamp)
696 return False
697
698
699def update_stamp(ud, d):
700 """
701 donestamp is file stamp indicating the whole fetching is done
702 this function update the stamp after verifying the checksum
703 """
Patrick Williamsd8c66bc2016-06-20 12:57:21 -0500704 if not ud.needdonestamp:
705 return
706
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500707 if os.path.exists(ud.donestamp):
708 # Touch the done stamp file to show active use of the download
709 try:
710 os.utime(ud.donestamp, None)
711 except:
712 # Errors aren't fatal here
713 pass
714 else:
Patrick Williamsd8c66bc2016-06-20 12:57:21 -0500715 try:
716 checksums = verify_checksum(ud, d)
717 # Store the checksums for later re-verification against the recipe
718 with open(ud.donestamp, "wb") as cachefile:
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600719 p = pickle.Pickler(cachefile, 2)
Patrick Williamsd8c66bc2016-06-20 12:57:21 -0500720 p.dump(checksums)
721 except ChecksumError as e:
722 # Checksums failed to verify, trigger re-download and remove the
723 # incorrect stamp file.
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600724 logger.warning("Checksum mismatch for local file %s\n"
725 "Cleaning and trying again." % ud.localpath)
Patrick Williamsd8c66bc2016-06-20 12:57:21 -0500726 if os.path.exists(ud.localpath):
727 rename_bad_checksum(ud, e.checksum)
728 bb.utils.remove(ud.donestamp)
729 raise
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500730
731def subprocess_setup():
732 # Python installs a SIGPIPE handler by default. This is usually not what
733 # non-Python subprocesses expect.
734 # SIGPIPE errors are known issues with gzip/bash
735 signal.signal(signal.SIGPIPE, signal.SIG_DFL)
736
737def get_autorev(d):
738 # only not cache src rev in autorev case
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500739 if d.getVar('BB_SRCREV_POLICY') != "cache":
Patrick Williamsd8c66bc2016-06-20 12:57:21 -0500740 d.setVar('BB_DONT_CACHE', '1')
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500741 return "AUTOINC"
742
743def get_srcrev(d, method_name='sortable_revision'):
744 """
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500745 Return the revision string, usually for use in the version string (PV) of the current package
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500746 Most packages usually only have one SCM so we just pass on the call.
747 In the multi SCM case, we build a value based on SRCREV_FORMAT which must
748 have been set.
749
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500750 The idea here is that we put the string "AUTOINC+" into return value if the revisions are not
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500751 incremental, other code is then responsible for turning that into an increasing value (if needed)
752
753 A method_name can be supplied to retrieve an alternatively formatted revision from a fetcher, if
754 that fetcher provides a method with the given name and the same signature as sortable_revision.
755 """
756
757 scms = []
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500758 fetcher = Fetch(d.getVar('SRC_URI').split(), d)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500759 urldata = fetcher.ud
760 for u in urldata:
761 if urldata[u].method.supports_srcrev():
762 scms.append(u)
763
764 if len(scms) == 0:
765 raise FetchError("SRCREV was used yet no valid SCM was found in SRC_URI")
766
767 if len(scms) == 1 and len(urldata[scms[0]].names) == 1:
768 autoinc, rev = getattr(urldata[scms[0]].method, method_name)(urldata[scms[0]], d, urldata[scms[0]].names[0])
769 if len(rev) > 10:
770 rev = rev[:10]
771 if autoinc:
772 return "AUTOINC+" + rev
773 return rev
774
775 #
776 # Mutiple SCMs are in SRC_URI so we resort to SRCREV_FORMAT
777 #
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500778 format = d.getVar('SRCREV_FORMAT')
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500779 if not format:
Brad Bishop19323692019-04-05 15:28:33 -0400780 raise FetchError("The SRCREV_FORMAT variable must be set when multiple SCMs are used.\n"\
781 "The SCMs are:\n%s" % '\n'.join(scms))
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500782
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600783 name_to_rev = {}
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500784 seenautoinc = False
785 for scm in scms:
786 ud = urldata[scm]
787 for name in ud.names:
788 autoinc, rev = getattr(ud.method, method_name)(ud, d, name)
789 seenautoinc = seenautoinc or autoinc
790 if len(rev) > 10:
791 rev = rev[:10]
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600792 name_to_rev[name] = rev
793 # Replace names by revisions in the SRCREV_FORMAT string. The approach used
794 # here can handle names being prefixes of other names and names appearing
795 # as substrings in revisions (in which case the name should not be
796 # expanded). The '|' regular expression operator tries matches from left to
797 # right, so we need to sort the names with the longest ones first.
798 names_descending_len = sorted(name_to_rev, key=len, reverse=True)
799 name_to_rev_re = "|".join(re.escape(name) for name in names_descending_len)
800 format = re.sub(name_to_rev_re, lambda match: name_to_rev[match.group(0)], format)
801
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500802 if seenautoinc:
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500803 format = "AUTOINC+" + format
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500804
805 return format
806
807def localpath(url, d):
808 fetcher = bb.fetch2.Fetch([url], d)
809 return fetcher.localpath(url)
810
Patrick Williams0ca19cc2021-08-16 14:03:13 -0500811# Need to export PATH as binary could be in metadata paths
812# rather than host provided
813# Also include some other variables.
814FETCH_EXPORT_VARS = ['HOME', 'PATH',
815 'HTTP_PROXY', 'http_proxy',
816 'HTTPS_PROXY', 'https_proxy',
817 'FTP_PROXY', 'ftp_proxy',
818 'FTPS_PROXY', 'ftps_proxy',
819 'NO_PROXY', 'no_proxy',
820 'ALL_PROXY', 'all_proxy',
821 'GIT_PROXY_COMMAND',
822 'GIT_SSH',
823 'GIT_SSL_CAINFO',
824 'GIT_SMART_HTTP',
825 'SSH_AUTH_SOCK', 'SSH_AGENT_PID',
826 'SOCKS5_USER', 'SOCKS5_PASSWD',
827 'DBUS_SESSION_BUS_ADDRESS',
828 'P4CONFIG',
829 'SSL_CERT_FILE',
830 'AWS_ACCESS_KEY_ID',
831 'AWS_SECRET_ACCESS_KEY',
832 'AWS_DEFAULT_REGION']
833
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600834def runfetchcmd(cmd, d, quiet=False, cleanup=None, log=None, workdir=None):
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500835 """
836 Run cmd returning the command output
837 Raise an error if interrupted or cmd fails
838 Optionally echo command output to stdout
839 Optionally remove the files/directories listed in cleanup upon failure
840 """
841
Patrick Williams0ca19cc2021-08-16 14:03:13 -0500842 exportvars = FETCH_EXPORT_VARS
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500843
844 if not cleanup:
845 cleanup = []
846
Brad Bishop1a4b7ee2018-12-16 17:11:34 -0800847 # If PATH contains WORKDIR which contains PV-PR which contains SRCPV we
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500848 # can end up in circular recursion here so give the option of breaking it
849 # in a data store copy.
850 try:
851 d.getVar("PV")
Brad Bishop1a4b7ee2018-12-16 17:11:34 -0800852 d.getVar("PR")
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500853 except bb.data_smart.ExpansionError:
854 d = bb.data.createCopy(d)
855 d.setVar("PV", "fetcheravoidrecurse")
Brad Bishop1a4b7ee2018-12-16 17:11:34 -0800856 d.setVar("PR", "fetcheravoidrecurse")
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500857
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600858 origenv = d.getVar("BB_ORIGENV", False)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500859 for var in exportvars:
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500860 val = d.getVar(var) or (origenv and origenv.getVar(var))
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500861 if val:
862 cmd = 'export ' + var + '=\"%s\"; %s' % (val, cmd)
863
Brad Bishop316dfdd2018-06-25 12:45:53 -0400864 # Disable pseudo as it may affect ssh, potentially causing it to hang.
865 cmd = 'export PSEUDO_DISABLED=1; ' + cmd
866
Brad Bishop19323692019-04-05 15:28:33 -0400867 if workdir:
Andrew Geisslerd1e89492021-02-12 15:35:20 -0600868 logger.debug("Running '%s' in %s" % (cmd, workdir))
Brad Bishop19323692019-04-05 15:28:33 -0400869 else:
Andrew Geisslerd1e89492021-02-12 15:35:20 -0600870 logger.debug("Running %s", cmd)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500871
872 success = False
873 error_message = ""
874
875 try:
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600876 (output, errors) = bb.process.run(cmd, log=log, shell=True, stderr=subprocess.PIPE, cwd=workdir)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500877 success = True
878 except bb.process.NotFoundError as e:
879 error_message = "Fetch command %s" % (e.command)
880 except bb.process.ExecutionError as e:
881 if e.stdout:
882 output = "output:\n%s\n%s" % (e.stdout, e.stderr)
883 elif e.stderr:
884 output = "output:\n%s" % e.stderr
885 else:
886 output = "no output"
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600887 error_message = "Fetch command %s failed with exit code %s, %s" % (e.command, e.exitcode, output)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500888 except bb.process.CmdError as e:
889 error_message = "Fetch command %s could not be run:\n%s" % (e.command, e.msg)
890 if not success:
891 for f in cleanup:
892 try:
893 bb.utils.remove(f, True)
894 except OSError:
895 pass
896
897 raise FetchError(error_message)
898
899 return output
900
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500901def check_network_access(d, info, url):
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500902 """
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500903 log remote network access, and error if BB_NO_NETWORK is set or the given
904 URI is untrusted
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500905 """
Brad Bishop19323692019-04-05 15:28:33 -0400906 if bb.utils.to_boolean(d.getVar("BB_NO_NETWORK")):
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500907 raise NetworkAccess(url, info)
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500908 elif not trusted_network(d, url):
909 raise UntrustedUrl(url, info)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500910 else:
Andrew Geisslerd1e89492021-02-12 15:35:20 -0600911 logger.debug("Fetcher accessed the network with the command %s" % info)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500912
913def build_mirroruris(origud, mirrors, ld):
914 uris = []
915 uds = []
916
917 replacements = {}
918 replacements["TYPE"] = origud.type
919 replacements["HOST"] = origud.host
920 replacements["PATH"] = origud.path
921 replacements["BASENAME"] = origud.path.split("/")[-1]
922 replacements["MIRRORNAME"] = origud.host.replace(':','.') + origud.path.replace('/', '.').replace('*', '.')
923
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500924 def adduri(ud, uris, uds, mirrors, tarballs):
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500925 for line in mirrors:
926 try:
927 (find, replace) = line
928 except ValueError:
929 continue
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500930
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500931 for tarball in tarballs:
932 newuri = uri_replace(ud, find, replace, replacements, ld, tarball)
933 if not newuri or newuri in uris or newuri == origud.url:
934 continue
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500935
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500936 if not trusted_network(ld, newuri):
Andrew Geisslerd1e89492021-02-12 15:35:20 -0600937 logger.debug("Mirror %s not in the list of trusted networks, skipping" % (newuri))
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500938 continue
Patrick Williamsd7e96312015-09-22 08:09:05 -0500939
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500940 # Create a local copy of the mirrors minus the current line
941 # this will prevent us from recursively processing the same line
942 # as well as indirect recursion A -> B -> C -> A
943 localmirrors = list(mirrors)
944 localmirrors.remove(line)
945
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500946 try:
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500947 newud = FetchData(newuri, ld)
948 newud.setup_localpath(ld)
949 except bb.fetch2.BBFetchException as e:
Andrew Geisslerd1e89492021-02-12 15:35:20 -0600950 logger.debug("Mirror fetch failure for url %s (original url: %s)" % (newuri, origud.url))
951 logger.debug(str(e))
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500952 try:
953 # setup_localpath of file:// urls may fail, we should still see
954 # if mirrors of the url exist
955 adduri(newud, uris, uds, localmirrors, tarballs)
956 except UnboundLocalError:
957 pass
958 continue
959 uris.append(newuri)
960 uds.append(newud)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500961
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500962 adduri(newud, uris, uds, localmirrors, tarballs)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500963
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500964 adduri(origud, uris, uds, mirrors, origud.mirrortarballs or [None])
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500965
966 return uris, uds
967
968def rename_bad_checksum(ud, suffix):
969 """
970 Renames files to have suffix from parameter
971 """
972
973 if ud.localpath is None:
974 return
975
976 new_localpath = "%s_bad-checksum_%s" % (ud.localpath, suffix)
977 bb.warn("Renaming %s to %s" % (ud.localpath, new_localpath))
Brad Bishop79641f22019-09-10 07:20:22 -0400978 if not bb.utils.movefile(ud.localpath, new_localpath):
979 bb.warn("Renaming %s to %s failed, grep movefile in log.do_fetch to see why" % (ud.localpath, new_localpath))
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500980
981
982def try_mirror_url(fetch, origud, ud, ld, check = False):
983 # Return of None or a value means we're finished
984 # False means try another url
Patrick Williamsd8c66bc2016-06-20 12:57:21 -0500985
986 if ud.lockfile and ud.lockfile != origud.lockfile:
987 lf = bb.utils.lockfile(ud.lockfile)
988
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500989 try:
990 if check:
991 found = ud.method.checkstatus(fetch, ud, ld)
992 if found:
993 return found
994 return False
995
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500996 if not verify_donestamp(ud, ld, origud) or ud.method.need_update(ud, ld):
997 ud.method.download(ud, ld)
998 if hasattr(ud.method,"build_mirror_data"):
999 ud.method.build_mirror_data(ud, ld)
1000
1001 if not ud.localpath or not os.path.exists(ud.localpath):
1002 return False
1003
1004 if ud.localpath == origud.localpath:
1005 return ud.localpath
1006
1007 # We may be obtaining a mirror tarball which needs further processing by the real fetcher
1008 # If that tarball is a local file:// we need to provide a symlink to it
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001009 dldir = ld.getVar("DL_DIR")
Brad Bishopd7bf8c12018-02-25 22:55:05 -05001010
1011 if origud.mirrortarballs and os.path.basename(ud.localpath) in origud.mirrortarballs and os.path.basename(ud.localpath) != os.path.basename(origud.localpath):
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001012 # Create donestamp in old format to avoid triggering a re-download
Patrick Williamsd8c66bc2016-06-20 12:57:21 -05001013 if ud.donestamp:
1014 bb.utils.mkdirhier(os.path.dirname(ud.donestamp))
1015 open(ud.donestamp, 'w').close()
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001016 dest = os.path.join(dldir, os.path.basename(ud.localpath))
1017 if not os.path.exists(dest):
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001018 # In case this is executing without any file locks held (as is
1019 # the case for file:// URLs), two tasks may end up here at the
1020 # same time, in which case we do not want the second task to
1021 # fail when the link has already been created by the first task.
1022 try:
1023 os.symlink(ud.localpath, dest)
1024 except FileExistsError:
1025 pass
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001026 if not verify_donestamp(origud, ld) or origud.method.need_update(origud, ld):
1027 origud.method.download(origud, ld)
Brad Bishopd7bf8c12018-02-25 22:55:05 -05001028 if hasattr(origud.method, "build_mirror_data"):
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001029 origud.method.build_mirror_data(origud, ld)
Patrick Williamsf1e5d692016-03-30 15:21:19 -05001030 return origud.localpath
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001031 # Otherwise the result is a local file:// and we symlink to it
Andrew Geissler09209ee2020-12-13 08:44:15 -06001032 ensure_symlink(ud.localpath, origud.localpath)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001033 update_stamp(origud, ld)
1034 return ud.localpath
1035
1036 except bb.fetch2.NetworkAccess:
1037 raise
1038
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001039 except IOError as e:
Brad Bishop19323692019-04-05 15:28:33 -04001040 if e.errno in [errno.ESTALE]:
Brad Bishopd7bf8c12018-02-25 22:55:05 -05001041 logger.warning("Stale Error Observed %s." % ud.url)
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001042 return False
1043 raise
1044
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001045 except bb.fetch2.BBFetchException as e:
1046 if isinstance(e, ChecksumError):
Patrick Williamsc0f7c042017-02-23 20:41:17 -06001047 logger.warning("Mirror checksum failure for url %s (original url: %s)\nCleaning and trying again." % (ud.url, origud.url))
1048 logger.warning(str(e))
Patrick Williamsd8c66bc2016-06-20 12:57:21 -05001049 if os.path.exists(ud.localpath):
1050 rename_bad_checksum(ud, e.checksum)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001051 elif isinstance(e, NoChecksumError):
1052 raise
1053 else:
Andrew Geisslerd1e89492021-02-12 15:35:20 -06001054 logger.debug("Mirror fetch failure for url %s (original url: %s)" % (ud.url, origud.url))
1055 logger.debug(str(e))
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001056 try:
1057 ud.method.clean(ud, ld)
1058 except UnboundLocalError:
1059 pass
1060 return False
Patrick Williamsd8c66bc2016-06-20 12:57:21 -05001061 finally:
1062 if ud.lockfile and ud.lockfile != origud.lockfile:
1063 bb.utils.unlockfile(lf)
1064
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001065
Andrew Geissler09209ee2020-12-13 08:44:15 -06001066def ensure_symlink(target, link_name):
Brad Bishop1a4b7ee2018-12-16 17:11:34 -08001067 if not os.path.exists(link_name):
1068 if os.path.islink(link_name):
1069 # Broken symbolic link
1070 os.unlink(link_name)
1071
1072 # In case this is executing without any file locks held (as is
1073 # the case for file:// URLs), two tasks may end up here at the
1074 # same time, in which case we do not want the second task to
1075 # fail when the link has already been created by the first task.
1076 try:
1077 os.symlink(target, link_name)
1078 except FileExistsError:
1079 pass
1080
1081
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001082def try_mirrors(fetch, d, origud, mirrors, check = False):
1083 """
1084 Try to use a mirrored version of the sources.
1085 This method will be automatically called before the fetchers go.
1086
1087 d Is a bb.data instance
1088 uri is the original uri we're trying to download
1089 mirrors is the list of mirrors we're going to try
1090 """
1091 ld = d.createCopy()
1092
1093 uris, uds = build_mirroruris(origud, mirrors, ld)
1094
1095 for index, uri in enumerate(uris):
1096 ret = try_mirror_url(fetch, origud, uds[index], ld, check)
Andrew Geissler82c905d2020-04-13 13:39:40 -05001097 if ret:
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001098 return ret
1099 return None
1100
1101def trusted_network(d, url):
1102 """
1103 Use a trusted url during download if networking is enabled and
1104 BB_ALLOWED_NETWORKS is set globally or for a specific recipe.
1105 Note: modifies SRC_URI & mirrors.
1106 """
Brad Bishop19323692019-04-05 15:28:33 -04001107 if bb.utils.to_boolean(d.getVar("BB_NO_NETWORK")):
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001108 return True
1109
1110 pkgname = d.expand(d.getVar('PN', False))
Brad Bishop1a4b7ee2018-12-16 17:11:34 -08001111 trusted_hosts = None
1112 if pkgname:
1113 trusted_hosts = d.getVarFlag('BB_ALLOWED_NETWORKS', pkgname, False)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001114
1115 if not trusted_hosts:
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001116 trusted_hosts = d.getVar('BB_ALLOWED_NETWORKS')
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001117
1118 # Not enabled.
1119 if not trusted_hosts:
1120 return True
1121
1122 scheme, network, path, user, passwd, param = decodeurl(url)
1123
1124 if not network:
1125 return True
1126
Patrick Williamsd8c66bc2016-06-20 12:57:21 -05001127 network = network.split(':')[0]
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001128 network = network.lower()
1129
1130 for host in trusted_hosts.split(" "):
1131 host = host.lower()
1132 if host.startswith("*.") and ("." + network).endswith(host[1:]):
1133 return True
1134 if host == network:
1135 return True
1136
1137 return False
1138
1139def srcrev_internal_helper(ud, d, name):
1140 """
1141 Return:
1142 a) a source revision if specified
1143 b) latest revision if SRCREV="AUTOINC"
1144 c) None if not specified
1145 """
1146
1147 srcrev = None
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001148 pn = d.getVar("PN")
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001149 attempts = []
1150 if name != '' and pn:
Patrick Williams213cb262021-08-07 19:21:33 -05001151 attempts.append("SRCREV_%s:pn-%s" % (name, pn))
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001152 if name != '':
1153 attempts.append("SRCREV_%s" % name)
1154 if pn:
Patrick Williams213cb262021-08-07 19:21:33 -05001155 attempts.append("SRCREV:pn-%s" % pn)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001156 attempts.append("SRCREV")
1157
1158 for a in attempts:
Brad Bishopd7bf8c12018-02-25 22:55:05 -05001159 srcrev = d.getVar(a)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001160 if srcrev and srcrev != "INVALID":
1161 break
1162
1163 if 'rev' in ud.parm and 'tag' in ud.parm:
1164 raise FetchError("Please specify a ;rev= parameter or a ;tag= parameter in the url %s but not both." % (ud.url))
1165
1166 if 'rev' in ud.parm or 'tag' in ud.parm:
1167 if 'rev' in ud.parm:
1168 parmrev = ud.parm['rev']
1169 else:
1170 parmrev = ud.parm['tag']
1171 if srcrev == "INVALID" or not srcrev:
1172 return parmrev
1173 if srcrev != parmrev:
Brad Bishopd7bf8c12018-02-25 22:55:05 -05001174 raise FetchError("Conflicting revisions (%s from SRCREV and %s from the url) found, please specify one valid value" % (srcrev, parmrev))
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001175 return parmrev
1176
1177 if srcrev == "INVALID" or not srcrev:
1178 raise FetchError("Please set a valid SRCREV for url %s (possible key names are %s, or use a ;rev=X URL parameter)" % (str(attempts), ud.url), ud.url)
1179 if srcrev == "AUTOINC":
1180 srcrev = ud.method.latest_revision(ud, d, name)
1181
1182 return srcrev
1183
1184def get_checksum_file_list(d):
1185 """ Get a list of files checksum in SRC_URI
1186
1187 Returns the resolved local paths of all local file entries in
1188 SRC_URI as a space-separated string
1189 """
1190 fetch = Fetch([], d, cache = False, localonly = True)
1191
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001192 dl_dir = d.getVar('DL_DIR')
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001193 filelist = []
1194 for u in fetch.urls:
1195 ud = fetch.ud[u]
1196
1197 if ud and isinstance(ud.method, local.Local):
1198 paths = ud.method.localpaths(ud, d)
1199 for f in paths:
1200 pth = ud.decodedurl
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001201 if f.startswith(dl_dir):
1202 # The local fetcher's behaviour is to return a path under DL_DIR if it couldn't find the file anywhere else
1203 if os.path.exists(f):
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001204 bb.warn("Getting checksum for %s SRC_URI entry %s: file not found except in DL_DIR" % (d.getVar('PN'), os.path.basename(f)))
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001205 else:
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001206 bb.warn("Unable to get checksum for %s SRC_URI entry %s: file could not be found" % (d.getVar('PN'), os.path.basename(f)))
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001207 filelist.append(f + ":" + str(os.path.exists(f)))
1208
1209 return " ".join(filelist)
1210
Andrew Geissler82c905d2020-04-13 13:39:40 -05001211def get_file_checksums(filelist, pn, localdirsexclude):
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001212 """Get a list of the checksums for a list of local files
1213
1214 Returns the checksums for a list of local files, caching the results as
1215 it proceeds
1216
1217 """
Andrew Geissler82c905d2020-04-13 13:39:40 -05001218 return _checksum_cache.get_checksums(filelist, pn, localdirsexclude)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001219
1220
1221class FetchData(object):
1222 """
1223 A class which represents the fetcher state for a given URI.
1224 """
1225 def __init__(self, url, d, localonly = False):
1226 # localpath is the location of a downloaded result. If not set, the file is local.
1227 self.donestamp = None
Patrick Williamsd8c66bc2016-06-20 12:57:21 -05001228 self.needdonestamp = True
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001229 self.localfile = ""
1230 self.localpath = None
1231 self.lockfile = None
Brad Bishopd7bf8c12018-02-25 22:55:05 -05001232 self.mirrortarballs = []
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001233 self.basename = None
1234 self.basepath = None
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001235 (self.type, self.host, self.path, self.user, self.pswd, self.parm) = decodeurl(d.expand(url))
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001236 self.date = self.getSRCDate(d)
1237 self.url = url
1238 if not self.user and "user" in self.parm:
1239 self.user = self.parm["user"]
1240 if not self.pswd and "pswd" in self.parm:
1241 self.pswd = self.parm["pswd"]
1242 self.setup = False
1243
Andrew Geissler82c905d2020-04-13 13:39:40 -05001244 def configure_checksum(checksum_id):
1245 if "name" in self.parm:
1246 checksum_name = "%s.%ssum" % (self.parm["name"], checksum_id)
1247 else:
1248 checksum_name = "%ssum" % checksum_id
1249
1250 setattr(self, "%s_name" % checksum_id, checksum_name)
1251
1252 if checksum_name in self.parm:
1253 checksum_expected = self.parm[checksum_name]
Andrew Geissler95ac1b82021-03-31 14:34:31 -05001254 elif self.type not in ["http", "https", "ftp", "ftps", "sftp", "s3", "az"]:
Andrew Geissler82c905d2020-04-13 13:39:40 -05001255 checksum_expected = None
1256 else:
1257 checksum_expected = d.getVarFlag("SRC_URI", checksum_name)
1258
1259 setattr(self, "%s_expected" % checksum_id, checksum_expected)
1260
1261 for checksum_id in CHECKSUM_LIST:
1262 configure_checksum(checksum_id)
1263
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001264 self.ignore_checksums = False
1265
1266 self.names = self.parm.get("name",'default').split(',')
1267
1268 self.method = None
1269 for m in methods:
1270 if m.supports(self, d):
1271 self.method = m
Brad Bishopd7bf8c12018-02-25 22:55:05 -05001272 break
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001273
1274 if not self.method:
1275 raise NoMethodError(url)
1276
1277 if localonly and not isinstance(self.method, local.Local):
1278 raise NonLocalMethod()
1279
1280 if self.parm.get("proto", None) and "protocol" not in self.parm:
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001281 logger.warning('Consider updating %s recipe to use "protocol" not "proto" in SRC_URI.', d.getVar('PN'))
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001282 self.parm["protocol"] = self.parm.get("proto", None)
1283
1284 if hasattr(self.method, "urldata_init"):
1285 self.method.urldata_init(self, d)
1286
1287 if "localpath" in self.parm:
1288 # if user sets localpath for file, use it instead.
1289 self.localpath = self.parm["localpath"]
1290 self.basename = os.path.basename(self.localpath)
1291 elif self.localfile:
1292 self.localpath = self.method.localpath(self, d)
1293
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001294 dldir = d.getVar("DL_DIR")
Patrick Williamsd8c66bc2016-06-20 12:57:21 -05001295
1296 if not self.needdonestamp:
1297 return
1298
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001299 # Note: .done and .lock files should always be in DL_DIR whereas localpath may not be.
1300 if self.localpath and self.localpath.startswith(dldir):
1301 basepath = self.localpath
1302 elif self.localpath:
1303 basepath = dldir + os.sep + os.path.basename(self.localpath)
Patrick Williamsd8c66bc2016-06-20 12:57:21 -05001304 elif self.basepath or self.basename:
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001305 basepath = dldir + os.sep + (self.basepath or self.basename)
Patrick Williamsd8c66bc2016-06-20 12:57:21 -05001306 else:
Brad Bishopd7bf8c12018-02-25 22:55:05 -05001307 bb.fatal("Can't determine lock path for url %s" % url)
Patrick Williamsd8c66bc2016-06-20 12:57:21 -05001308
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001309 self.donestamp = basepath + '.done'
1310 self.lockfile = basepath + '.lock'
1311
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001312 def setup_revisions(self, d):
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001313 self.revisions = {}
1314 for name in self.names:
1315 self.revisions[name] = srcrev_internal_helper(self, d, name)
1316
1317 # add compatibility code for non name specified case
1318 if len(self.names) == 1:
1319 self.revision = self.revisions[self.names[0]]
1320
1321 def setup_localpath(self, d):
1322 if not self.localpath:
1323 self.localpath = self.method.localpath(self, d)
1324
1325 def getSRCDate(self, d):
1326 """
1327 Return the SRC Date for the component
1328
1329 d the bb.data module
1330 """
1331 if "srcdate" in self.parm:
1332 return self.parm['srcdate']
1333
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001334 pn = d.getVar("PN")
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001335
1336 if pn:
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001337 return d.getVar("SRCDATE_%s" % pn) or d.getVar("SRCDATE") or d.getVar("DATE")
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001338
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001339 return d.getVar("SRCDATE") or d.getVar("DATE")
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001340
1341class FetchMethod(object):
1342 """Base class for 'fetch'ing data"""
1343
1344 def __init__(self, urls=None):
1345 self.urls = []
1346
1347 def supports(self, urldata, d):
1348 """
1349 Check to see if this fetch class supports a given url.
1350 """
1351 return 0
1352
1353 def localpath(self, urldata, d):
1354 """
1355 Return the local filename of a given url assuming a successful fetch.
1356 Can also setup variables in urldata for use in go (saving code duplication
1357 and duplicate code execution)
1358 """
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001359 return os.path.join(d.getVar("DL_DIR"), urldata.localfile)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001360
1361 def supports_checksum(self, urldata):
1362 """
1363 Is localpath something that can be represented by a checksum?
1364 """
1365
1366 # We cannot compute checksums for directories
Andrew Geissler82c905d2020-04-13 13:39:40 -05001367 if os.path.isdir(urldata.localpath):
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001368 return False
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001369 return True
1370
1371 def recommends_checksum(self, urldata):
1372 """
Brad Bishopd7bf8c12018-02-25 22:55:05 -05001373 Is the backend on where checksumming is recommended (should warnings
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001374 be displayed if there is no checksum)?
1375 """
1376 return False
1377
Andrew Geissler82c905d2020-04-13 13:39:40 -05001378 def verify_donestamp(self, ud, d):
1379 """
1380 Verify the donestamp file
1381 """
1382 return verify_donestamp(ud, d)
1383
1384 def update_donestamp(self, ud, d):
1385 """
1386 Update the donestamp file
1387 """
1388 update_stamp(ud, d)
1389
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001390 def _strip_leading_slashes(self, relpath):
1391 """
1392 Remove leading slash as os.path.join can't cope
1393 """
1394 while os.path.isabs(relpath):
1395 relpath = relpath[1:]
1396 return relpath
1397
1398 def setUrls(self, urls):
1399 self.__urls = urls
1400
1401 def getUrls(self):
1402 return self.__urls
1403
1404 urls = property(getUrls, setUrls, None, "Urls property")
1405
1406 def need_update(self, ud, d):
1407 """
1408 Force a fetch, even if localpath exists?
1409 """
1410 if os.path.exists(ud.localpath):
1411 return False
1412 return True
1413
1414 def supports_srcrev(self):
1415 """
1416 The fetcher supports auto source revisions (SRCREV)
1417 """
1418 return False
1419
1420 def download(self, urldata, d):
1421 """
1422 Fetch urls
1423 Assumes localpath was called first
1424 """
Brad Bishop19323692019-04-05 15:28:33 -04001425 raise NoMethodError(urldata.url)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001426
1427 def unpack(self, urldata, rootdir, data):
1428 iterate = False
1429 file = urldata.localpath
1430
1431 try:
1432 unpack = bb.utils.to_boolean(urldata.parm.get('unpack'), True)
1433 except ValueError as exc:
1434 bb.fatal("Invalid value for 'unpack' parameter for %s: %s" %
1435 (file, urldata.parm.get('unpack')))
1436
1437 base, ext = os.path.splitext(file)
1438 if ext in ['.gz', '.bz2', '.Z', '.xz', '.lz']:
1439 efile = os.path.join(rootdir, os.path.basename(base))
1440 else:
1441 efile = file
1442 cmd = None
1443
1444 if unpack:
1445 if file.endswith('.tar'):
1446 cmd = 'tar x --no-same-owner -f %s' % file
1447 elif file.endswith('.tgz') or file.endswith('.tar.gz') or file.endswith('.tar.Z'):
1448 cmd = 'tar xz --no-same-owner -f %s' % file
1449 elif file.endswith('.tbz') or file.endswith('.tbz2') or file.endswith('.tar.bz2'):
1450 cmd = 'bzip2 -dc %s | tar x --no-same-owner -f -' % file
1451 elif file.endswith('.gz') or file.endswith('.Z') or file.endswith('.z'):
1452 cmd = 'gzip -dc %s > %s' % (file, efile)
1453 elif file.endswith('.bz2'):
1454 cmd = 'bzip2 -dc %s > %s' % (file, efile)
Brad Bishop316dfdd2018-06-25 12:45:53 -04001455 elif file.endswith('.txz') or file.endswith('.tar.xz'):
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001456 cmd = 'xz -dc %s | tar x --no-same-owner -f -' % file
1457 elif file.endswith('.xz'):
1458 cmd = 'xz -dc %s > %s' % (file, efile)
1459 elif file.endswith('.tar.lz'):
1460 cmd = 'lzip -dc %s | tar x --no-same-owner -f -' % file
1461 elif file.endswith('.lz'):
1462 cmd = 'lzip -dc %s > %s' % (file, efile)
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001463 elif file.endswith('.tar.7z'):
1464 cmd = '7z x -so %s | tar x --no-same-owner -f -' % file
1465 elif file.endswith('.7z'):
1466 cmd = '7za x -y %s 1>/dev/null' % file
Andrew Geissler6ce62a22020-11-30 19:58:47 -06001467 elif file.endswith('.tzst') or file.endswith('.tar.zst'):
1468 cmd = 'zstd --decompress --stdout %s | tar x --no-same-owner -f -' % file
1469 elif file.endswith('.zst'):
1470 cmd = 'zstd --decompress --stdout %s > %s' % (file, efile)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001471 elif file.endswith('.zip') or file.endswith('.jar'):
1472 try:
1473 dos = bb.utils.to_boolean(urldata.parm.get('dos'), False)
1474 except ValueError as exc:
1475 bb.fatal("Invalid value for 'dos' parameter for %s: %s" %
1476 (file, urldata.parm.get('dos')))
1477 cmd = 'unzip -q -o'
1478 if dos:
1479 cmd = '%s -a' % cmd
1480 cmd = "%s '%s'" % (cmd, file)
1481 elif file.endswith('.rpm') or file.endswith('.srpm'):
1482 if 'extract' in urldata.parm:
1483 unpack_file = urldata.parm.get('extract')
1484 cmd = 'rpm2cpio.sh %s | cpio -id %s' % (file, unpack_file)
1485 iterate = True
1486 iterate_file = unpack_file
1487 else:
1488 cmd = 'rpm2cpio.sh %s | cpio -id' % (file)
1489 elif file.endswith('.deb') or file.endswith('.ipk'):
Brad Bishopa5c52ff2018-11-23 10:55:50 +13001490 output = subprocess.check_output(['ar', '-t', file], preexec_fn=subprocess_setup)
Patrick Williamsc0f7c042017-02-23 20:41:17 -06001491 datafile = None
1492 if output:
1493 for line in output.decode().splitlines():
1494 if line.startswith('data.tar.'):
1495 datafile = line
1496 break
1497 else:
1498 raise UnpackError("Unable to unpack deb/ipk package - does not contain data.tar.* file", urldata.url)
1499 else:
1500 raise UnpackError("Unable to unpack deb/ipk package - could not list contents", urldata.url)
1501 cmd = 'ar x %s %s && tar --no-same-owner -xpf %s && rm %s' % (file, datafile, datafile, datafile)
Patrick Williamsd8c66bc2016-06-20 12:57:21 -05001502
1503 # If 'subdir' param exists, create a dir and use it as destination for unpack cmd
1504 if 'subdir' in urldata.parm:
Patrick Williamsc0f7c042017-02-23 20:41:17 -06001505 subdir = urldata.parm.get('subdir')
1506 if os.path.isabs(subdir):
1507 if not os.path.realpath(subdir).startswith(os.path.realpath(rootdir)):
1508 raise UnpackError("subdir argument isn't a subdirectory of unpack root %s" % rootdir, urldata.url)
1509 unpackdir = subdir
1510 else:
1511 unpackdir = os.path.join(rootdir, subdir)
Patrick Williamsd8c66bc2016-06-20 12:57:21 -05001512 bb.utils.mkdirhier(unpackdir)
1513 else:
1514 unpackdir = rootdir
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001515
1516 if not unpack or not cmd:
1517 # If file == dest, then avoid any copies, as we already put the file into dest!
Patrick Williamsd8c66bc2016-06-20 12:57:21 -05001518 dest = os.path.join(unpackdir, os.path.basename(file))
1519 if file != dest and not (os.path.exists(dest) and os.path.samefile(file, dest)):
1520 destdir = '.'
1521 # For file:// entries all intermediate dirs in path must be created at destination
1522 if urldata.type == "file":
1523 # Trailing '/' does a copying to wrong place
1524 urlpath = urldata.path.rstrip('/')
1525 # Want files places relative to cwd so no leading '/'
1526 urlpath = urlpath.lstrip('/')
1527 if urlpath.find("/") != -1:
1528 destdir = urlpath.rsplit("/", 1)[0] + '/'
1529 bb.utils.mkdirhier("%s/%s" % (unpackdir, destdir))
Andrew Geisslerc3d88e42020-10-02 09:45:00 -05001530 cmd = 'cp -fpPRH "%s" "%s"' % (file, destdir)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001531
1532 if not cmd:
1533 return
1534
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001535 path = data.getVar('PATH')
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001536 if path:
1537 cmd = "PATH=\"%s\" %s" % (path, cmd)
Patrick Williamsc0f7c042017-02-23 20:41:17 -06001538 bb.note("Unpacking %s to %s/" % (file, unpackdir))
1539 ret = subprocess.call(cmd, preexec_fn=subprocess_setup, shell=True, cwd=unpackdir)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001540
1541 if ret != 0:
1542 raise UnpackError("Unpack command %s failed with return value %s" % (cmd, ret), urldata.url)
1543
1544 if iterate is True:
1545 iterate_urldata = urldata
1546 iterate_urldata.localpath = "%s/%s" % (rootdir, iterate_file)
1547 self.unpack(urldata, rootdir, data)
1548
1549 return
1550
1551 def clean(self, urldata, d):
1552 """
1553 Clean any existing full or partial download
1554 """
1555 bb.utils.remove(urldata.localpath)
1556
1557 def try_premirror(self, urldata, d):
1558 """
1559 Should premirrors be used?
1560 """
1561 return True
1562
Andrew Geissler82c905d2020-04-13 13:39:40 -05001563 def try_mirrors(self, fetch, urldata, d, mirrors, check=False):
1564 """
1565 Try to use a mirror
1566 """
1567 return bool(try_mirrors(fetch, d, urldata, mirrors, check))
1568
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001569 def checkstatus(self, fetch, urldata, d):
1570 """
1571 Check the status of a URL
1572 Assumes localpath was called first
1573 """
Brad Bishop19323692019-04-05 15:28:33 -04001574 logger.info("URL %s could not be checked for status since no method exists.", urldata.url)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001575 return True
1576
1577 def latest_revision(self, ud, d, name):
1578 """
1579 Look in the cache for the latest revision, if not present ask the SCM.
1580 """
1581 if not hasattr(self, "_latest_revision"):
Brad Bishop19323692019-04-05 15:28:33 -04001582 raise ParameterError("The fetcher for this URL does not support _latest_revision", ud.url)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001583
1584 revs = bb.persist_data.persist('BB_URI_HEADREVS', d)
1585 key = self.generate_revision_key(ud, d, name)
1586 try:
1587 return revs[key]
1588 except KeyError:
1589 revs[key] = rev = self._latest_revision(ud, d, name)
1590 return rev
1591
1592 def sortable_revision(self, ud, d, name):
1593 latest_rev = self._build_revision(ud, d, name)
1594 return True, str(latest_rev)
1595
1596 def generate_revision_key(self, ud, d, name):
Andrew Geissler82c905d2020-04-13 13:39:40 -05001597 return self._revision_key(ud, d, name)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001598
Brad Bishopd7bf8c12018-02-25 22:55:05 -05001599 def latest_versionstring(self, ud, d):
1600 """
1601 Compute the latest release name like "x.y.x" in "x.y.x+gitHASH"
1602 by searching through the tags output of ls-remote, comparing
1603 versions and returning the highest match as a (version, revision) pair.
1604 """
1605 return ('', '')
1606
Andrew Geissler82c905d2020-04-13 13:39:40 -05001607 def done(self, ud, d):
1608 """
1609 Is the download done ?
1610 """
1611 if os.path.exists(ud.localpath):
1612 return True
Andrew Geissler82c905d2020-04-13 13:39:40 -05001613 return False
1614
Andrew Geissler4ed12e12020-06-05 18:00:41 -05001615 def implicit_urldata(self, ud, d):
1616 """
1617 Get a list of FetchData objects for any implicit URLs that will also
1618 be downloaded when we fetch the given URL.
1619 """
1620 return []
1621
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001622class Fetch(object):
1623 def __init__(self, urls, d, cache = True, localonly = False, connection_cache = None):
1624 if localonly and cache:
1625 raise Exception("bb.fetch2.Fetch.__init__: cannot set cache and localonly at same time")
1626
1627 if len(urls) == 0:
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001628 urls = d.getVar("SRC_URI").split()
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001629 self.urls = urls
1630 self.d = d
1631 self.ud = {}
1632 self.connection_cache = connection_cache
1633
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001634 fn = d.getVar('FILE')
1635 mc = d.getVar('__BBMULTICONFIG') or ""
Andrew Geissler82c905d2020-04-13 13:39:40 -05001636 key = None
1637 if cache and fn:
1638 key = mc + fn + str(id(d))
1639 if key in urldata_cache:
1640 self.ud = urldata_cache[key]
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001641
1642 for url in urls:
1643 if url not in self.ud:
1644 try:
1645 self.ud[url] = FetchData(url, d, localonly)
1646 except NonLocalMethod:
1647 if localonly:
1648 self.ud[url] = None
1649 pass
1650
Andrew Geissler82c905d2020-04-13 13:39:40 -05001651 if key:
1652 urldata_cache[key] = self.ud
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001653
1654 def localpath(self, url):
1655 if url not in self.urls:
1656 self.ud[url] = FetchData(url, self.d)
1657
1658 self.ud[url].setup_localpath(self.d)
1659 return self.d.expand(self.ud[url].localpath)
1660
1661 def localpaths(self):
1662 """
1663 Return a list of the local filenames, assuming successful fetch
1664 """
1665 local = []
1666
1667 for u in self.urls:
1668 ud = self.ud[u]
1669 ud.setup_localpath(self.d)
1670 local.append(ud.localpath)
1671
1672 return local
1673
1674 def download(self, urls=None):
1675 """
1676 Fetch all urls
1677 """
1678 if not urls:
1679 urls = self.urls
1680
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001681 network = self.d.getVar("BB_NO_NETWORK")
Brad Bishop19323692019-04-05 15:28:33 -04001682 premirroronly = bb.utils.to_boolean(self.d.getVar("BB_FETCH_PREMIRRORONLY"))
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001683
1684 for u in urls:
1685 ud = self.ud[u]
1686 ud.setup_localpath(self.d)
1687 m = ud.method
Andrew Geissler82c905d2020-04-13 13:39:40 -05001688 done = False
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001689
Patrick Williamsd8c66bc2016-06-20 12:57:21 -05001690 if ud.lockfile:
1691 lf = bb.utils.lockfile(ud.lockfile)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001692
1693 try:
1694 self.d.setVar("BB_NO_NETWORK", network)
Brad Bishopd7bf8c12018-02-25 22:55:05 -05001695
Andrew Geissler82c905d2020-04-13 13:39:40 -05001696 if m.verify_donestamp(ud, self.d) and not m.need_update(ud, self.d):
1697 done = True
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001698 elif m.try_premirror(ud, self.d):
Andrew Geisslerd1e89492021-02-12 15:35:20 -06001699 logger.debug("Trying PREMIRRORS")
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001700 mirrors = mirror_from_string(self.d.getVar('PREMIRRORS'))
Andrew Geissler82c905d2020-04-13 13:39:40 -05001701 done = m.try_mirrors(self, ud, self.d, mirrors)
1702 if done:
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001703 try:
1704 # early checksum verification so that if the checksum of the premirror
1705 # contents mismatch the fetcher can still try upstream and mirrors
Andrew Geissler82c905d2020-04-13 13:39:40 -05001706 m.update_donestamp(ud, self.d)
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001707 except ChecksumError as e:
1708 logger.warning("Checksum failure encountered with premirror download of %s - will attempt other sources." % u)
Andrew Geisslerd1e89492021-02-12 15:35:20 -06001709 logger.debug(str(e))
Andrew Geissler82c905d2020-04-13 13:39:40 -05001710 done = False
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001711
1712 if premirroronly:
1713 self.d.setVar("BB_NO_NETWORK", "1")
1714
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001715 firsterr = None
Andrew Geissler82c905d2020-04-13 13:39:40 -05001716 verified_stamp = m.verify_donestamp(ud, self.d)
1717 if not done and (not verified_stamp or m.need_update(ud, self.d)):
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001718 try:
1719 if not trusted_network(self.d, ud.url):
1720 raise UntrustedUrl(ud.url)
Andrew Geisslerd1e89492021-02-12 15:35:20 -06001721 logger.debug("Trying Upstream")
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001722 m.download(ud, self.d)
1723 if hasattr(m, "build_mirror_data"):
1724 m.build_mirror_data(ud, self.d)
Andrew Geissler82c905d2020-04-13 13:39:40 -05001725 done = True
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001726 # early checksum verify, so that if checksum mismatched,
1727 # fetcher still have chance to fetch from mirror
Andrew Geissler82c905d2020-04-13 13:39:40 -05001728 m.update_donestamp(ud, self.d)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001729
1730 except bb.fetch2.NetworkAccess:
1731 raise
1732
1733 except BBFetchException as e:
1734 if isinstance(e, ChecksumError):
Patrick Williamsc0f7c042017-02-23 20:41:17 -06001735 logger.warning("Checksum failure encountered with download of %s - will attempt other sources if available" % u)
Andrew Geisslerd1e89492021-02-12 15:35:20 -06001736 logger.debug(str(e))
Patrick Williamsd8c66bc2016-06-20 12:57:21 -05001737 if os.path.exists(ud.localpath):
1738 rename_bad_checksum(ud, e.checksum)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001739 elif isinstance(e, NoChecksumError):
1740 raise
1741 else:
Patrick Williamsc0f7c042017-02-23 20:41:17 -06001742 logger.warning('Failed to fetch URL %s, attempting MIRRORS if available' % u)
Andrew Geisslerd1e89492021-02-12 15:35:20 -06001743 logger.debug(str(e))
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001744 firsterr = e
1745 # Remove any incomplete fetch
1746 if not verified_stamp:
1747 m.clean(ud, self.d)
Andrew Geisslerd1e89492021-02-12 15:35:20 -06001748 logger.debug("Trying MIRRORS")
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001749 mirrors = mirror_from_string(self.d.getVar('MIRRORS'))
Andrew Geissler82c905d2020-04-13 13:39:40 -05001750 done = m.try_mirrors(self, ud, self.d, mirrors)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001751
Andrew Geissler82c905d2020-04-13 13:39:40 -05001752 if not done or not m.done(ud, self.d):
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001753 if firsterr:
1754 logger.error(str(firsterr))
1755 raise FetchError("Unable to fetch URL from any source.", u)
1756
Andrew Geissler82c905d2020-04-13 13:39:40 -05001757 m.update_donestamp(ud, self.d)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001758
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001759 except IOError as e:
Brad Bishop19323692019-04-05 15:28:33 -04001760 if e.errno in [errno.ESTALE]:
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001761 logger.error("Stale Error Observed %s." % u)
1762 raise ChecksumError("Stale Error Detected")
1763
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001764 except BBFetchException as e:
1765 if isinstance(e, ChecksumError):
1766 logger.error("Checksum failure fetching %s" % u)
1767 raise
1768
1769 finally:
Patrick Williamsd8c66bc2016-06-20 12:57:21 -05001770 if ud.lockfile:
1771 bb.utils.unlockfile(lf)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001772
1773 def checkstatus(self, urls=None):
1774 """
1775 Check all urls exist upstream
1776 """
1777
1778 if not urls:
1779 urls = self.urls
1780
1781 for u in urls:
1782 ud = self.ud[u]
1783 ud.setup_localpath(self.d)
1784 m = ud.method
Andrew Geisslerd1e89492021-02-12 15:35:20 -06001785 logger.debug("Testing URL %s", u)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001786 # First try checking uri, u, from PREMIRRORS
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001787 mirrors = mirror_from_string(self.d.getVar('PREMIRRORS'))
Andrew Geissler82c905d2020-04-13 13:39:40 -05001788 ret = m.try_mirrors(self, ud, self.d, mirrors, True)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001789 if not ret:
1790 # Next try checking from the original uri, u
Brad Bishopd7bf8c12018-02-25 22:55:05 -05001791 ret = m.checkstatus(self, ud, self.d)
1792 if not ret:
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001793 # Finally, try checking uri, u, from MIRRORS
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001794 mirrors = mirror_from_string(self.d.getVar('MIRRORS'))
Andrew Geissler82c905d2020-04-13 13:39:40 -05001795 ret = m.try_mirrors(self, ud, self.d, mirrors, True)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001796
1797 if not ret:
1798 raise FetchError("URL %s doesn't work" % u, u)
1799
1800 def unpack(self, root, urls=None):
1801 """
Brad Bishopd7bf8c12018-02-25 22:55:05 -05001802 Unpack urls to root
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001803 """
1804
1805 if not urls:
1806 urls = self.urls
1807
1808 for u in urls:
1809 ud = self.ud[u]
1810 ud.setup_localpath(self.d)
1811
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001812 if ud.lockfile:
1813 lf = bb.utils.lockfile(ud.lockfile)
1814
1815 ud.method.unpack(ud, root, self.d)
1816
1817 if ud.lockfile:
1818 bb.utils.unlockfile(lf)
1819
1820 def clean(self, urls=None):
1821 """
1822 Clean files that the fetcher gets or places
1823 """
1824
1825 if not urls:
1826 urls = self.urls
1827
1828 for url in urls:
1829 if url not in self.ud:
Brad Bishop19323692019-04-05 15:28:33 -04001830 self.ud[url] = FetchData(url, self.d)
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001831 ud = self.ud[url]
1832 ud.setup_localpath(self.d)
1833
1834 if not ud.localfile and ud.localpath is None:
1835 continue
1836
1837 if ud.lockfile:
1838 lf = bb.utils.lockfile(ud.lockfile)
1839
1840 ud.method.clean(ud, self.d)
1841 if ud.donestamp:
1842 bb.utils.remove(ud.donestamp)
1843
1844 if ud.lockfile:
1845 bb.utils.unlockfile(lf)
1846
Andrew Geissler4ed12e12020-06-05 18:00:41 -05001847 def expanded_urldata(self, urls=None):
1848 """
1849 Get an expanded list of FetchData objects covering both the given
1850 URLS and any additional implicit URLs that are added automatically by
1851 the appropriate FetchMethod.
1852 """
1853
1854 if not urls:
1855 urls = self.urls
1856
1857 urldata = []
1858 for url in urls:
1859 ud = self.ud[url]
1860 urldata.append(ud)
1861 urldata += ud.method.implicit_urldata(ud, self.d)
1862
1863 return urldata
1864
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001865class FetchConnectionCache(object):
1866 """
1867 A class which represents an container for socket connections.
1868 """
1869 def __init__(self):
1870 self.cache = {}
1871
1872 def get_connection_name(self, host, port):
1873 return host + ':' + str(port)
1874
1875 def add_connection(self, host, port, connection):
1876 cn = self.get_connection_name(host, port)
1877
1878 if cn not in self.cache:
1879 self.cache[cn] = connection
1880
1881 def get_connection(self, host, port):
1882 connection = None
1883
1884 cn = self.get_connection_name(host, port)
1885 if cn in self.cache:
1886 connection = self.cache[cn]
1887
1888 return connection
1889
1890 def remove_connection(self, host, port):
1891 cn = self.get_connection_name(host, port)
1892 if cn in self.cache:
1893 self.cache[cn].close()
1894 del self.cache[cn]
1895
1896 def close_connections(self):
Patrick Williamsc0f7c042017-02-23 20:41:17 -06001897 for cn in list(self.cache.keys()):
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001898 self.cache[cn].close()
1899 del self.cache[cn]
1900
1901from . import cvs
1902from . import git
1903from . import gitsm
1904from . import gitannex
1905from . import local
1906from . import svn
1907from . import wget
1908from . import ssh
1909from . import sftp
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001910from . import s3
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001911from . import perforce
1912from . import bzr
1913from . import hg
1914from . import osc
1915from . import repo
1916from . import clearcase
Patrick Williamsd8c66bc2016-06-20 12:57:21 -05001917from . import npm
Andrew Geissler82c905d2020-04-13 13:39:40 -05001918from . import npmsw
Andrew Geissler95ac1b82021-03-31 14:34:31 -05001919from . import az
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001920
1921methods.append(local.Local())
1922methods.append(wget.Wget())
1923methods.append(svn.Svn())
1924methods.append(git.Git())
1925methods.append(gitsm.GitSM())
1926methods.append(gitannex.GitANNEX())
1927methods.append(cvs.Cvs())
1928methods.append(ssh.SSH())
1929methods.append(sftp.SFTP())
Brad Bishop6e60e8b2018-02-01 10:27:11 -05001930methods.append(s3.S3())
Patrick Williamsc124f4f2015-09-15 14:41:29 -05001931methods.append(perforce.Perforce())
1932methods.append(bzr.Bzr())
1933methods.append(hg.Hg())
1934methods.append(osc.Osc())
1935methods.append(repo.Repo())
1936methods.append(clearcase.ClearCase())
Patrick Williamsd8c66bc2016-06-20 12:57:21 -05001937methods.append(npm.Npm())
Andrew Geissler82c905d2020-04-13 13:39:40 -05001938methods.append(npmsw.NpmShrinkWrap())
Andrew Geissler95ac1b82021-03-31 14:34:31 -05001939methods.append(az.Az())