2 # Build many configurations of glibc.
3 # Copyright (C) 2016-2017 Free Software Foundation, Inc.
4 # This file is part of the GNU C Library.
6 # The GNU C Library is free software; you can redistribute it and/or
7 # modify it under the terms of the GNU Lesser General Public
8 # License as published by the Free Software Foundation; either
9 # version 2.1 of the License, or (at your option) any later version.
11 # The GNU C Library is distributed in the hope that it will be useful,
12 # but WITHOUT ANY WARRANTY; without even the implied warranty of
13 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
14 # Lesser General Public License for more details.
16 # You should have received a copy of the GNU Lesser General Public
17 # License along with the GNU C Library; if not, see
18 # <http://www.gnu.org/licenses/>.
20 """Build many configurations of glibc.
22 This script takes as arguments a directory name (containing a src
23 subdirectory with sources of the relevant toolchain components) and a
24 description of what to do: 'checkout', to check out sources into that
25 directory, 'bot-cycle', to run a series of checkout and build steps,
26 'bot', to run 'bot-cycle' repeatedly, 'host-libraries', to build
27 libraries required by the toolchain, 'compilers', to build
28 cross-compilers for various configurations, or 'glibcs', to build
29 glibc for various configurations and run the compilation parts of the
30 testsuite. Subsequent arguments name the versions of components to
31 check out (<component>-<version), for 'checkout', or, for actions
32 other than 'checkout' and 'bot-cycle', name configurations for which
33 compilers or glibc are to be built.
39 import email
.mime
.text
55 import multiprocessing
56 os
.cpu_count
= lambda: multiprocessing
.cpu_count()
61 re
.fullmatch
= lambda p
,s
,f
=0: re
.match(p
+"\\Z",s
,f
)
66 class _CompletedProcess
:
67 def __init__(self
, args
, returncode
, stdout
=None, stderr
=None):
69 self
.returncode
= returncode
73 def _run(*popenargs
, input=None, timeout
=None, check
=False, **kwargs
):
74 assert(timeout
is None)
75 with subprocess
.Popen(*popenargs
, **kwargs
) as process
:
77 stdout
, stderr
= process
.communicate(input)
82 returncode
= process
.poll()
83 if check
and returncode
:
84 raise subprocess
.CalledProcessError(returncode
, popenargs
)
85 return _CompletedProcess(popenargs
, returncode
, stdout
, stderr
)
90 class Context(object):
91 """The global state associated with builds in a given directory."""
93 def __init__(self
, topdir
, parallelism
, keep
, replace_sources
, strip
,
95 """Initialize the context."""
97 self
.parallelism
= parallelism
99 self
.replace_sources
= replace_sources
101 self
.srcdir
= os
.path
.join(topdir
, 'src')
102 self
.versions_json
= os
.path
.join(self
.srcdir
, 'versions.json')
103 self
.build_state_json
= os
.path
.join(topdir
, 'build-state.json')
104 self
.bot_config_json
= os
.path
.join(topdir
, 'bot-config.json')
105 self
.installdir
= os
.path
.join(topdir
, 'install')
106 self
.host_libraries_installdir
= os
.path
.join(self
.installdir
,
108 self
.builddir
= os
.path
.join(topdir
, 'build')
109 self
.logsdir
= os
.path
.join(topdir
, 'logs')
110 self
.logsdir_old
= os
.path
.join(topdir
, 'logs-old')
111 self
.makefile
= os
.path
.join(self
.builddir
, 'Makefile')
112 self
.wrapper
= os
.path
.join(self
.builddir
, 'wrapper')
113 self
.save_logs
= os
.path
.join(self
.builddir
, 'save-logs')
114 self
.script_text
= self
.get_script_text()
115 if action
!= 'checkout':
116 self
.build_triplet
= self
.get_build_triplet()
117 self
.glibc_version
= self
.get_glibc_version()
119 self
.glibc_configs
= {}
120 self
.makefile_pieces
= ['.PHONY: all\n']
121 self
.add_all_configs()
122 self
.load_versions_json()
123 self
.load_build_state_json()
124 self
.status_log_list
= []
125 self
.email_warning
= False
127 def get_script_text(self
):
128 """Return the text of this script."""
129 with
open(sys
.argv
[0], 'r') as f
:
133 """Re-execute this script with the same arguments."""
135 os
.execv(sys
.executable
, [sys
.executable
] + sys
.argv
)
137 def get_build_triplet(self
):
138 """Determine the build triplet with config.guess."""
139 config_guess
= os
.path
.join(self
.component_srcdir('gcc'),
141 cg_out
= subprocess
.run([config_guess
], stdout
=subprocess
.PIPE
,
142 check
=True, universal_newlines
=True).stdout
143 return cg_out
.rstrip()
145 def get_glibc_version(self
):
146 """Determine the glibc version number (major.minor)."""
147 version_h
= os
.path
.join(self
.component_srcdir('glibc'), 'version.h')
148 with
open(version_h
, 'r') as f
:
149 lines
= f
.readlines()
150 starttext
= '#define VERSION "'
152 if l
.startswith(starttext
):
153 l
= l
[len(starttext
):]
155 m
= re
.fullmatch('([0-9]+)\.([0-9]+)[.0-9]*', l
)
156 return '%s.%s' % m
.group(1, 2)
157 print('error: could not determine glibc version')
160 def add_all_configs(self
):
161 """Add all known glibc build configurations."""
162 self
.add_config(arch
='aarch64',
164 self
.add_config(arch
='aarch64_be',
166 self
.add_config(arch
='alpha',
168 self
.add_config(arch
='arm',
169 os_name
='linux-gnueabi')
170 self
.add_config(arch
='armeb',
171 os_name
='linux-gnueabi')
172 self
.add_config(arch
='armeb',
173 os_name
='linux-gnueabi',
175 gcc_cfg
=['--with-arch=armv7-a'])
176 self
.add_config(arch
='arm',
177 os_name
='linux-gnueabihf')
178 self
.add_config(arch
='armeb',
179 os_name
='linux-gnueabihf')
180 self
.add_config(arch
='armeb',
181 os_name
='linux-gnueabihf',
183 gcc_cfg
=['--with-arch=armv7-a'])
184 self
.add_config(arch
='hppa',
186 self
.add_config(arch
='ia64',
188 first_gcc_cfg
=['--with-system-libunwind'])
189 self
.add_config(arch
='m68k',
191 gcc_cfg
=['--disable-multilib'])
192 self
.add_config(arch
='m68k',
195 gcc_cfg
=['--with-arch=cf', '--disable-multilib'])
196 self
.add_config(arch
='microblaze',
198 gcc_cfg
=['--disable-multilib'])
199 self
.add_config(arch
='microblazeel',
201 gcc_cfg
=['--disable-multilib'])
202 self
.add_config(arch
='mips64',
204 gcc_cfg
=['--with-mips-plt'],
205 glibcs
=[{'variant': 'n32'},
207 'ccopts': '-mabi=32'},
209 'ccopts': '-mabi=64'}])
210 self
.add_config(arch
='mips64',
213 gcc_cfg
=['--with-mips-plt', '--with-float=soft'],
214 glibcs
=[{'variant': 'n32-soft',
215 'cfg': ['--without-fp']},
218 'ccopts': '-mabi=32',
219 'cfg': ['--without-fp']},
220 {'variant': 'n64-soft',
221 'ccopts': '-mabi=64',
222 'cfg': ['--without-fp']}])
223 self
.add_config(arch
='mips64',
226 gcc_cfg
=['--with-mips-plt', '--with-nan=2008',
227 '--with-arch-64=mips64r2',
228 '--with-arch-32=mips32r2'],
229 glibcs
=[{'variant': 'n32-nan2008'},
230 {'variant': 'nan2008',
232 'ccopts': '-mabi=32'},
233 {'variant': 'n64-nan2008',
234 'ccopts': '-mabi=64'}])
235 self
.add_config(arch
='mips64',
237 variant
='nan2008-soft',
238 gcc_cfg
=['--with-mips-plt', '--with-nan=2008',
239 '--with-arch-64=mips64r2',
240 '--with-arch-32=mips32r2',
241 '--with-float=soft'],
242 glibcs
=[{'variant': 'n32-nan2008-soft',
243 'cfg': ['--without-fp']},
244 {'variant': 'nan2008-soft',
246 'ccopts': '-mabi=32',
247 'cfg': ['--without-fp']},
248 {'variant': 'n64-nan2008-soft',
249 'ccopts': '-mabi=64',
250 'cfg': ['--without-fp']}])
251 self
.add_config(arch
='mips64el',
253 gcc_cfg
=['--with-mips-plt'],
254 glibcs
=[{'variant': 'n32'},
256 'ccopts': '-mabi=32'},
258 'ccopts': '-mabi=64'}])
259 self
.add_config(arch
='mips64el',
262 gcc_cfg
=['--with-mips-plt', '--with-float=soft'],
263 glibcs
=[{'variant': 'n32-soft',
264 'cfg': ['--without-fp']},
267 'ccopts': '-mabi=32',
268 'cfg': ['--without-fp']},
269 {'variant': 'n64-soft',
270 'ccopts': '-mabi=64',
271 'cfg': ['--without-fp']}])
272 self
.add_config(arch
='mips64el',
275 gcc_cfg
=['--with-mips-plt', '--with-nan=2008',
276 '--with-arch-64=mips64r2',
277 '--with-arch-32=mips32r2'],
278 glibcs
=[{'variant': 'n32-nan2008'},
279 {'variant': 'nan2008',
281 'ccopts': '-mabi=32'},
282 {'variant': 'n64-nan2008',
283 'ccopts': '-mabi=64'}])
284 self
.add_config(arch
='mips64el',
286 variant
='nan2008-soft',
287 gcc_cfg
=['--with-mips-plt', '--with-nan=2008',
288 '--with-arch-64=mips64r2',
289 '--with-arch-32=mips32r2',
290 '--with-float=soft'],
291 glibcs
=[{'variant': 'n32-nan2008-soft',
292 'cfg': ['--without-fp']},
293 {'variant': 'nan2008-soft',
295 'ccopts': '-mabi=32',
296 'cfg': ['--without-fp']},
297 {'variant': 'n64-nan2008-soft',
298 'ccopts': '-mabi=64',
299 'cfg': ['--without-fp']}])
300 self
.add_config(arch
='nios2',
302 self
.add_config(arch
='powerpc',
304 gcc_cfg
=['--disable-multilib', '--enable-secureplt'],
305 extra_glibcs
=[{'variant': 'power4',
306 'ccopts': '-mcpu=power4',
307 'cfg': ['--with-cpu=power4']}])
308 self
.add_config(arch
='powerpc',
311 gcc_cfg
=['--disable-multilib', '--with-float=soft',
312 '--enable-secureplt'],
313 glibcs
=[{'variant': 'soft', 'cfg': ['--without-fp']}])
314 self
.add_config(arch
='powerpc64',
316 gcc_cfg
=['--disable-multilib', '--enable-secureplt'])
317 self
.add_config(arch
='powerpc64le',
319 gcc_cfg
=['--disable-multilib', '--enable-secureplt'])
320 self
.add_config(arch
='powerpc',
321 os_name
='linux-gnuspe',
322 gcc_cfg
=['--disable-multilib', '--enable-secureplt',
323 '--enable-e500-double'],
324 glibcs
=[{'cfg': ['--without-fp']}])
325 self
.add_config(arch
='powerpc',
326 os_name
='linux-gnuspe',
328 gcc_cfg
=['--disable-multilib', '--enable-secureplt'],
329 glibcs
=[{'variant': 'e500v1', 'cfg': ['--without-fp']}])
330 self
.add_config(arch
='s390x',
333 {'arch': 's390', 'ccopts': '-m31'}])
334 self
.add_config(arch
='sh3',
336 self
.add_config(arch
='sh3eb',
338 self
.add_config(arch
='sh4',
340 self
.add_config(arch
='sh4eb',
342 self
.add_config(arch
='sh4',
345 gcc_cfg
=['--without-fp'],
346 glibcs
=[{'variant': 'soft', 'cfg': ['--without-fp']}])
347 self
.add_config(arch
='sh4eb',
350 gcc_cfg
=['--without-fp'],
351 glibcs
=[{'variant': 'soft', 'cfg': ['--without-fp']}])
352 self
.add_config(arch
='sparc64',
356 'ccopts': '-m32 -mlong-double-128'}])
357 self
.add_config(arch
='tilegx',
360 {'variant': '32', 'ccopts': '-m32'}])
361 self
.add_config(arch
='tilegxbe',
364 {'variant': '32', 'ccopts': '-m32'}])
365 self
.add_config(arch
='tilepro',
367 self
.add_config(arch
='x86_64',
369 gcc_cfg
=['--with-multilib-list=m64,m32,mx32'],
371 {'variant': 'x32', 'ccopts': '-mx32'},
372 {'arch': 'i686', 'ccopts': '-m32 -march=i686'}],
373 extra_glibcs
=[{'variant': 'disable-multi-arch',
374 'cfg': ['--disable-multi-arch']},
375 {'variant': 'disable-multi-arch',
377 'ccopts': '-m32 -march=i686',
378 'cfg': ['--disable-multi-arch']},
380 'ccopts': '-m32 -march=i486'},
382 'ccopts': '-m32 -march=i586'}])
384 def add_config(self
, **args
):
385 """Add an individual build configuration."""
386 cfg
= Config(self
, **args
)
387 if cfg
.name
in self
.configs
:
388 print('error: duplicate config %s' % cfg
.name
)
390 self
.configs
[cfg
.name
] = cfg
391 for c
in cfg
.all_glibcs
:
392 if c
.name
in self
.glibc_configs
:
393 print('error: duplicate glibc config %s' % c
.name
)
395 self
.glibc_configs
[c
.name
] = c
397 def component_srcdir(self
, component
):
398 """Return the source directory for a given component, e.g. gcc."""
399 return os
.path
.join(self
.srcdir
, component
)
401 def component_builddir(self
, action
, config
, component
, subconfig
=None):
402 """Return the directory to use for a build."""
405 assert subconfig
is None
406 return os
.path
.join(self
.builddir
, action
, component
)
407 if subconfig
is None:
408 return os
.path
.join(self
.builddir
, action
, config
, component
)
410 # glibc build as part of compiler build.
411 return os
.path
.join(self
.builddir
, action
, config
, component
,
414 def compiler_installdir(self
, config
):
415 """Return the directory in which to install a compiler."""
416 return os
.path
.join(self
.installdir
, 'compilers', config
)
418 def compiler_bindir(self
, config
):
419 """Return the directory in which to find compiler binaries."""
420 return os
.path
.join(self
.compiler_installdir(config
), 'bin')
422 def compiler_sysroot(self
, config
):
423 """Return the sysroot directory for a compiler."""
424 return os
.path
.join(self
.compiler_installdir(config
), 'sysroot')
426 def glibc_installdir(self
, config
):
427 """Return the directory in which to install glibc."""
428 return os
.path
.join(self
.installdir
, 'glibcs', config
)
430 def run_builds(self
, action
, configs
):
431 """Run the requested builds."""
432 if action
== 'checkout':
433 self
.checkout(configs
)
435 if action
== 'bot-cycle':
437 print('error: configurations specified for bot-cycle')
443 print('error: configurations specified for bot')
447 if action
== 'host-libraries' and configs
:
448 print('error: configurations specified for host-libraries')
450 self
.clear_last_build_state(action
)
451 build_time
= datetime
.datetime
.utcnow()
452 if action
== 'host-libraries':
453 build_components
= ('gmp', 'mpfr', 'mpc')
456 self
.build_host_libraries()
457 elif action
== 'compilers':
458 build_components
= ('binutils', 'gcc', 'glibc', 'linux')
459 old_components
= ('gmp', 'mpfr', 'mpc')
460 old_versions
= self
.build_state
['host-libraries']['build-versions']
461 self
.build_compilers(configs
)
463 build_components
= ('glibc',)
464 old_components
= ('gmp', 'mpfr', 'mpc', 'binutils', 'gcc', 'linux')
465 old_versions
= self
.build_state
['compilers']['build-versions']
466 self
.build_glibcs(configs
)
470 # Partial build, do not update stored state.
473 for k
in build_components
:
474 if k
in self
.versions
:
475 build_versions
[k
] = {'version': self
.versions
[k
]['version'],
476 'revision': self
.versions
[k
]['revision']}
477 for k
in old_components
:
478 if k
in old_versions
:
479 build_versions
[k
] = {'version': old_versions
[k
]['version'],
480 'revision': old_versions
[k
]['revision']}
481 self
.update_build_state(action
, build_time
, build_versions
)
484 def remove_dirs(*args
):
485 """Remove directories and their contents if they exist."""
487 shutil
.rmtree(dir, ignore_errors
=True)
490 def remove_recreate_dirs(*args
):
491 """Remove directories if they exist, and create them as empty."""
492 Context
.remove_dirs(*args
)
494 os
.makedirs(dir, exist_ok
=True)
496 def add_makefile_cmdlist(self
, target
, cmdlist
, logsdir
):
497 """Add makefile text for a list of commands."""
498 commands
= cmdlist
.makefile_commands(self
.wrapper
, logsdir
)
499 self
.makefile_pieces
.append('all: %s\n.PHONY: %s\n%s:\n%s\n' %
500 (target
, target
, target
, commands
))
501 self
.status_log_list
.extend(cmdlist
.status_logs(logsdir
))
503 def write_files(self
):
504 """Write out the Makefile and wrapper script."""
505 mftext
= ''.join(self
.makefile_pieces
)
506 with
open(self
.makefile
, 'w') as f
:
516 'prev_status=$prev_base-status.txt\n'
517 'this_status=$this_base-status.txt\n'
518 'this_log=$this_base-log.txt\n'
519 'date > "$this_log"\n'
520 'echo >> "$this_log"\n'
521 'echo "Description: $desc" >> "$this_log"\n'
522 'printf "%s" "Command:" >> "$this_log"\n'
523 'for word in "$@"; do\n'
524 ' if expr "$word" : "[]+,./0-9@A-Z_a-z-]\\\\{1,\\\\}\\$" > /dev/null; then\n'
525 ' printf " %s" "$word"\n'
528 ' printf "%s" "$word" | sed -e "s/\'/\'\\\\\\\\\'\'/"\n'
531 'done >> "$this_log"\n'
532 'echo >> "$this_log"\n'
533 'echo "Directory: $dir" >> "$this_log"\n'
534 'echo "Path addition: $path" >> "$this_log"\n'
535 'echo >> "$this_log"\n'
538 ' echo >> "$this_log"\n'
539 ' echo "$1: $desc" > "$this_status"\n'
540 ' echo "$1: $desc" >> "$this_log"\n'
541 ' echo >> "$this_log"\n'
542 ' date >> "$this_log"\n'
543 ' echo "$1: $desc"\n'
548 ' if [ "$1" != "0" ]; then\n'
549 ' record_status FAIL\n'
552 'if [ "$prev_base" ] && ! grep -q "^PASS" "$prev_status"; then\n'
553 ' record_status UNRESOLVED\n'
555 'if [ "$dir" ]; then\n'
557 ' check_error "$?"\n'
559 'if [ "$path" ]; then\n'
560 ' PATH=$path:$PATH\n'
562 '"$@" < /dev/null >> "$this_log" 2>&1\n'
564 'record_status PASS\n')
565 with
open(self
.wrapper
, 'w') as f
:
566 f
.write(wrapper_text
)
568 mode_exec
= (stat
.S_IRWXU|stat
.S_IRGRP|stat
.S_IXGRP|
569 stat
.S_IROTH|stat
.S_IXOTH
)
570 os
.chmod(self
.wrapper
, mode_exec
)
573 'if ! [ -f tests.sum ]; then\n'
574 ' echo "No test summary available."\n'
579 ' echo "Contents of $1:"\n'
583 ' echo "End of contents of $1."\n'
586 'save_file tests.sum\n'
587 'non_pass_tests=$(grep -v "^PASS: " tests.sum | sed -e "s/^PASS: //")\n'
588 'for t in $non_pass_tests; do\n'
589 ' if [ -f "$t.out" ]; then\n'
590 ' save_file "$t.out"\n'
593 with
open(self
.save_logs
, 'w') as f
:
594 f
.write(save_logs_text
)
595 os
.chmod(self
.save_logs
, mode_exec
)
598 """Do the actual build."""
599 cmd
= ['make', '-j%d' % self
.parallelism
]
600 subprocess
.run(cmd
, cwd
=self
.builddir
, check
=True)
602 def build_host_libraries(self
):
603 """Build the host libraries."""
604 installdir
= self
.host_libraries_installdir
605 builddir
= os
.path
.join(self
.builddir
, 'host-libraries')
606 logsdir
= os
.path
.join(self
.logsdir
, 'host-libraries')
607 self
.remove_recreate_dirs(installdir
, builddir
, logsdir
)
608 cmdlist
= CommandList('host-libraries', self
.keep
)
609 self
.build_host_library(cmdlist
, 'gmp')
610 self
.build_host_library(cmdlist
, 'mpfr',
611 ['--with-gmp=%s' % installdir
])
612 self
.build_host_library(cmdlist
, 'mpc',
613 ['--with-gmp=%s' % installdir
,
614 '--with-mpfr=%s' % installdir
])
615 cmdlist
.add_command('done', ['touch', os
.path
.join(installdir
, 'ok')])
616 self
.add_makefile_cmdlist('host-libraries', cmdlist
, logsdir
)
618 def build_host_library(self
, cmdlist
, lib
, extra_opts
=None):
619 """Build one host library."""
620 srcdir
= self
.component_srcdir(lib
)
621 builddir
= self
.component_builddir('host-libraries', None, lib
)
622 installdir
= self
.host_libraries_installdir
623 cmdlist
.push_subdesc(lib
)
624 cmdlist
.create_use_dir(builddir
)
625 cfg_cmd
= [os
.path
.join(srcdir
, 'configure'),
626 '--prefix=%s' % installdir
,
629 cfg_cmd
.extend (extra_opts
)
630 cmdlist
.add_command('configure', cfg_cmd
)
631 cmdlist
.add_command('build', ['make'])
632 cmdlist
.add_command('check', ['make', 'check'])
633 cmdlist
.add_command('install', ['make', 'install'])
634 cmdlist
.cleanup_dir()
635 cmdlist
.pop_subdesc()
637 def build_compilers(self
, configs
):
638 """Build the compilers."""
640 self
.remove_dirs(os
.path
.join(self
.builddir
, 'compilers'))
641 self
.remove_dirs(os
.path
.join(self
.installdir
, 'compilers'))
642 self
.remove_dirs(os
.path
.join(self
.logsdir
, 'compilers'))
643 configs
= sorted(self
.configs
.keys())
645 self
.configs
[c
].build()
647 def build_glibcs(self
, configs
):
648 """Build the glibcs."""
650 self
.remove_dirs(os
.path
.join(self
.builddir
, 'glibcs'))
651 self
.remove_dirs(os
.path
.join(self
.installdir
, 'glibcs'))
652 self
.remove_dirs(os
.path
.join(self
.logsdir
, 'glibcs'))
653 configs
= sorted(self
.glibc_configs
.keys())
655 self
.glibc_configs
[c
].build()
657 def load_versions_json(self
):
658 """Load information about source directory versions."""
659 if not os
.access(self
.versions_json
, os
.F_OK
):
662 with
open(self
.versions_json
, 'r') as f
:
663 self
.versions
= json
.load(f
)
665 def store_json(self
, data
, filename
):
666 """Store information in a JSON file."""
667 filename_tmp
= filename
+ '.tmp'
668 with
open(filename_tmp
, 'w') as f
:
669 json
.dump(data
, f
, indent
=2, sort_keys
=True)
670 os
.rename(filename_tmp
, filename
)
672 def store_versions_json(self
):
673 """Store information about source directory versions."""
674 self
.store_json(self
.versions
, self
.versions_json
)
676 def set_component_version(self
, component
, version
, explicit
, revision
):
677 """Set the version information for a component."""
678 self
.versions
[component
] = {'version': version
,
679 'explicit': explicit
,
680 'revision': revision
}
681 self
.store_versions_json()
683 def checkout(self
, versions
):
684 """Check out the desired component versions."""
685 default_versions
= {'binutils': 'vcs-2.28',
687 'glibc': 'vcs-mainline',
693 explicit_versions
= {}
696 for k
in default_versions
.keys():
700 if k
in use_versions
:
701 print('error: multiple versions for %s' % k
)
704 explicit_versions
[k
] = True
708 print('error: unknown component in %s' % v
)
710 for k
in default_versions
.keys():
711 if k
not in use_versions
:
712 if k
in self
.versions
and self
.versions
[k
]['explicit']:
713 use_versions
[k
] = self
.versions
[k
]['version']
714 explicit_versions
[k
] = True
716 use_versions
[k
] = default_versions
[k
]
717 explicit_versions
[k
] = False
718 os
.makedirs(self
.srcdir
, exist_ok
=True)
719 for k
in sorted(default_versions
.keys()):
720 update
= os
.access(self
.component_srcdir(k
), os
.F_OK
)
723 k
in self
.versions
and
724 v
!= self
.versions
[k
]['version']):
725 if not self
.replace_sources
:
726 print('error: version of %s has changed from %s to %s, '
727 'use --replace-sources to check out again' %
728 (k
, self
.versions
[k
]['version'], v
))
730 shutil
.rmtree(self
.component_srcdir(k
))
732 if v
.startswith('vcs-'):
733 revision
= self
.checkout_vcs(k
, v
[4:], update
)
735 self
.checkout_tar(k
, v
, update
)
737 self
.set_component_version(k
, v
, explicit_versions
[k
], revision
)
738 if self
.get_script_text() != self
.script_text
:
739 # Rerun the checkout process in case the updated script
740 # uses different default versions or new components.
743 def checkout_vcs(self
, component
, version
, update
):
744 """Check out the given version of the given component from version
745 control. Return a revision identifier."""
746 if component
== 'binutils':
747 git_url
= 'git://sourceware.org/git/binutils-gdb.git'
748 if version
== 'mainline':
749 git_branch
= 'master'
751 trans
= str.maketrans({'.': '_'})
752 git_branch
= 'binutils-%s-branch' % version
.translate(trans
)
753 return self
.git_checkout(component
, git_url
, git_branch
, update
)
754 elif component
== 'gcc':
755 if version
== 'mainline':
758 trans
= str.maketrans({'.': '_'})
759 branch
= 'branches/gcc-%s-branch' % version
.translate(trans
)
760 svn_url
= 'svn://gcc.gnu.org/svn/gcc/%s' % branch
761 return self
.gcc_checkout(svn_url
, update
)
762 elif component
== 'glibc':
763 git_url
= 'git://sourceware.org/git/glibc.git'
764 if version
== 'mainline':
765 git_branch
= 'master'
767 git_branch
= 'release/%s/master' % version
768 r
= self
.git_checkout(component
, git_url
, git_branch
, update
)
769 self
.fix_glibc_timestamps()
772 print('error: component %s coming from VCS' % component
)
775 def git_checkout(self
, component
, git_url
, git_branch
, update
):
776 """Check out a component from git. Return a commit identifier."""
778 subprocess
.run(['git', 'remote', 'prune', 'origin'],
779 cwd
=self
.component_srcdir(component
), check
=True)
780 subprocess
.run(['git', 'pull', '-q'],
781 cwd
=self
.component_srcdir(component
), check
=True)
783 subprocess
.run(['git', 'clone', '-q', '-b', git_branch
, git_url
,
784 self
.component_srcdir(component
)], check
=True)
785 r
= subprocess
.run(['git', 'rev-parse', 'HEAD'],
786 cwd
=self
.component_srcdir(component
),
787 stdout
=subprocess
.PIPE
,
788 check
=True, universal_newlines
=True).stdout
791 def fix_glibc_timestamps(self
):
792 """Fix timestamps in a glibc checkout."""
793 # Ensure that builds do not try to regenerate generated files
794 # in the source tree.
795 srcdir
= self
.component_srcdir('glibc')
796 for dirpath
, dirnames
, filenames
in os
.walk(srcdir
):
798 if (f
== 'configure' or
799 f
== 'preconfigure' or
800 f
.endswith('-kw.h')):
801 to_touch
= os
.path
.join(dirpath
, f
)
802 subprocess
.run(['touch', to_touch
], check
=True)
804 def gcc_checkout(self
, svn_url
, update
):
805 """Check out GCC from SVN. Return the revision number."""
807 subprocess
.run(['svn', 'co', '-q', svn_url
,
808 self
.component_srcdir('gcc')], check
=True)
809 subprocess
.run(['contrib/gcc_update', '--silent'],
810 cwd
=self
.component_srcdir('gcc'), check
=True)
811 r
= subprocess
.run(['svnversion', self
.component_srcdir('gcc')],
812 stdout
=subprocess
.PIPE
,
813 check
=True, universal_newlines
=True).stdout
816 def checkout_tar(self
, component
, version
, update
):
817 """Check out the given version of the given component from a
821 url_map
= {'binutils': 'https://ftp.gnu.org/gnu/binutils/binutils-%(version)s.tar.bz2',
822 'gcc': 'https://ftp.gnu.org/gnu/gcc/gcc-%(version)s/gcc-%(version)s.tar.bz2',
823 'gmp': 'https://ftp.gnu.org/gnu/gmp/gmp-%(version)s.tar.xz',
824 'linux': 'https://www.kernel.org/pub/linux/kernel/v4.x/linux-%(version)s.tar.xz',
825 'mpc': 'https://ftp.gnu.org/gnu/mpc/mpc-%(version)s.tar.gz',
826 'mpfr': 'https://ftp.gnu.org/gnu/mpfr/mpfr-%(version)s.tar.xz'}
827 if component
not in url_map
:
828 print('error: component %s coming from tarball' % component
)
830 url
= url_map
[component
] % {'version': version
}
831 filename
= os
.path
.join(self
.srcdir
, url
.split('/')[-1])
832 response
= urllib
.request
.urlopen(url
)
833 data
= response
.read()
834 with
open(filename
, 'wb') as f
:
836 subprocess
.run(['tar', '-C', self
.srcdir
, '-x', '-f', filename
],
838 os
.rename(os
.path
.join(self
.srcdir
, '%s-%s' % (component
, version
)),
839 self
.component_srcdir(component
))
842 def load_build_state_json(self
):
843 """Load information about the state of previous builds."""
844 if os
.access(self
.build_state_json
, os
.F_OK
):
845 with
open(self
.build_state_json
, 'r') as f
:
846 self
.build_state
= json
.load(f
)
848 self
.build_state
= {}
849 for k
in ('host-libraries', 'compilers', 'glibcs'):
850 if k
not in self
.build_state
:
851 self
.build_state
[k
] = {}
852 if 'build-time' not in self
.build_state
[k
]:
853 self
.build_state
[k
]['build-time'] = ''
854 if 'build-versions' not in self
.build_state
[k
]:
855 self
.build_state
[k
]['build-versions'] = {}
856 if 'build-results' not in self
.build_state
[k
]:
857 self
.build_state
[k
]['build-results'] = {}
858 if 'result-changes' not in self
.build_state
[k
]:
859 self
.build_state
[k
]['result-changes'] = {}
860 if 'ever-passed' not in self
.build_state
[k
]:
861 self
.build_state
[k
]['ever-passed'] = []
863 def store_build_state_json(self
):
864 """Store information about the state of previous builds."""
865 self
.store_json(self
.build_state
, self
.build_state_json
)
867 def clear_last_build_state(self
, action
):
868 """Clear information about the state of part of the build."""
869 # We clear the last build time and versions when starting a
870 # new build. The results of the last build are kept around,
871 # as comparison is still meaningful if this build is aborted
872 # and a new one started.
873 self
.build_state
[action
]['build-time'] = ''
874 self
.build_state
[action
]['build-versions'] = {}
875 self
.store_build_state_json()
877 def update_build_state(self
, action
, build_time
, build_versions
):
878 """Update the build state after a build."""
879 build_time
= build_time
.replace(microsecond
=0)
880 self
.build_state
[action
]['build-time'] = str(build_time
)
881 self
.build_state
[action
]['build-versions'] = build_versions
883 for log
in self
.status_log_list
:
884 with
open(log
, 'r') as f
:
886 log_text
= log_text
.rstrip()
887 m
= re
.fullmatch('([A-Z]+): (.*)', log_text
)
889 test_name
= m
.group(2)
890 assert test_name
not in build_results
891 build_results
[test_name
] = result
892 old_build_results
= self
.build_state
[action
]['build-results']
893 self
.build_state
[action
]['build-results'] = build_results
895 all_tests
= set(old_build_results
.keys()) |
set(build_results
.keys())
897 if t
in old_build_results
:
898 old_res
= old_build_results
[t
]
900 old_res
= '(New test)'
901 if t
in build_results
:
902 new_res
= build_results
[t
]
904 new_res
= '(Test removed)'
905 if old_res
!= new_res
:
906 result_changes
[t
] = '%s -> %s' % (old_res
, new_res
)
907 self
.build_state
[action
]['result-changes'] = result_changes
908 old_ever_passed
= {t
for t
in self
.build_state
[action
]['ever-passed']
909 if t
in build_results
}
910 new_passes
= {t
for t
in build_results
if build_results
[t
] == 'PASS'}
911 self
.build_state
[action
]['ever-passed'] = sorted(old_ever_passed |
913 self
.store_build_state_json()
915 def load_bot_config_json(self
):
916 """Load bot configuration."""
917 with
open(self
.bot_config_json
, 'r') as f
:
918 self
.bot_config
= json
.load(f
)
920 def part_build_old(self
, action
, delay
):
921 """Return whether the last build for a given action was at least a
922 given number of seconds ago, or does not have a time recorded."""
923 old_time_str
= self
.build_state
[action
]['build-time']
926 old_time
= datetime
.datetime
.strptime(old_time_str
,
928 new_time
= datetime
.datetime
.utcnow()
929 delta
= new_time
- old_time
930 return delta
.total_seconds() >= delay
933 """Run a single round of checkout and builds."""
934 print('Bot cycle starting %s.' % str(datetime
.datetime
.utcnow()))
935 self
.load_bot_config_json()
936 actions
= ('host-libraries', 'compilers', 'glibcs')
937 self
.bot_run_self(['--replace-sources'], 'checkout')
938 self
.load_versions_json()
939 if self
.get_script_text() != self
.script_text
:
940 print('Script changed, re-execing.')
941 # On script change, all parts of the build should be rerun.
943 self
.clear_last_build_state(a
)
945 check_components
= {'host-libraries': ('gmp', 'mpfr', 'mpc'),
946 'compilers': ('binutils', 'gcc', 'glibc', 'linux'),
947 'glibcs': ('glibc',)}
950 build_vers
= self
.build_state
[a
]['build-versions']
951 must_build
[a
] = False
952 if not self
.build_state
[a
]['build-time']:
956 for c
in check_components
[a
]:
958 old_vers
[c
] = build_vers
[c
]
959 new_vers
[c
] = {'version': self
.versions
[c
]['version'],
960 'revision': self
.versions
[c
]['revision']}
961 if new_vers
== old_vers
:
962 print('Versions for %s unchanged.' % a
)
964 print('Versions changed or rebuild forced for %s.' % a
)
965 if a
== 'compilers' and not self
.part_build_old(
966 a
, self
.bot_config
['compilers-rebuild-delay']):
967 print('Not requiring rebuild of compilers this soon.')
970 if must_build
['host-libraries']:
971 must_build
['compilers'] = True
972 if must_build
['compilers']:
973 must_build
['glibcs'] = True
976 print('Must rebuild %s.' % a
)
977 self
.clear_last_build_state(a
)
979 print('No need to rebuild %s.' % a
)
980 if os
.access(self
.logsdir
, os
.F_OK
):
981 shutil
.rmtree(self
.logsdir_old
, ignore_errors
=True)
982 shutil
.copytree(self
.logsdir
, self
.logsdir_old
)
985 build_time
= datetime
.datetime
.utcnow()
986 print('Rebuilding %s at %s.' % (a
, str(build_time
)))
987 self
.bot_run_self([], a
)
988 self
.load_build_state_json()
989 self
.bot_build_mail(a
, build_time
)
990 print('Bot cycle done at %s.' % str(datetime
.datetime
.utcnow()))
992 def bot_build_mail(self
, action
, build_time
):
993 """Send email with the results of a build."""
994 if not ('email-from' in self
.bot_config
and
995 'email-server' in self
.bot_config
and
996 'email-subject' in self
.bot_config
and
997 'email-to' in self
.bot_config
):
998 if not self
.email_warning
:
999 print("Email not configured, not sending.")
1000 self
.email_warning
= True
1003 build_time
= build_time
.replace(microsecond
=0)
1004 subject
= (self
.bot_config
['email-subject'] %
1006 'build-time': str(build_time
)})
1007 results
= self
.build_state
[action
]['build-results']
1008 changes
= self
.build_state
[action
]['result-changes']
1009 ever_passed
= set(self
.build_state
[action
]['ever-passed'])
1010 versions
= self
.build_state
[action
]['build-versions']
1011 new_regressions
= {k
for k
in changes
if changes
[k
] == 'PASS -> FAIL'}
1012 all_regressions
= {k
for k
in ever_passed
if results
[k
] == 'FAIL'}
1013 all_fails
= {k
for k
in results
if results
[k
] == 'FAIL'}
1015 new_reg_list
= sorted(['FAIL: %s' % k
for k
in new_regressions
])
1016 new_reg_text
= ('New regressions:\n\n%s\n\n' %
1017 '\n'.join(new_reg_list
))
1021 all_reg_list
= sorted(['FAIL: %s' % k
for k
in all_regressions
])
1022 all_reg_text
= ('All regressions:\n\n%s\n\n' %
1023 '\n'.join(all_reg_list
))
1027 all_fail_list
= sorted(['FAIL: %s' % k
for k
in all_fails
])
1028 all_fail_text
= ('All failures:\n\n%s\n\n' %
1029 '\n'.join(all_fail_list
))
1033 changes_list
= sorted(changes
.keys())
1034 changes_list
= ['%s: %s' % (changes
[k
], k
) for k
in changes_list
]
1035 changes_text
= ('All changed results:\n\n%s\n\n' %
1036 '\n'.join(changes_list
))
1039 results_text
= (new_reg_text
+ all_reg_text
+ all_fail_text
+
1041 if not results_text
:
1042 results_text
= 'Clean build with unchanged results.\n\n'
1043 versions_list
= sorted(versions
.keys())
1044 versions_list
= ['%s: %s (%s)' % (k
, versions
[k
]['version'],
1045 versions
[k
]['revision'])
1046 for k
in versions_list
]
1047 versions_text
= ('Component versions for this build:\n\n%s\n' %
1048 '\n'.join(versions_list
))
1049 body_text
= results_text
+ versions_text
1050 msg
= email
.mime
.text
.MIMEText(body_text
)
1051 msg
['Subject'] = subject
1052 msg
['From'] = self
.bot_config
['email-from']
1053 msg
['To'] = self
.bot_config
['email-to']
1054 msg
['Message-ID'] = email
.utils
.make_msgid()
1055 msg
['Date'] = email
.utils
.format_datetime(datetime
.datetime
.utcnow())
1056 with smtplib
.SMTP(self
.bot_config
['email-server']) as s
:
1059 def bot_run_self(self
, opts
, action
, check
=True):
1060 """Run a copy of this script with given options."""
1061 cmd
= [sys
.executable
, sys
.argv
[0], '--keep=none',
1062 '-j%d' % self
.parallelism
]
1064 cmd
.extend([self
.topdir
, action
])
1066 subprocess
.run(cmd
, check
=check
)
1069 """Run repeated rounds of checkout and builds."""
1071 self
.load_bot_config_json()
1072 if not self
.bot_config
['run']:
1073 print('Bot exiting by request.')
1075 self
.bot_run_self([], 'bot-cycle', check
=False)
1076 self
.load_bot_config_json()
1077 if not self
.bot_config
['run']:
1078 print('Bot exiting by request.')
1080 time
.sleep(self
.bot_config
['delay'])
1081 if self
.get_script_text() != self
.script_text
:
1082 print('Script changed, bot re-execing.')
1086 class Config(object):
1087 """A configuration for building a compiler and associated libraries."""
1089 def __init__(self
, ctx
, arch
, os_name
, variant
=None, gcc_cfg
=None,
1090 first_gcc_cfg
=None, glibcs
=None, extra_glibcs
=None):
1091 """Initialize a Config object."""
1095 self
.variant
= variant
1097 self
.name
= '%s-%s' % (arch
, os_name
)
1099 self
.name
= '%s-%s-%s' % (arch
, os_name
, variant
)
1100 self
.triplet
= '%s-glibc-%s' % (arch
, os_name
)
1104 self
.gcc_cfg
= gcc_cfg
1105 if first_gcc_cfg
is None:
1106 self
.first_gcc_cfg
= []
1108 self
.first_gcc_cfg
= first_gcc_cfg
1110 glibcs
= [{'variant': variant
}]
1111 if extra_glibcs
is None:
1113 glibcs
= [Glibc(self
, **g
) for g
in glibcs
]
1114 extra_glibcs
= [Glibc(self
, **g
) for g
in extra_glibcs
]
1115 self
.all_glibcs
= glibcs
+ extra_glibcs
1116 self
.compiler_glibcs
= glibcs
1117 self
.installdir
= ctx
.compiler_installdir(self
.name
)
1118 self
.bindir
= ctx
.compiler_bindir(self
.name
)
1119 self
.sysroot
= ctx
.compiler_sysroot(self
.name
)
1120 self
.builddir
= os
.path
.join(ctx
.builddir
, 'compilers', self
.name
)
1121 self
.logsdir
= os
.path
.join(ctx
.logsdir
, 'compilers', self
.name
)
1123 def component_builddir(self
, component
):
1124 """Return the directory to use for a (non-glibc) build."""
1125 return self
.ctx
.component_builddir('compilers', self
.name
, component
)
1128 """Generate commands to build this compiler."""
1129 self
.ctx
.remove_recreate_dirs(self
.installdir
, self
.builddir
,
1131 cmdlist
= CommandList('compilers-%s' % self
.name
, self
.ctx
.keep
)
1132 cmdlist
.add_command('check-host-libraries',
1134 os
.path
.join(self
.ctx
.host_libraries_installdir
,
1136 cmdlist
.use_path(self
.bindir
)
1137 self
.build_cross_tool(cmdlist
, 'binutils', 'binutils',
1139 '--disable-libdecnumber',
1140 '--disable-readline',
1142 if self
.os
.startswith('linux'):
1143 self
.install_linux_headers(cmdlist
)
1144 self
.build_gcc(cmdlist
, True)
1145 for g
in self
.compiler_glibcs
:
1146 cmdlist
.push_subdesc('glibc')
1147 cmdlist
.push_subdesc(g
.name
)
1148 g
.build_glibc(cmdlist
, True)
1149 cmdlist
.pop_subdesc()
1150 cmdlist
.pop_subdesc()
1151 self
.build_gcc(cmdlist
, False)
1152 cmdlist
.add_command('done', ['touch',
1153 os
.path
.join(self
.installdir
, 'ok')])
1154 self
.ctx
.add_makefile_cmdlist('compilers-%s' % self
.name
, cmdlist
,
1157 def build_cross_tool(self
, cmdlist
, tool_src
, tool_build
, extra_opts
=None):
1158 """Build one cross tool."""
1159 srcdir
= self
.ctx
.component_srcdir(tool_src
)
1160 builddir
= self
.component_builddir(tool_build
)
1161 cmdlist
.push_subdesc(tool_build
)
1162 cmdlist
.create_use_dir(builddir
)
1163 cfg_cmd
= [os
.path
.join(srcdir
, 'configure'),
1164 '--prefix=%s' % self
.installdir
,
1165 '--build=%s' % self
.ctx
.build_triplet
,
1166 '--host=%s' % self
.ctx
.build_triplet
,
1167 '--target=%s' % self
.triplet
,
1168 '--with-sysroot=%s' % self
.sysroot
]
1170 cfg_cmd
.extend(extra_opts
)
1171 cmdlist
.add_command('configure', cfg_cmd
)
1172 cmdlist
.add_command('build', ['make'])
1173 # Parallel "make install" for GCC has race conditions that can
1174 # cause it to fail; see
1175 # <https://gcc.gnu.org/bugzilla/show_bug.cgi?id=42980>. Such
1176 # problems are not known for binutils, but doing the
1177 # installation in parallel within a particular toolchain build
1178 # (as opposed to installation of one toolchain from
1179 # build-many-glibcs.py running in parallel to the installation
1180 # of other toolchains being built) is not known to be
1181 # significantly beneficial, so it is simplest just to disable
1182 # parallel install for cross tools here.
1183 cmdlist
.add_command('install', ['make', '-j1', 'install'])
1184 cmdlist
.cleanup_dir()
1185 cmdlist
.pop_subdesc()
1187 def install_linux_headers(self
, cmdlist
):
1188 """Install Linux kernel headers."""
1189 arch_map
= {'aarch64': 'arm64',
1199 'microblaze': 'microblaze',
1202 'powerpc': 'powerpc',
1210 if self
.arch
.startswith(k
):
1211 linux_arch
= arch_map
[k
]
1213 assert linux_arch
is not None
1214 srcdir
= self
.ctx
.component_srcdir('linux')
1215 builddir
= self
.component_builddir('linux')
1216 headers_dir
= os
.path
.join(self
.sysroot
, 'usr')
1217 cmdlist
.push_subdesc('linux')
1218 cmdlist
.create_use_dir(builddir
)
1219 cmdlist
.add_command('install-headers',
1220 ['make', '-C', srcdir
, 'O=%s' % builddir
,
1221 'ARCH=%s' % linux_arch
,
1222 'INSTALL_HDR_PATH=%s' % headers_dir
,
1224 cmdlist
.cleanup_dir()
1225 cmdlist
.pop_subdesc()
1227 def build_gcc(self
, cmdlist
, bootstrap
):
1229 # libsanitizer commonly breaks because of glibc header
1230 # changes, or on unusual targets. libssp is of little
1231 # relevance with glibc's own stack checking support.
1232 cfg_opts
= list(self
.gcc_cfg
)
1233 cfg_opts
+= ['--disable-libsanitizer', '--disable-libssp']
1234 host_libs
= self
.ctx
.host_libraries_installdir
1235 cfg_opts
+= ['--with-gmp=%s' % host_libs
,
1236 '--with-mpfr=%s' % host_libs
,
1237 '--with-mpc=%s' % host_libs
]
1239 tool_build
= 'gcc-first'
1240 # Building a static-only, C-only compiler that is
1241 # sufficient to build glibc. Various libraries and
1242 # features that may require libc headers must be disabled.
1243 # When configuring with a sysroot, --with-newlib is
1244 # required to define inhibit_libc (to stop some parts of
1245 # libgcc including libc headers); --without-headers is not
1247 cfg_opts
+= ['--enable-languages=c', '--disable-shared',
1248 '--disable-threads',
1249 '--disable-libatomic',
1250 '--disable-decimal-float',
1252 '--disable-libgomp',
1255 '--disable-libquadmath',
1256 '--without-headers', '--with-newlib',
1257 '--with-glibc-version=%s' % self
.ctx
.glibc_version
1259 cfg_opts
+= self
.first_gcc_cfg
1262 cfg_opts
+= ['--enable-languages=c,c++', '--enable-shared',
1264 self
.build_cross_tool(cmdlist
, 'gcc', tool_build
, cfg_opts
)
1267 class Glibc(object):
1268 """A configuration for building glibc."""
1270 def __init__(self
, compiler
, arch
=None, os_name
=None, variant
=None,
1271 cfg
=None, ccopts
=None):
1272 """Initialize a Glibc object."""
1273 self
.ctx
= compiler
.ctx
1274 self
.compiler
= compiler
1276 self
.arch
= compiler
.arch
1280 self
.os
= compiler
.os
1283 self
.variant
= variant
1285 self
.name
= '%s-%s' % (self
.arch
, self
.os
)
1287 self
.name
= '%s-%s-%s' % (self
.arch
, self
.os
, variant
)
1288 self
.triplet
= '%s-glibc-%s' % (self
.arch
, self
.os
)
1293 self
.ccopts
= ccopts
1295 def tool_name(self
, tool
):
1296 """Return the name of a cross-compilation tool."""
1297 ctool
= '%s-%s' % (self
.compiler
.triplet
, tool
)
1298 if self
.ccopts
and (tool
== 'gcc' or tool
== 'g++'):
1299 ctool
= '%s %s' % (ctool
, self
.ccopts
)
1303 """Generate commands to build this glibc."""
1304 builddir
= self
.ctx
.component_builddir('glibcs', self
.name
, 'glibc')
1305 installdir
= self
.ctx
.glibc_installdir(self
.name
)
1306 logsdir
= os
.path
.join(self
.ctx
.logsdir
, 'glibcs', self
.name
)
1307 self
.ctx
.remove_recreate_dirs(installdir
, builddir
, logsdir
)
1308 cmdlist
= CommandList('glibcs-%s' % self
.name
, self
.ctx
.keep
)
1309 cmdlist
.add_command('check-compilers',
1311 os
.path
.join(self
.compiler
.installdir
, 'ok')])
1312 cmdlist
.use_path(self
.compiler
.bindir
)
1313 self
.build_glibc(cmdlist
, False)
1314 self
.ctx
.add_makefile_cmdlist('glibcs-%s' % self
.name
, cmdlist
,
1317 def build_glibc(self
, cmdlist
, for_compiler
):
1318 """Generate commands to build this glibc, either as part of a compiler
1319 build or with the bootstrapped compiler (and in the latter case, run
1321 srcdir
= self
.ctx
.component_srcdir('glibc')
1323 builddir
= self
.ctx
.component_builddir('compilers',
1324 self
.compiler
.name
, 'glibc',
1326 installdir
= self
.compiler
.sysroot
1327 srcdir_copy
= self
.ctx
.component_builddir('compilers',
1332 builddir
= self
.ctx
.component_builddir('glibcs', self
.name
,
1334 installdir
= self
.ctx
.glibc_installdir(self
.name
)
1335 srcdir_copy
= self
.ctx
.component_builddir('glibcs', self
.name
,
1337 cmdlist
.create_use_dir(builddir
)
1338 # glibc builds write into the source directory, and even if
1339 # not intentionally there is a risk of bugs that involve
1340 # writing into the working directory. To avoid possible
1341 # concurrency issues, copy the source directory.
1342 cmdlist
.create_copy_dir(srcdir
, srcdir_copy
)
1343 cfg_cmd
= [os
.path
.join(srcdir_copy
, 'configure'),
1346 '--build=%s' % self
.ctx
.build_triplet
,
1347 '--host=%s' % self
.triplet
,
1348 'CC=%s' % self
.tool_name('gcc'),
1349 'CXX=%s' % self
.tool_name('g++'),
1350 'AR=%s' % self
.tool_name('ar'),
1351 'AS=%s' % self
.tool_name('as'),
1352 'LD=%s' % self
.tool_name('ld'),
1353 'NM=%s' % self
.tool_name('nm'),
1354 'OBJCOPY=%s' % self
.tool_name('objcopy'),
1355 'OBJDUMP=%s' % self
.tool_name('objdump'),
1356 'RANLIB=%s' % self
.tool_name('ranlib'),
1357 'READELF=%s' % self
.tool_name('readelf'),
1358 'STRIP=%s' % self
.tool_name('strip')]
1360 cmdlist
.add_command('configure', cfg_cmd
)
1361 cmdlist
.add_command('build', ['make'])
1362 cmdlist
.add_command('install', ['make', 'install',
1363 'install_root=%s' % installdir
])
1364 # GCC uses paths such as lib/../lib64, so make sure lib
1365 # directories always exist.
1366 cmdlist
.add_command('mkdir-lib', ['mkdir', '-p',
1367 os
.path
.join(installdir
, 'lib'),
1368 os
.path
.join(installdir
,
1370 if not for_compiler
:
1372 cmdlist
.add_command('strip',
1374 ('%s %s/lib*/*.so' %
1375 (self
.tool_name('strip'), installdir
))])
1376 cmdlist
.add_command('check', ['make', 'check'])
1377 cmdlist
.add_command('save-logs', [self
.ctx
.save_logs
],
1379 cmdlist
.cleanup_dir('cleanup-src', srcdir_copy
)
1380 cmdlist
.cleanup_dir()
1383 class Command(object):
1384 """A command run in the build process."""
1386 def __init__(self
, desc
, num
, dir, path
, command
, always_run
=False):
1387 """Initialize a Command object."""
1391 trans
= str.maketrans({' ': '-'})
1392 self
.logbase
= '%03d-%s' % (num
, desc
.translate(trans
))
1393 self
.command
= command
1394 self
.always_run
= always_run
1397 def shell_make_quote_string(s
):
1398 """Given a string not containing a newline, quote it for use by the
1400 assert '\n' not in s
1401 if re
.fullmatch('[]+,./0-9@A-Z_a-z-]+', s
):
1403 strans
= str.maketrans({"'": "'\\''"})
1404 s
= "'%s'" % s
.translate(strans
)
1405 mtrans
= str.maketrans({'$': '$$'})
1406 return s
.translate(mtrans
)
1409 def shell_make_quote_list(l
, translate_make
):
1410 """Given a list of strings not containing newlines, quote them for use
1411 by the shell and make, returning a single string. If translate_make
1412 is true and the first string is 'make', change it to $(MAKE)."""
1413 l
= [Command
.shell_make_quote_string(s
) for s
in l
]
1414 if translate_make
and l
[0] == 'make':
1418 def shell_make_quote(self
):
1419 """Return this command quoted for the shell and make."""
1420 return self
.shell_make_quote_list(self
.command
, True)
1423 class CommandList(object):
1424 """A list of commands run in the build process."""
1426 def __init__(self
, desc
, keep
):
1427 """Initialize a CommandList object."""
1434 def desc_txt(self
, desc
):
1435 """Return the description to use for a command."""
1436 return '%s %s' % (' '.join(self
.desc
), desc
)
1438 def use_dir(self
, dir):
1439 """Set the default directory for subsequent commands."""
1442 def use_path(self
, path
):
1443 """Set a directory to be prepended to the PATH for subsequent
1447 def push_subdesc(self
, subdesc
):
1448 """Set the default subdescription for subsequent commands (e.g., the
1449 name of a component being built, within the series of commands
1451 self
.desc
.append(subdesc
)
1453 def pop_subdesc(self
):
1454 """Pop a subdescription from the list of descriptions."""
1457 def create_use_dir(self
, dir):
1458 """Remove and recreate a directory and use it for subsequent
1460 self
.add_command_dir('rm', None, ['rm', '-rf', dir])
1461 self
.add_command_dir('mkdir', None, ['mkdir', '-p', dir])
1464 def create_copy_dir(self
, src
, dest
):
1465 """Remove a directory and recreate it as a copy from the given
1467 self
.add_command_dir('copy-rm', None, ['rm', '-rf', dest
])
1468 parent
= os
.path
.dirname(dest
)
1469 self
.add_command_dir('copy-mkdir', None, ['mkdir', '-p', parent
])
1470 self
.add_command_dir('copy', None, ['cp', '-a', src
, dest
])
1472 def add_command_dir(self
, desc
, dir, command
, always_run
=False):
1473 """Add a command to run in a given directory."""
1474 cmd
= Command(self
.desc_txt(desc
), len(self
.cmdlist
), dir, self
.path
,
1475 command
, always_run
)
1476 self
.cmdlist
.append(cmd
)
1478 def add_command(self
, desc
, command
, always_run
=False):
1479 """Add a command to run in the default directory."""
1480 cmd
= Command(self
.desc_txt(desc
), len(self
.cmdlist
), self
.dir,
1481 self
.path
, command
, always_run
)
1482 self
.cmdlist
.append(cmd
)
1484 def cleanup_dir(self
, desc
='cleanup', dir=None):
1485 """Clean up a build directory. If no directory is specified, the
1486 default directory is cleaned up and ceases to be the default
1491 if self
.keep
!= 'all':
1492 self
.add_command_dir(desc
, None, ['rm', '-rf', dir],
1493 always_run
=(self
.keep
== 'none'))
1495 def makefile_commands(self
, wrapper
, logsdir
):
1496 """Return the sequence of commands in the form of text for a Makefile.
1497 The given wrapper script takes arguments: base of logs for
1498 previous command, or empty; base of logs for this command;
1499 description; directory; PATH addition; the command itself."""
1500 # prev_base is the base of the name for logs of the previous
1501 # command that is not always-run (that is, a build command,
1502 # whose failure should stop subsequent build commands from
1503 # being run, as opposed to a cleanup command, which is run
1504 # even if previous commands failed).
1507 for c
in self
.cmdlist
:
1508 ctxt
= c
.shell_make_quote()
1509 if prev_base
and not c
.always_run
:
1510 prev_log
= os
.path
.join(logsdir
, prev_base
)
1513 this_log
= os
.path
.join(logsdir
, c
.logbase
)
1514 if not c
.always_run
:
1515 prev_base
= c
.logbase
1524 prelims
= [wrapper
, prev_log
, this_log
, c
.desc
, dir, path
]
1525 prelim_txt
= Command
.shell_make_quote_list(prelims
, False)
1526 cmds
.append('\t@%s %s' % (prelim_txt
, ctxt
))
1527 return '\n'.join(cmds
)
1529 def status_logs(self
, logsdir
):
1530 """Return the list of log files with command status."""
1531 return [os
.path
.join(logsdir
, '%s-status.txt' % c
.logbase
)
1532 for c
in self
.cmdlist
]
1536 """Return an argument parser for this module."""
1537 parser
= argparse
.ArgumentParser(description
=__doc__
)
1538 parser
.add_argument('-j', dest
='parallelism',
1539 help='Run this number of jobs in parallel',
1540 type=int, default
=os
.cpu_count())
1541 parser
.add_argument('--keep', dest
='keep',
1542 help='Whether to keep all build directories, '
1543 'none or only those from failed builds',
1544 default
='none', choices
=('none', 'all', 'failed'))
1545 parser
.add_argument('--replace-sources', action
='store_true',
1546 help='Remove and replace source directories '
1547 'with the wrong version of a component')
1548 parser
.add_argument('--strip', action
='store_true',
1549 help='Strip installed glibc libraries')
1550 parser
.add_argument('topdir',
1551 help='Toplevel working directory')
1552 parser
.add_argument('action',
1554 choices
=('checkout', 'bot-cycle', 'bot',
1555 'host-libraries', 'compilers', 'glibcs'))
1556 parser
.add_argument('configs',
1557 help='Versions to check out or configurations to build',
1563 """The main entry point."""
1564 parser
= get_parser()
1565 opts
= parser
.parse_args(argv
)
1566 topdir
= os
.path
.abspath(opts
.topdir
)
1567 ctx
= Context(topdir
, opts
.parallelism
, opts
.keep
, opts
.replace_sources
,
1568 opts
.strip
, opts
.action
)
1569 ctx
.run_builds(opts
.action
, opts
.configs
)
1572 if __name__
== '__main__':