blob: 4b35f400e97d61cd9bc7d445b4c378e6e246d5d5 [file] [log] [blame]
Tom Rini83d290c2018-05-06 17:58:06 -04001# SPDX-License-Identifier: GPL-2.0+
Simon Glassfc3fe1c2013-04-03 11:07:16 +00002# Copyright (c) 2012 The Chromium OS Authors.
3#
Simon Glassfc3fe1c2013-04-03 11:07:16 +00004
Simon Glass4281ad82013-09-23 17:35:17 -06005import re
Simon Glassfc3fe1c2013-04-03 11:07:16 +00006import glob
Simon Glass827e37b2014-12-01 17:34:06 -07007from HTMLParser import HTMLParser
Simon Glassfc3fe1c2013-04-03 11:07:16 +00008import os
Simon Glass827e37b2014-12-01 17:34:06 -07009import sys
10import tempfile
11import urllib2
Simon Glassfc3fe1c2013-04-03 11:07:16 +000012
13import bsettings
14import command
Simon Glass713bea32016-07-27 20:33:02 -060015import terminal
Simon Glassfc3fe1c2013-04-03 11:07:16 +000016
Simon Glass17bce662016-03-12 18:50:32 -070017(PRIORITY_FULL_PREFIX, PRIORITY_PREFIX_GCC, PRIORITY_PREFIX_GCC_PATH,
18 PRIORITY_CALC) = range(4)
Simon Glassff690df2016-03-06 19:45:37 -070019
Simon Glass827e37b2014-12-01 17:34:06 -070020# Simple class to collect links from a page
21class MyHTMLParser(HTMLParser):
22 def __init__(self, arch):
23 """Create a new parser
24
25 After the parser runs, self.links will be set to a list of the links
26 to .xz archives found in the page, and self.arch_link will be set to
27 the one for the given architecture (or None if not found).
28
29 Args:
30 arch: Architecture to search for
31 """
32 HTMLParser.__init__(self)
33 self.arch_link = None
34 self.links = []
Daniel Schwierzeck4c58d272018-05-10 07:15:53 -040035 self.re_arch = re.compile('[-_]%s-' % arch)
Simon Glass827e37b2014-12-01 17:34:06 -070036
37 def handle_starttag(self, tag, attrs):
38 if tag == 'a':
39 for tag, value in attrs:
40 if tag == 'href':
41 if value and value.endswith('.xz'):
42 self.links.append(value)
Daniel Schwierzeck4c58d272018-05-10 07:15:53 -040043 if self.re_arch.search(value):
Simon Glass827e37b2014-12-01 17:34:06 -070044 self.arch_link = value
45
46
Simon Glassfc3fe1c2013-04-03 11:07:16 +000047class Toolchain:
48 """A single toolchain
49
50 Public members:
51 gcc: Full path to C compiler
52 path: Directory path containing C compiler
53 cross: Cross compile string, e.g. 'arm-linux-'
54 arch: Architecture of toolchain as determined from the first
55 component of the filename. E.g. arm-linux-gcc becomes arm
Simon Glassff690df2016-03-06 19:45:37 -070056 priority: Toolchain priority (0=highest, 20=lowest)
Simon Glassfc3fe1c2013-04-03 11:07:16 +000057 """
Simon Glass608e3992016-03-06 19:45:38 -070058 def __init__(self, fname, test, verbose=False, priority=PRIORITY_CALC,
59 arch=None):
Simon Glassfc3fe1c2013-04-03 11:07:16 +000060 """Create a new toolchain object.
61
62 Args:
63 fname: Filename of the gcc component
64 test: True to run the toolchain to test it
Simon Glassad24eba2016-03-06 19:45:35 -070065 verbose: True to print out the information
Simon Glassff690df2016-03-06 19:45:37 -070066 priority: Priority to use for this toolchain, or PRIORITY_CALC to
67 calculate it
Simon Glassfc3fe1c2013-04-03 11:07:16 +000068 """
69 self.gcc = fname
70 self.path = os.path.dirname(fname)
Simon Glassb5324122014-12-01 17:33:58 -070071
72 # Find the CROSS_COMPILE prefix to use for U-Boot. For example,
73 # 'arm-linux-gnueabihf-gcc' turns into 'arm-linux-gnueabihf-'.
74 basename = os.path.basename(fname)
75 pos = basename.rfind('-')
76 self.cross = basename[:pos + 1] if pos != -1 else ''
77
78 # The architecture is the first part of the name
Simon Glassfc3fe1c2013-04-03 11:07:16 +000079 pos = self.cross.find('-')
Simon Glass608e3992016-03-06 19:45:38 -070080 if arch:
81 self.arch = arch
82 else:
83 self.arch = self.cross[:pos] if pos != -1 else 'sandbox'
Simon Glassfc3fe1c2013-04-03 11:07:16 +000084
Simon Glassbb1501f2014-12-01 17:34:00 -070085 env = self.MakeEnvironment(False)
Simon Glassfc3fe1c2013-04-03 11:07:16 +000086
87 # As a basic sanity check, run the C compiler with --version
88 cmd = [fname, '--version']
Simon Glassff690df2016-03-06 19:45:37 -070089 if priority == PRIORITY_CALC:
90 self.priority = self.GetPriority(fname)
91 else:
92 self.priority = priority
Simon Glassfc3fe1c2013-04-03 11:07:16 +000093 if test:
Stephen Warren8bb2bdd2013-10-09 14:28:09 -060094 result = command.RunPipe([cmd], capture=True, env=env,
95 raise_on_error=False)
Simon Glassfc3fe1c2013-04-03 11:07:16 +000096 self.ok = result.return_code == 0
97 if verbose:
98 print 'Tool chain test: ',
99 if self.ok:
Simon Glass608e3992016-03-06 19:45:38 -0700100 print "OK, arch='%s', priority %d" % (self.arch,
101 self.priority)
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000102 else:
103 print 'BAD'
104 print 'Command: ', cmd
105 print result.stdout
106 print result.stderr
107 else:
108 self.ok = True
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000109
110 def GetPriority(self, fname):
111 """Return the priority of the toolchain.
112
113 Toolchains are ranked according to their suitability by their
114 filename prefix.
115
116 Args:
117 fname: Filename of toolchain
118 Returns:
Simon Glassff690df2016-03-06 19:45:37 -0700119 Priority of toolchain, PRIORITY_CALC=highest, 20=lowest.
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000120 """
Masahiro Yamada87082672014-07-07 09:47:45 +0900121 priority_list = ['-elf', '-unknown-linux-gnu', '-linux',
Tom Rini546a6f32017-04-14 19:47:50 -0400122 '-none-linux-gnueabi', '-none-linux-gnueabihf', '-uclinux',
123 '-none-eabi', '-gentoo-linux-gnu', '-linux-gnueabi',
124 '-linux-gnueabihf', '-le-linux', '-uclinux']
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000125 for prio in range(len(priority_list)):
126 if priority_list[prio] in fname:
Simon Glassff690df2016-03-06 19:45:37 -0700127 return PRIORITY_CALC + prio
128 return PRIORITY_CALC + prio
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000129
York Sund5fe0132016-10-04 14:33:51 -0700130 def GetWrapper(self, show_warning=True):
131 """Get toolchain wrapper from the setting file.
132 """
133 value = ''
134 for name, value in bsettings.GetItems('toolchain-wrapper'):
135 if not value:
136 print "Warning: Wrapper not found"
137 if value:
138 value = value + ' '
139
140 return value
141
Simon Glassbb1501f2014-12-01 17:34:00 -0700142 def MakeEnvironment(self, full_path):
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000143 """Returns an environment for using the toolchain.
144
Simon Glassbb1501f2014-12-01 17:34:00 -0700145 Thie takes the current environment and adds CROSS_COMPILE so that
Daniel Schwierzeckb0e994c2017-06-08 03:07:08 +0200146 the tool chain will operate correctly. This also disables localized
147 output and possibly unicode encoded output of all build tools by
148 adding LC_ALL=C.
Simon Glassbb1501f2014-12-01 17:34:00 -0700149
150 Args:
151 full_path: Return the full path in CROSS_COMPILE and don't set
152 PATH
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000153 """
154 env = dict(os.environ)
York Sund5fe0132016-10-04 14:33:51 -0700155 wrapper = self.GetWrapper()
156
Simon Glassbb1501f2014-12-01 17:34:00 -0700157 if full_path:
York Sund5fe0132016-10-04 14:33:51 -0700158 env['CROSS_COMPILE'] = wrapper + os.path.join(self.path, self.cross)
Simon Glassbb1501f2014-12-01 17:34:00 -0700159 else:
York Sund5fe0132016-10-04 14:33:51 -0700160 env['CROSS_COMPILE'] = wrapper + self.cross
Simon Glassbb1501f2014-12-01 17:34:00 -0700161 env['PATH'] = self.path + ':' + env['PATH']
162
Daniel Schwierzeckb0e994c2017-06-08 03:07:08 +0200163 env['LC_ALL'] = 'C'
164
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000165 return env
166
167
168class Toolchains:
169 """Manage a list of toolchains for building U-Boot
170
171 We select one toolchain for each architecture type
172
173 Public members:
174 toolchains: Dict of Toolchain objects, keyed by architecture name
Simon Glass17bce662016-03-12 18:50:32 -0700175 prefixes: Dict of prefixes to check, keyed by architecture. This can
176 be a full path and toolchain prefix, for example
177 {'x86', 'opt/i386-linux/bin/i386-linux-'}, or the name of
178 something on the search path, for example
179 {'arm', 'arm-linux-gnueabihf-'}. Wildcards are not supported.
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000180 paths: List of paths to check for toolchains (may contain wildcards)
181 """
182
183 def __init__(self):
184 self.toolchains = {}
Simon Glass17bce662016-03-12 18:50:32 -0700185 self.prefixes = {}
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000186 self.paths = []
Simon Glassd4144e42014-09-05 19:00:13 -0600187 self._make_flags = dict(bsettings.GetItems('make-flags'))
188
Simon Glass80e6a482016-07-27 20:33:01 -0600189 def GetPathList(self, show_warning=True):
Simon Glass827e37b2014-12-01 17:34:06 -0700190 """Get a list of available toolchain paths
191
Simon Glass80e6a482016-07-27 20:33:01 -0600192 Args:
193 show_warning: True to show a warning if there are no tool chains.
194
Simon Glass827e37b2014-12-01 17:34:06 -0700195 Returns:
196 List of strings, each a path to a toolchain mentioned in the
197 [toolchain] section of the settings file.
198 """
Simon Glass4281ad82013-09-23 17:35:17 -0600199 toolchains = bsettings.GetItems('toolchain')
Simon Glass80e6a482016-07-27 20:33:01 -0600200 if show_warning and not toolchains:
Simon Glass713bea32016-07-27 20:33:02 -0600201 print ("Warning: No tool chains. Please run 'buildman "
202 "--fetch-arch all' to download all available toolchains, or "
203 "add a [toolchain] section to your buildman config file "
204 "%s. See README for details" %
205 bsettings.config_fname)
Simon Glass4281ad82013-09-23 17:35:17 -0600206
Simon Glass827e37b2014-12-01 17:34:06 -0700207 paths = []
Simon Glass4281ad82013-09-23 17:35:17 -0600208 for name, value in toolchains:
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000209 if '*' in value:
Simon Glass827e37b2014-12-01 17:34:06 -0700210 paths += glob.glob(value)
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000211 else:
Simon Glass827e37b2014-12-01 17:34:06 -0700212 paths.append(value)
213 return paths
214
Simon Glass80e6a482016-07-27 20:33:01 -0600215 def GetSettings(self, show_warning=True):
216 """Get toolchain settings from the settings file.
217
218 Args:
219 show_warning: True to show a warning if there are no tool chains.
220 """
221 self.prefixes = bsettings.GetItems('toolchain-prefix')
222 self.paths += self.GetPathList(show_warning)
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000223
Simon Glass608e3992016-03-06 19:45:38 -0700224 def Add(self, fname, test=True, verbose=False, priority=PRIORITY_CALC,
225 arch=None):
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000226 """Add a toolchain to our list
227
228 We select the given toolchain as our preferred one for its
229 architecture if it is a higher priority than the others.
230
231 Args:
232 fname: Filename of toolchain's gcc driver
233 test: True to run the toolchain to test it
Simon Glassff690df2016-03-06 19:45:37 -0700234 priority: Priority to use for this toolchain
Simon Glass608e3992016-03-06 19:45:38 -0700235 arch: Toolchain architecture, or None if not known
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000236 """
Simon Glass608e3992016-03-06 19:45:38 -0700237 toolchain = Toolchain(fname, test, verbose, priority, arch)
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000238 add_it = toolchain.ok
239 if toolchain.arch in self.toolchains:
240 add_it = (toolchain.priority <
241 self.toolchains[toolchain.arch].priority)
242 if add_it:
243 self.toolchains[toolchain.arch] = toolchain
Simon Glassff690df2016-03-06 19:45:37 -0700244 elif verbose:
245 print ("Toolchain '%s' at priority %d will be ignored because "
246 "another toolchain for arch '%s' has priority %d" %
247 (toolchain.gcc, toolchain.priority, toolchain.arch,
248 self.toolchains[toolchain.arch].priority))
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000249
Simon Glass827e37b2014-12-01 17:34:06 -0700250 def ScanPath(self, path, verbose):
251 """Scan a path for a valid toolchain
252
253 Args:
254 path: Path to scan
255 verbose: True to print out progress information
256 Returns:
257 Filename of C compiler if found, else None
258 """
Albert ARIBAUDd9088982015-02-01 00:12:44 +0100259 fnames = []
Simon Glass827e37b2014-12-01 17:34:06 -0700260 for subdir in ['.', 'bin', 'usr/bin']:
261 dirname = os.path.join(path, subdir)
262 if verbose: print " - looking in '%s'" % dirname
263 for fname in glob.glob(dirname + '/*gcc'):
264 if verbose: print " - found '%s'" % fname
Albert ARIBAUDd9088982015-02-01 00:12:44 +0100265 fnames.append(fname)
266 return fnames
Simon Glass827e37b2014-12-01 17:34:06 -0700267
Simon Glass17bce662016-03-12 18:50:32 -0700268 def ScanPathEnv(self, fname):
269 """Scan the PATH environment variable for a given filename.
270
271 Args:
272 fname: Filename to scan for
273 Returns:
274 List of matching pathanames, or [] if none
275 """
276 pathname_list = []
277 for path in os.environ["PATH"].split(os.pathsep):
278 path = path.strip('"')
279 pathname = os.path.join(path, fname)
280 if os.path.exists(pathname):
281 pathname_list.append(pathname)
282 return pathname_list
Simon Glass827e37b2014-12-01 17:34:06 -0700283
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000284 def Scan(self, verbose):
285 """Scan for available toolchains and select the best for each arch.
286
287 We look for all the toolchains we can file, figure out the
288 architecture for each, and whether it works. Then we select the
289 highest priority toolchain for each arch.
290
291 Args:
292 verbose: True to print out progress information
293 """
294 if verbose: print 'Scanning for tool chains'
Simon Glass17bce662016-03-12 18:50:32 -0700295 for name, value in self.prefixes:
296 if verbose: print " - scanning prefix '%s'" % value
297 if os.path.exists(value):
298 self.Add(value, True, verbose, PRIORITY_FULL_PREFIX, name)
299 continue
300 fname = value + 'gcc'
301 if os.path.exists(fname):
302 self.Add(fname, True, verbose, PRIORITY_PREFIX_GCC, name)
303 continue
304 fname_list = self.ScanPathEnv(fname)
305 for f in fname_list:
306 self.Add(f, True, verbose, PRIORITY_PREFIX_GCC_PATH, name)
307 if not fname_list:
308 raise ValueError, ("No tool chain found for prefix '%s'" %
309 value)
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000310 for path in self.paths:
311 if verbose: print " - scanning path '%s'" % path
Albert ARIBAUDd9088982015-02-01 00:12:44 +0100312 fnames = self.ScanPath(path, verbose)
313 for fname in fnames:
Simon Glass827e37b2014-12-01 17:34:06 -0700314 self.Add(fname, True, verbose)
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000315
316 def List(self):
317 """List out the selected toolchains for each architecture"""
Simon Glass713bea32016-07-27 20:33:02 -0600318 col = terminal.Color()
319 print col.Color(col.BLUE, 'List of available toolchains (%d):' %
320 len(self.toolchains))
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000321 if len(self.toolchains):
322 for key, value in sorted(self.toolchains.iteritems()):
323 print '%-10s: %s' % (key, value.gcc)
324 else:
325 print 'None'
326
327 def Select(self, arch):
328 """Returns the toolchain for a given architecture
329
330 Args:
331 args: Name of architecture (e.g. 'arm', 'ppc_8xx')
332
333 returns:
334 toolchain object, or None if none found
335 """
Simon Glass9b83bfd2014-12-01 17:34:05 -0700336 for tag, value in bsettings.GetItems('toolchain-alias'):
337 if arch == tag:
338 for alias in value.split():
339 if alias in self.toolchains:
340 return self.toolchains[alias]
Simon Glassfc3fe1c2013-04-03 11:07:16 +0000341
342 if not arch in self.toolchains:
343 raise ValueError, ("No tool chain found for arch '%s'" % arch)
344 return self.toolchains[arch]
Simon Glass4281ad82013-09-23 17:35:17 -0600345
346 def ResolveReferences(self, var_dict, args):
347 """Resolve variable references in a string
348
349 This converts ${blah} within the string to the value of blah.
350 This function works recursively.
351
352 Args:
353 var_dict: Dictionary containing variables and their values
354 args: String containing make arguments
355 Returns:
356 Resolved string
357
358 >>> bsettings.Setup()
359 >>> tcs = Toolchains()
360 >>> tcs.Add('fred', False)
361 >>> var_dict = {'oblique' : 'OBLIQUE', 'first' : 'fi${second}rst', \
362 'second' : '2nd'}
363 >>> tcs.ResolveReferences(var_dict, 'this=${oblique}_set')
364 'this=OBLIQUE_set'
365 >>> tcs.ResolveReferences(var_dict, 'this=${oblique}_set${first}nd')
366 'this=OBLIQUE_setfi2ndrstnd'
367 """
Simon Glassf60c9d42014-08-28 09:43:40 -0600368 re_var = re.compile('(\$\{[-_a-z0-9A-Z]{1,}\})')
Simon Glass4281ad82013-09-23 17:35:17 -0600369
370 while True:
371 m = re_var.search(args)
372 if not m:
373 break
374 lookup = m.group(0)[2:-1]
375 value = var_dict.get(lookup, '')
376 args = args[:m.start(0)] + value + args[m.end(0):]
377 return args
378
379 def GetMakeArguments(self, board):
380 """Returns 'make' arguments for a given board
381
382 The flags are in a section called 'make-flags'. Flags are named
383 after the target they represent, for example snapper9260=TESTING=1
384 will pass TESTING=1 to make when building the snapper9260 board.
385
386 References to other boards can be added in the string also. For
387 example:
388
389 [make-flags]
390 at91-boards=ENABLE_AT91_TEST=1
391 snapper9260=${at91-boards} BUILD_TAG=442
392 snapper9g45=${at91-boards} BUILD_TAG=443
393
394 This will return 'ENABLE_AT91_TEST=1 BUILD_TAG=442' for snapper9260
395 and 'ENABLE_AT91_TEST=1 BUILD_TAG=443' for snapper9g45.
396
397 A special 'target' variable is set to the board target.
398
399 Args:
400 board: Board object for the board to check.
401 Returns:
402 'make' flags for that board, or '' if none
403 """
404 self._make_flags['target'] = board.target
405 arg_str = self.ResolveReferences(self._make_flags,
406 self._make_flags.get(board.target, ''))
407 args = arg_str.split(' ')
408 i = 0
409 while i < len(args):
410 if not args[i]:
411 del args[i]
412 else:
413 i += 1
414 return args
Simon Glass827e37b2014-12-01 17:34:06 -0700415
416 def LocateArchUrl(self, fetch_arch):
417 """Find a toolchain available online
418
419 Look in standard places for available toolchains. At present the
420 only standard place is at kernel.org.
421
422 Args:
423 arch: Architecture to look for, or 'list' for all
424 Returns:
425 If fetch_arch is 'list', a tuple:
426 Machine architecture (e.g. x86_64)
427 List of toolchains
428 else
429 URL containing this toolchain, if avaialble, else None
430 """
431 arch = command.OutputOneLine('uname', '-m')
432 base = 'https://www.kernel.org/pub/tools/crosstool/files/bin'
Daniel Schwierzeck4c58d272018-05-10 07:15:53 -0400433 versions = ['7.3.0', '6.4.0', '4.9.4']
Simon Glass827e37b2014-12-01 17:34:06 -0700434 links = []
435 for version in versions:
436 url = '%s/%s/%s/' % (base, arch, version)
437 print 'Checking: %s' % url
438 response = urllib2.urlopen(url)
439 html = response.read()
440 parser = MyHTMLParser(fetch_arch)
441 parser.feed(html)
442 if fetch_arch == 'list':
443 links += parser.links
444 elif parser.arch_link:
445 return url + parser.arch_link
446 if fetch_arch == 'list':
447 return arch, links
448 return None
449
450 def Download(self, url):
451 """Download a file to a temporary directory
452
453 Args:
454 url: URL to download
455 Returns:
456 Tuple:
457 Temporary directory name
458 Full path to the downloaded archive file in that directory,
459 or None if there was an error while downloading
460 """
Simon Glassad24eba2016-03-06 19:45:35 -0700461 print 'Downloading: %s' % url
Simon Glass827e37b2014-12-01 17:34:06 -0700462 leaf = url.split('/')[-1]
463 tmpdir = tempfile.mkdtemp('.buildman')
464 response = urllib2.urlopen(url)
465 fname = os.path.join(tmpdir, leaf)
466 fd = open(fname, 'wb')
467 meta = response.info()
Simon Glassad24eba2016-03-06 19:45:35 -0700468 size = int(meta.getheaders('Content-Length')[0])
Simon Glass827e37b2014-12-01 17:34:06 -0700469 done = 0
470 block_size = 1 << 16
471 status = ''
472
473 # Read the file in chunks and show progress as we go
474 while True:
475 buffer = response.read(block_size)
476 if not buffer:
477 print chr(8) * (len(status) + 1), '\r',
478 break
479
480 done += len(buffer)
481 fd.write(buffer)
Simon Glassad24eba2016-03-06 19:45:35 -0700482 status = r'%10d MiB [%3d%%]' % (done / 1024 / 1024,
Simon Glass827e37b2014-12-01 17:34:06 -0700483 done * 100 / size)
484 status = status + chr(8) * (len(status) + 1)
485 print status,
486 sys.stdout.flush()
487 fd.close()
488 if done != size:
489 print 'Error, failed to download'
490 os.remove(fname)
491 fname = None
492 return tmpdir, fname
493
494 def Unpack(self, fname, dest):
495 """Unpack a tar file
496
497 Args:
498 fname: Filename to unpack
499 dest: Destination directory
500 Returns:
501 Directory name of the first entry in the archive, without the
502 trailing /
503 """
504 stdout = command.Output('tar', 'xvfJ', fname, '-C', dest)
505 return stdout.splitlines()[0][:-1]
506
507 def TestSettingsHasPath(self, path):
Simon Glass2289b272016-07-27 20:33:03 -0600508 """Check if buildman will find this toolchain
Simon Glass827e37b2014-12-01 17:34:06 -0700509
510 Returns:
511 True if the path is in settings, False if not
512 """
Simon Glass80e6a482016-07-27 20:33:01 -0600513 paths = self.GetPathList(False)
Simon Glass827e37b2014-12-01 17:34:06 -0700514 return path in paths
515
516 def ListArchs(self):
517 """List architectures with available toolchains to download"""
518 host_arch, archives = self.LocateArchUrl('list')
519 re_arch = re.compile('[-a-z0-9.]*_([^-]*)-.*')
520 arch_set = set()
521 for archive in archives:
522 # Remove the host architecture from the start
523 arch = re_arch.match(archive[len(host_arch):])
524 if arch:
525 arch_set.add(arch.group(1))
526 return sorted(arch_set)
527
528 def FetchAndInstall(self, arch):
529 """Fetch and install a new toolchain
530
531 arch:
532 Architecture to fetch, or 'list' to list
533 """
534 # Fist get the URL for this architecture
Simon Glass713bea32016-07-27 20:33:02 -0600535 col = terminal.Color()
536 print col.Color(col.BLUE, "Downloading toolchain for arch '%s'" % arch)
Simon Glass827e37b2014-12-01 17:34:06 -0700537 url = self.LocateArchUrl(arch)
538 if not url:
539 print ("Cannot find toolchain for arch '%s' - use 'list' to list" %
540 arch)
541 return 2
542 home = os.environ['HOME']
543 dest = os.path.join(home, '.buildman-toolchains')
544 if not os.path.exists(dest):
545 os.mkdir(dest)
546
547 # Download the tar file for this toolchain and unpack it
548 tmpdir, tarfile = self.Download(url)
549 if not tarfile:
550 return 1
Simon Glass713bea32016-07-27 20:33:02 -0600551 print col.Color(col.GREEN, 'Unpacking to: %s' % dest),
Simon Glass827e37b2014-12-01 17:34:06 -0700552 sys.stdout.flush()
553 path = self.Unpack(tarfile, dest)
554 os.remove(tarfile)
555 os.rmdir(tmpdir)
556 print
557
558 # Check that the toolchain works
Simon Glass713bea32016-07-27 20:33:02 -0600559 print col.Color(col.GREEN, 'Testing')
Simon Glass827e37b2014-12-01 17:34:06 -0700560 dirpath = os.path.join(dest, path)
Simon Glass2a76a642015-03-02 17:05:15 -0700561 compiler_fname_list = self.ScanPath(dirpath, True)
562 if not compiler_fname_list:
Simon Glass827e37b2014-12-01 17:34:06 -0700563 print 'Could not locate C compiler - fetch failed.'
564 return 1
Simon Glass2a76a642015-03-02 17:05:15 -0700565 if len(compiler_fname_list) != 1:
Simon Glass713bea32016-07-27 20:33:02 -0600566 print col.Color(col.RED, 'Warning, ambiguous toolchains: %s' %
567 ', '.join(compiler_fname_list))
Simon Glass2a76a642015-03-02 17:05:15 -0700568 toolchain = Toolchain(compiler_fname_list[0], True, True)
Simon Glass827e37b2014-12-01 17:34:06 -0700569
570 # Make sure that it will be found by buildman
571 if not self.TestSettingsHasPath(dirpath):
572 print ("Adding 'download' to config file '%s'" %
573 bsettings.config_fname)
Simon Glassc8785c52016-07-27 20:33:05 -0600574 bsettings.SetItem('toolchain', 'download', '%s/*/*' % dest)
Simon Glass827e37b2014-12-01 17:34:06 -0700575 return 0