Merge pull request #964 from nicolasdespres/sighup
[platform/upstream/ninja.git] / configure.py
1 #!/usr/bin/env python
2 #
3 # Copyright 2001 Google Inc. All Rights Reserved.
4 #
5 # Licensed under the Apache License, Version 2.0 (the "License");
6 # you may not use this file except in compliance with the License.
7 # You may obtain a copy of the License at
8 #
9 #     http://www.apache.org/licenses/LICENSE-2.0
10 #
11 # Unless required by applicable law or agreed to in writing, software
12 # distributed under the License is distributed on an "AS IS" BASIS,
13 # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
14 # See the License for the specific language governing permissions and
15 # limitations under the License.
16
17 """Script that generates the build.ninja for ninja itself.
18
19 Projects that use ninja themselves should either write a similar script
20 or use a meta-build system that supports Ninja output."""
21
22 from __future__ import print_function
23
24 from optparse import OptionParser
25 import os
26 import pipes
27 import string
28 import subprocess
29 import sys
30
31 sourcedir = os.path.dirname(os.path.realpath(__file__))
32 sys.path.insert(0, os.path.join(sourcedir, 'misc'))
33 import ninja_syntax
34
35
36 class Platform(object):
37     """Represents a host/target platform and its specific build attributes."""
38     def __init__(self, platform):
39         self._platform = platform
40         if self._platform is not None:
41             return
42         self._platform = sys.platform
43         if self._platform.startswith('linux'):
44             self._platform = 'linux'
45         elif self._platform.startswith('freebsd'):
46             self._platform = 'freebsd'
47         elif self._platform.startswith('gnukfreebsd'):
48             self._platform = 'freebsd'
49         elif self._platform.startswith('openbsd'):
50             self._platform = 'openbsd'
51         elif self._platform.startswith('solaris') or self._platform == 'sunos5':
52             self._platform = 'solaris'
53         elif self._platform.startswith('mingw'):
54             self._platform = 'mingw'
55         elif self._platform.startswith('win'):
56             self._platform = 'msvc'
57         elif self._platform.startswith('bitrig'):
58             self._platform = 'bitrig'
59         elif self._platform.startswith('netbsd'):
60             self._platform = 'netbsd'
61
62     @staticmethod
63     def known_platforms():
64       return ['linux', 'darwin', 'freebsd', 'openbsd', 'solaris', 'sunos5',
65               'mingw', 'msvc', 'gnukfreebsd', 'bitrig', 'netbsd']
66
67     def platform(self):
68         return self._platform
69
70     def is_linux(self):
71         return self._platform == 'linux'
72
73     def is_mingw(self):
74         return self._platform == 'mingw'
75
76     def is_msvc(self):
77         return self._platform == 'msvc'
78
79     def msvc_needs_fs(self):
80         popen = subprocess.Popen(['cl', '/nologo', '/?'],
81                                  stdout=subprocess.PIPE,
82                                  stderr=subprocess.PIPE)
83         out, err = popen.communicate()
84         return b'/FS ' in out
85
86     def is_windows(self):
87         return self.is_mingw() or self.is_msvc()
88
89     def is_solaris(self):
90         return self._platform == 'solaris'
91
92     def uses_usr_local(self):
93         return self._platform in ('freebsd', 'openbsd', 'bitrig')
94
95     def supports_ppoll(self):
96         return self._platform in ('linux', 'openbsd', 'bitrig')
97
98     def supports_ninja_browse(self):
99         return not self.is_windows() and not self.is_solaris()
100
101
102 class Bootstrap:
103     """API shim for ninja_syntax.Writer that instead runs the commands.
104
105     Used to bootstrap Ninja from scratch.  In --bootstrap mode this
106     class is used to execute all the commands to build an executable.
107     It also proxies all calls to an underlying ninja_syntax.Writer, to
108     behave like non-bootstrap mode.
109     """
110     def __init__(self, writer, verbose=False):
111         self.writer = writer
112         self.verbose = verbose
113         # Map of variable name => expanded variable value.
114         self.vars = {}
115         # Map of rule name => dict of rule attributes.
116         self.rules = {
117             'phony': {}
118         }
119
120     def comment(self, text):
121         return self.writer.comment(text)
122
123     def newline(self):
124         return self.writer.newline()
125
126     def variable(self, key, val):
127         self.vars[key] = self._expand(val)
128         return self.writer.variable(key, val)
129
130     def rule(self, name, **kwargs):
131         self.rules[name] = kwargs
132         return self.writer.rule(name, **kwargs)
133
134     def build(self, outputs, rule, inputs=None, **kwargs):
135         ruleattr = self.rules[rule]
136         cmd = ruleattr.get('command')
137         if cmd is None:  # A phony rule, for example.
138             return
139
140         # Implement just enough of Ninja variable expansion etc. to
141         # make the bootstrap build work.
142         local_vars = {
143             'in': self._expand_paths(inputs),
144             'out': self._expand_paths(outputs)
145         }
146         for key, val in kwargs.get('variables', []):
147             local_vars[key] = ' '.join(ninja_syntax.as_list(val))
148
149         self._run_command(self._expand(cmd, local_vars))
150
151         return self.writer.build(outputs, rule, inputs, **kwargs)
152
153     def default(self, paths):
154         return self.writer.default(paths)
155
156     def _expand_paths(self, paths):
157         """Expand $vars in an array of paths, e.g. from a 'build' block."""
158         paths = ninja_syntax.as_list(paths)
159         return ' '.join(map(self._shell_escape, (map(self._expand, paths))))
160
161     def _expand(self, str, local_vars={}):
162         """Expand $vars in a string."""
163         return ninja_syntax.expand(str, self.vars, local_vars)
164
165     def _shell_escape(self, path):
166         """Quote paths containing spaces."""
167         return '"%s"' % path if ' ' in path else path
168
169     def _run_command(self, cmdline):
170         """Run a subcommand, quietly.  Prints the full command on error."""
171         try:
172             if self.verbose:
173                 print(cmdline)
174             subprocess.check_call(cmdline, shell=True)
175         except subprocess.CalledProcessError:
176             print('when running: ', cmdline)
177             raise
178
179
180 parser = OptionParser()
181 profilers = ['gmon', 'pprof']
182 parser.add_option('--bootstrap', action='store_true',
183                   help='bootstrap a ninja binary from nothing')
184 parser.add_option('--verbose', action='store_true',
185                   help='enable verbose build')
186 parser.add_option('--platform',
187                   help='target platform (' +
188                        '/'.join(Platform.known_platforms()) + ')',
189                   choices=Platform.known_platforms())
190 parser.add_option('--host',
191                   help='host platform (' +
192                        '/'.join(Platform.known_platforms()) + ')',
193                   choices=Platform.known_platforms())
194 parser.add_option('--debug', action='store_true',
195                   help='enable debugging extras',)
196 parser.add_option('--profile', metavar='TYPE',
197                   choices=profilers,
198                   help='enable profiling (' + '/'.join(profilers) + ')',)
199 parser.add_option('--with-gtest', metavar='PATH', help='ignored')
200 parser.add_option('--with-python', metavar='EXE',
201                   help='use EXE as the Python interpreter',
202                   default=os.path.basename(sys.executable))
203 parser.add_option('--force-pselect', action='store_true',
204                   help='ppoll() is used by default where available, '
205                        'but some platforms may need to use pselect instead',)
206 (options, args) = parser.parse_args()
207 if args:
208     print('ERROR: extra unparsed command-line arguments:', args)
209     sys.exit(1)
210
211 platform = Platform(options.platform)
212 if options.host:
213     host = Platform(options.host)
214 else:
215     host = platform
216
217 BUILD_FILENAME = 'build.ninja'
218 ninja_writer = ninja_syntax.Writer(open(BUILD_FILENAME, 'w'))
219 n = ninja_writer
220
221 if options.bootstrap:
222     # Make the build directory.
223     try:
224         os.mkdir('build')
225     except OSError:
226         pass
227     # Wrap ninja_writer with the Bootstrapper, which also executes the
228     # commands.
229     print('bootstrapping ninja...')
230     n = Bootstrap(n, verbose=options.verbose)
231
232 n.comment('This file is used to build ninja itself.')
233 n.comment('It is generated by ' + os.path.basename(__file__) + '.')
234 n.newline()
235
236 n.variable('ninja_required_version', '1.3')
237 n.newline()
238
239 n.comment('The arguments passed to configure.py, for rerunning it.')
240 configure_args = sys.argv[1:]
241 if '--bootstrap' in configure_args:
242     configure_args.remove('--bootstrap')
243 n.variable('configure_args', ' '.join(configure_args))
244 env_keys = set(['CXX', 'AR', 'CFLAGS', 'LDFLAGS'])
245 configure_env = dict((k, os.environ[k]) for k in os.environ if k in env_keys)
246 if configure_env:
247     config_str = ' '.join([k + '=' + pipes.quote(configure_env[k])
248                            for k in configure_env])
249     n.variable('configure_env', config_str + '$ ')
250 n.newline()
251
252 CXX = configure_env.get('CXX', 'g++')
253 objext = '.o'
254 if platform.is_msvc():
255     CXX = 'cl'
256     objext = '.obj'
257
258 def src(filename):
259     return os.path.join('$sourcedir', 'src', filename)
260 def built(filename):
261     return os.path.join('$builddir', filename)
262 def doc(filename):
263     return os.path.join('$sourcedir', 'doc', filename)
264 def cc(name, **kwargs):
265     return n.build(built(name + objext), 'cxx', src(name + '.c'), **kwargs)
266 def cxx(name, **kwargs):
267     return n.build(built(name + objext), 'cxx', src(name + '.cc'), **kwargs)
268 def binary(name):
269     if platform.is_windows():
270         exe = name + '.exe'
271         n.build(name, 'phony', exe)
272         return exe
273     return name
274
275 n.variable('sourcedir', sourcedir)
276 n.variable('builddir', 'build')
277 n.variable('cxx', CXX)
278 if platform.is_msvc():
279     n.variable('ar', 'link')
280 else:
281     n.variable('ar', configure_env.get('AR', 'ar'))
282
283 if platform.is_msvc():
284     cflags = ['/showIncludes',
285               '/nologo',  # Don't print startup banner.
286               '/Zi',  # Create pdb with debug info.
287               '/W4',  # Highest warning level.
288               '/WX',  # Warnings as errors.
289               '/wd4530', '/wd4100', '/wd4706',
290               '/wd4512', '/wd4800', '/wd4702', '/wd4819',
291               # Disable warnings about passing "this" during initialization.
292               '/wd4355',
293               # Disable warnings about ignored typedef in DbgHelp.h
294               '/wd4091',
295               '/GR-',  # Disable RTTI.
296               # Disable size_t -> int truncation warning.
297               # We never have strings or arrays larger than 2**31.
298               '/wd4267',
299               '/DNOMINMAX', '/D_CRT_SECURE_NO_WARNINGS',
300               '/D_HAS_EXCEPTIONS=0',
301               '/DNINJA_PYTHON="%s"' % options.with_python]
302     if options.bootstrap:
303         # In bootstrap mode, we have no ninja process to catch /showIncludes
304         # output.
305         cflags.remove('/showIncludes')
306     if platform.msvc_needs_fs():
307         cflags.append('/FS')
308     ldflags = ['/DEBUG', '/libpath:$builddir']
309     if not options.debug:
310         cflags += ['/Ox', '/DNDEBUG', '/GL']
311         ldflags += ['/LTCG', '/OPT:REF', '/OPT:ICF']
312 else:
313     cflags = ['-g', '-Wall', '-Wextra',
314               '-Wno-deprecated',
315               '-Wno-unused-parameter',
316               '-fno-rtti',
317               '-fno-exceptions',
318               '-fvisibility=hidden', '-pipe',
319               '-Wno-missing-field-initializers',
320               '-DNINJA_PYTHON="%s"' % options.with_python]
321     if options.debug:
322         cflags += ['-D_GLIBCXX_DEBUG', '-D_GLIBCXX_DEBUG_PEDANTIC']
323         cflags.remove('-fno-rtti')  # Needed for above pedanticness.
324     else:
325         cflags += ['-O2', '-DNDEBUG']
326     try:
327         proc = subprocess.Popen(
328             [CXX, '-fdiagnostics-color', '-c', '-x', 'c++', '/dev/null',
329              '-o', '/dev/null'],
330             stdout=open(os.devnull, 'wb'), stderr=subprocess.STDOUT)
331         if proc.wait() == 0:
332             cflags += ['-fdiagnostics-color']
333     except:
334         pass
335     if platform.is_mingw():
336         cflags += ['-D_WIN32_WINNT=0x0501']
337     ldflags = ['-L$builddir']
338     if platform.uses_usr_local():
339         cflags.append('-I/usr/local/include')
340         ldflags.append('-L/usr/local/lib')
341
342 libs = []
343
344 if platform.is_mingw():
345     cflags.remove('-fvisibility=hidden');
346     ldflags.append('-static')
347 elif platform.is_solaris():
348     cflags.remove('-fvisibility=hidden')
349 elif platform.is_msvc():
350     pass
351 else:
352     if options.profile == 'gmon':
353         cflags.append('-pg')
354         ldflags.append('-pg')
355     elif options.profile == 'pprof':
356         cflags.append('-fno-omit-frame-pointer')
357         libs.extend(['-Wl,--no-as-needed', '-lprofiler'])
358
359 if platform.supports_ppoll() and not options.force_pselect:
360     cflags.append('-DUSE_PPOLL')
361 if platform.supports_ninja_browse():
362     cflags.append('-DNINJA_HAVE_BROWSE')
363
364 # Search for generated headers relative to build dir.
365 cflags.append('-I.')
366
367 def shell_escape(str):
368     """Escape str such that it's interpreted as a single argument by
369     the shell."""
370
371     # This isn't complete, but it's just enough to make NINJA_PYTHON work.
372     if platform.is_windows():
373       return str
374     if '"' in str:
375         return "'%s'" % str.replace("'", "\\'")
376     return str
377
378 if 'CFLAGS' in configure_env:
379     cflags.append(configure_env['CFLAGS'])
380 n.variable('cflags', ' '.join(shell_escape(flag) for flag in cflags))
381 if 'LDFLAGS' in configure_env:
382     ldflags.append(configure_env['LDFLAGS'])
383 n.variable('ldflags', ' '.join(shell_escape(flag) for flag in ldflags))
384 n.newline()
385
386 if platform.is_msvc():
387     n.rule('cxx',
388         command='$cxx $cflags -c $in /Fo$out',
389         description='CXX $out',
390         deps='msvc'  # /showIncludes is included in $cflags.
391     )
392 else:
393     n.rule('cxx',
394         command='$cxx -MMD -MT $out -MF $out.d $cflags -c $in -o $out',
395         depfile='$out.d',
396         deps='gcc',
397         description='CXX $out')
398 n.newline()
399
400 if host.is_msvc():
401     n.rule('ar',
402            command='lib /nologo /ltcg /out:$out $in',
403            description='LIB $out')
404 elif host.is_mingw():
405     n.rule('ar',
406            command='cmd /c $ar cqs $out.tmp $in && move /Y $out.tmp $out',
407            description='AR $out')
408 else:
409     n.rule('ar',
410            command='rm -f $out && $ar crs $out $in',
411            description='AR $out')
412 n.newline()
413
414 if platform.is_msvc():
415     n.rule('link',
416         command='$cxx $in $libs /nologo /link $ldflags /out:$out',
417         description='LINK $out')
418 else:
419     n.rule('link',
420         command='$cxx $ldflags -o $out $in $libs',
421         description='LINK $out')
422 n.newline()
423
424 objs = []
425
426 if platform.supports_ninja_browse():
427     n.comment('browse_py.h is used to inline browse.py.')
428     n.rule('inline',
429            command='"%s"' % src('inline.sh') + ' $varname < $in > $out',
430            description='INLINE $out')
431     n.build(built('browse_py.h'), 'inline', src('browse.py'),
432             implicit=src('inline.sh'),
433             variables=[('varname', 'kBrowsePy')])
434     n.newline()
435
436     objs += cxx('browse', order_only=built('browse_py.h'))
437     n.newline()
438
439 n.comment('the depfile parser and ninja lexers are generated using re2c.')
440 def has_re2c():
441     try:
442         proc = subprocess.Popen(['re2c', '-V'], stdout=subprocess.PIPE)
443         return int(proc.communicate()[0], 10) >= 1103
444     except OSError:
445         return False
446 if has_re2c():
447     n.rule('re2c',
448            command='re2c -b -i --no-generation-date -o $out $in',
449            description='RE2C $out')
450     # Generate the .cc files in the source directory so we can check them in.
451     n.build(src('depfile_parser.cc'), 're2c', src('depfile_parser.in.cc'))
452     n.build(src('lexer.cc'), 're2c', src('lexer.in.cc'))
453 else:
454     print("warning: A compatible version of re2c (>= 0.11.3) was not found; "
455            "changes to src/*.in.cc will not affect your build.")
456 n.newline()
457
458 n.comment('Core source files all build into ninja library.')
459 for name in ['build',
460              'build_log',
461              'clean',
462              'debug_flags',
463              'depfile_parser',
464              'deps_log',
465              'disk_interface',
466              'edit_distance',
467              'eval_env',
468              'graph',
469              'graphviz',
470              'lexer',
471              'line_printer',
472              'manifest_parser',
473              'metrics',
474              'state',
475              'util',
476              'version']:
477     objs += cxx(name)
478 if platform.is_windows():
479     for name in ['subprocess-win32',
480                  'includes_normalize-win32',
481                  'msvc_helper-win32',
482                  'msvc_helper_main-win32']:
483         objs += cxx(name)
484     if platform.is_msvc():
485         objs += cxx('minidump-win32')
486     objs += cc('getopt')
487 else:
488     objs += cxx('subprocess-posix')
489 if platform.is_msvc():
490     ninja_lib = n.build(built('ninja.lib'), 'ar', objs)
491 else:
492     ninja_lib = n.build(built('libninja.a'), 'ar', objs)
493 n.newline()
494
495 if platform.is_msvc():
496     libs.append('ninja.lib')
497 else:
498     libs.append('-lninja')
499
500 all_targets = []
501
502 n.comment('Main executable is library plus main() function.')
503 objs = cxx('ninja')
504 ninja = n.build(binary('ninja'), 'link', objs, implicit=ninja_lib,
505                 variables=[('libs', libs)])
506 n.newline()
507 all_targets += ninja
508
509 if options.bootstrap:
510     # We've built the ninja binary.  Don't run any more commands
511     # through the bootstrap executor, but continue writing the
512     # build.ninja file.
513     n = ninja_writer
514
515 n.comment('Tests all build into ninja_test executable.')
516
517 objs = []
518
519 for name in ['build_log_test',
520              'build_test',
521              'clean_test',
522              'depfile_parser_test',
523              'deps_log_test',
524              'disk_interface_test',
525              'edit_distance_test',
526              'graph_test',
527              'lexer_test',
528              'manifest_parser_test',
529              'ninja_test',
530              'state_test',
531              'subprocess_test',
532              'test',
533              'util_test']:
534     objs += cxx(name)
535 if platform.is_windows():
536     for name in ['includes_normalize_test', 'msvc_helper_test']:
537         objs += cxx(name)
538
539 ninja_test = n.build(binary('ninja_test'), 'link', objs, implicit=ninja_lib,
540                      variables=[('libs', libs)])
541 n.newline()
542 all_targets += ninja_test
543
544
545 n.comment('Ancillary executables.')
546 objs = cxx('build_log_perftest')
547 all_targets += n.build(binary('build_log_perftest'), 'link', objs,
548                        implicit=ninja_lib, variables=[('libs', libs)])
549 objs = cxx('canon_perftest')
550 all_targets += n.build(binary('canon_perftest'), 'link', objs,
551                        implicit=ninja_lib, variables=[('libs', libs)])
552 objs = cxx('depfile_parser_perftest')
553 all_targets += n.build(binary('depfile_parser_perftest'), 'link', objs,
554                        implicit=ninja_lib, variables=[('libs', libs)])
555 objs = cxx('hash_collision_bench')
556 all_targets += n.build(binary('hash_collision_bench'), 'link', objs,
557                               implicit=ninja_lib, variables=[('libs', libs)])
558 objs = cxx('manifest_parser_perftest')
559 all_targets += n.build(binary('manifest_parser_perftest'), 'link', objs,
560                               implicit=ninja_lib, variables=[('libs', libs)])
561 n.newline()
562
563 n.comment('Generate a graph using the "graph" tool.')
564 n.rule('gendot',
565        command='./ninja -t graph all > $out')
566 n.rule('gengraph',
567        command='dot -Tpng $in > $out')
568 dot = n.build(built('graph.dot'), 'gendot', ['ninja', 'build.ninja'])
569 n.build('graph.png', 'gengraph', dot)
570 n.newline()
571
572 n.comment('Generate the manual using asciidoc.')
573 n.rule('asciidoc',
574        command='asciidoc -b docbook -d book -o $out $in',
575        description='ASCIIDOC $out')
576 n.rule('xsltproc',
577        command='xsltproc --nonet doc/docbook.xsl $in > $out',
578        description='XSLTPROC $out')
579 xml = n.build(built('manual.xml'), 'asciidoc', doc('manual.asciidoc'))
580 manual = n.build(doc('manual.html'), 'xsltproc', xml,
581                  implicit=doc('style.css'))
582 n.build('manual', 'phony',
583         order_only=manual)
584 n.newline()
585
586 n.comment('Generate Doxygen.')
587 n.rule('doxygen',
588        command='doxygen $in',
589        description='DOXYGEN $in')
590 n.variable('doxygen_mainpage_generator',
591            src('gen_doxygen_mainpage.sh'))
592 n.rule('doxygen_mainpage',
593        command='$doxygen_mainpage_generator $in > $out',
594        description='DOXYGEN_MAINPAGE $out')
595 mainpage = n.build(built('doxygen_mainpage'), 'doxygen_mainpage',
596                    ['README', 'COPYING'],
597                    implicit=['$doxygen_mainpage_generator'])
598 n.build('doxygen', 'doxygen', doc('doxygen.config'),
599         implicit=mainpage)
600 n.newline()
601
602 if not host.is_mingw():
603     n.comment('Regenerate build files if build script changes.')
604     n.rule('configure',
605            command='${configure_env}%s $sourcedir/configure.py $configure_args' %
606                options.with_python,
607            generator=True)
608     n.build('build.ninja', 'configure',
609             implicit=['$sourcedir/configure.py',
610                       os.path.normpath('$sourcedir/misc/ninja_syntax.py')])
611     n.newline()
612
613 n.default(ninja)
614 n.newline()
615
616 if host.is_linux():
617     n.comment('Packaging')
618     n.rule('rpmbuild',
619            command="misc/packaging/rpmbuild.sh",
620            description='Building rpms..')
621     n.build('rpm', 'rpmbuild')
622     n.newline()
623
624 n.build('all', 'phony', all_targets)
625
626 n.close()
627 print('wrote %s.' % BUILD_FILENAME)
628
629 verbose = ''
630 if options.verbose:
631     verbose = ' -v'
632
633 if options.bootstrap:
634     print('bootstrap complete.  rebuilding...')
635     if platform.is_windows():
636         bootstrap_exe = 'ninja.bootstrap.exe'
637         if os.path.exists(bootstrap_exe):
638             os.unlink(bootstrap_exe)
639         os.rename('ninja.exe', bootstrap_exe)
640         subprocess.check_call('ninja.bootstrap.exe%s' % verbose, shell=True)
641     else:
642         subprocess.check_call('./ninja%s' % verbose, shell=True)