Don't check for 'dlopen' or 'dlfcn.h' if we're building with MSVC
[ardour.git] / wscript
1 #!/usr/bin/env python
2 from waflib.extras import autowaf as autowaf
3 from waflib import Options
4 import os
5 import re
6 import string
7 import subprocess
8 import sys
9 import platform as PLATFORM
10 from waflib.Tools import winres
11
12 compiler_flags_dictionaries= {
13     'gcc' : {
14         # Flags required when building a debug build
15         'debuggable' : [ '-O0', '-g' ],
16         # Flags required for the linker (if any) when building a debug build
17         'linker-debuggable' : '',
18         # Flags required when building a non-debug optimized build
19         'nondebuggable' : '-DNDEBUG',
20         # Flags required to enable profiling at runtime
21         'profile' : '-pg',
22         # Flags required to disable warnings about unused arguments to function calls
23         'silence-unused-arguments' : '',
24         # Flags required to use SSE unit for general math
25         'sse' : '-msse',
26         # Flags required to use SSE unit for floating point math
27         'fpmath-sse' : '-mfpmath=sse',
28         # Flags required to use XMM Intrinsics
29         'xmmintrinsics' : '-DUSE_XMMINTRIN',
30         # Flags to use posix pipes between compiler stages
31         'pipe' : '-pipe',
32         # Flags for maximally optimized build
33         'full-optimization' : [ '-O3', '-fomit-frame-pointer', '-ffast-math', '-fstrength-reduce', ],
34         # Flag to ensure that compiler error output includes column/line numbers
35         'show-column' : '-fshow-column',
36         # Flags required to build for x86 only (OS X feature)
37         'generic-x86' : '',
38         # Flags required to build for PowerPC only (OS X feature)
39         'generic-ppc' : '',
40         # All flags required to get basic warnings to be generated by the compiler
41         'basic-warnings' : [ '-Wall', '-Wpointer-arith', '-Wcast-qual', '-Wcast-align', '-Wno-unused-parameter' ],
42         # Any additional flags for warnings that are specific to C (not C++)
43         'extra-c-warnings' : [ '-Wstrict-prototypes', '-Wmissing-prototypes' ],
44         # Any additional flags for warnings that are specific to C++ (not C)
45         'extra-cxx-warnings' : [ '-Woverloaded-virtual', '-Wno-unused-local-typedefs' ],
46         # Flags used for "strict" compilation, C and C++ (i.e. compiler will warn about language issues)
47         'strict' : ['-Wall', '-Wcast-align', '-Wextra', '-Wwrite-strings', '-Wunsafe-loop-optimizations', '-Wlogical-op' ],
48         # Flags used for "strict" compilation, C only (i.e. compiler will warn about language issues)
49         'c-strict' : ['-std=c99', '-pedantic', '-Wshadow'],
50         # Flags used for "strict" compilation, C++ only (i.e. compiler will warn about language issues)
51         'cxx-strict' : [ '-ansi', '-Wnon-virtual-dtor', '-Woverloaded-virtual', '-fstrict-overflow' ],
52         # Flags required for whatever consider the strictest possible compilation 
53         'ultra-strict' : ['-Wredundant-decls', '-Wstrict-prototypes', '-Wmissing-prototypes'],
54         # Flag to turn on C99 compliance by itself 
55         'c99': '-std=c99',
56     },
57     'msvc' : {
58         'debuggable' : ['/Od', '/Zi', '/MTd'],
59         'linker-debuggable' : ['/DEBUG' ],
60         'nondebuggable' : [ '/MD', '-DNDEBUG' ],
61         'profile' : '',
62         'silence-unused-arguments' : '',
63         'sse' : '',
64         'fpmath-see' : '',
65         'xmmintrinsics' : '',
66         'pipe' : '',
67         'full-optimization' : '',
68         'no-frame-pointer' : '',
69         'fast-math' : '',
70         'strength-reduce' : '',
71         'show-column' : '',
72         'generic-x86' : '',
73         'generic-ppc' : '',
74         'basic-warnings' : '',
75         'extra-c-warnings' : '',
76         'extra-cxx-warnings' : '',
77         'ultra-strict' : '',
78         'c-strict' : '',
79         'cxx-strict' : '',
80         'strict' : '',
81         'c99': '-TP',
82     },
83 }
84
85 # Copy, edit and insert variants on gcc dict for gcc-darwin and clang
86
87 gcc_darwin_dict = compiler_flags_dictionaries['gcc'].copy()
88 gcc_darwin_dict['extra-cxx-warnings'] = [ '-Woverloaded-virtual' ]
89 gcc_darwin_dict['cxx-strict'] = [ '-ansi', '-Wnon-virtual-dtor', '-Woverloaded-virtual' ]
90 gcc_darwin_dict['strict'] = ['-Wall', '-Wcast-align', '-Wextra', '-Wwrite-strings' ]
91 gcc_darwin_dict['generic-x86'] = [ '-arch', 'i386' ]
92 gcc_darwin_dict['generic-ppc'] = [ '-arch', 'ppc' ]
93 compiler_flags_dictionaries['gcc-darwin'] = gcc_darwin_dict;
94
95 clang_dict = compiler_flags_dictionaries['gcc'].copy();
96 clang_dict['sse'] = ''
97 clang_dict['fpmath-sse'] = ''
98 clang_dict['xmmintrinsics'] = ''
99 clang_dict['silence-unused-arguments'] = '-Qunused-arguments'
100 clang_dict['extra-cxx-warnings'] = [ '-Woverloaded-virtual', '-Wno-mismatched-tags' ]
101 clang_dict['cxx-strict'] = [ '-ansi', '-Wnon-virtual-dtor', '-Woverloaded-virtual', '-fstrict-overflow' ]
102 clang_dict['strict'] = ['-Wall', '-Wcast-align', '-Wextra', '-Wwrite-strings' ]
103 clang_dict['generic-x86'] = [ '-arch', 'i386' ]
104 compiler_flags_dictionaries['clang'] = clang_dict;
105
106 clang_darwin_dict = compiler_flags_dictionaries['clang'].copy();
107 clang_darwin_dict['cxx-strict'] = [ '-ansi', '-Wnon-virtual-dtor', '-Woverloaded-virtual', ]
108 compiler_flags_dictionaries['clang-darwin'] = clang_darwin_dict;
109
110 def fetch_git_revision ():
111     cmd = "git describe HEAD"
112     output = subprocess.Popen(cmd, shell=True, stderr=subprocess.STDOUT, stdout=subprocess.PIPE).communicate()[0].splitlines()
113     rev = output[0].decode ('utf-8')
114     return rev
115
116 def fetch_tarball_revision ():
117     if not os.path.exists ('libs/ardour/revision.cc'):
118         print ('This tarball was not created correctly - it is missing libs/ardour/revision.cc')
119         sys.exit (1)
120     with open('libs/ardour/revision.cc') as f:
121         content = f.readlines()
122         remove_punctuation_map = dict((ord(char), None) for char in '";')
123         return content[1].decode('utf-8').strip().split(' ')[7].translate (remove_punctuation_map)
124
125 if os.path.isdir (os.path.join(os.getcwd(), '.git')):
126     rev = fetch_git_revision ()
127 else:
128     rev = fetch_tarball_revision ()
129
130 #
131 # rev is now of the form MAJOR.MINOR-rev-commit
132 # or, if right at the same rev as a release, MAJOR.MINOR
133 #
134
135 parts = rev.split ('.')
136 MAJOR = parts[0]
137 other = parts[1].split ('-')
138 MINOR = other[0]
139 if len(other) > 1:
140     MICRO = other[1]
141 else:
142     MICRO = '0'
143
144 V = MAJOR + '.' + MINOR + '.' + MICRO
145 VERSION = V
146 PROGRAM_VERSION = MAJOR
147
148 # Mandatory variables
149 top = '.'
150 out = 'build'
151
152 children = [
153         # optionally external libraries
154         'libs/qm-dsp',
155         'libs/vamp-plugins',
156         'libs/libltc',
157         # core ardour libraries
158         'libs/pbd',
159         'libs/midi++2',
160         'libs/evoral',
161         'libs/surfaces',
162         'libs/panners',
163         'libs/backends',
164         'libs/timecode',
165         'libs/ardour',
166         'libs/gtkmm2ext',
167         'libs/audiographer',
168         'libs/canvas',
169         'libs/plugins/reasonablesynth.lv2',
170         'gtk2_ardour',
171         'export',
172         'midi_maps',
173         'mcp',
174         'patchfiles',
175         'headless',
176         # shared helper binaries (plugin-scanner, exec-wrapper)
177         'libs/fst',
178         'libs/vfork',
179         'libs/ardouralsautil',
180 ]
181
182 i18n_children = [
183         'gtk2_ardour',
184         'libs/ardour',
185         'libs/gtkmm2ext',
186 ]
187
188 # Version stuff
189
190 def fetch_gcc_version (CC):
191     cmd = "%s --version" % CC
192     output = subprocess.Popen(cmd, shell=True, stderr=subprocess.STDOUT, stdout=subprocess.PIPE).communicate()[0].splitlines()
193     o = output[0].decode('utf-8')
194     version = o.split(' ')[2].split('.')
195     return version
196
197 def create_stored_revision():
198     rev = ""
199     if os.path.exists('.git'):
200         rev = fetch_git_revision();
201         print("Git version: " + rev + "\n")
202     elif os.path.exists('libs/ardour/revision.cc'):
203         print("Using packaged revision")
204         return
205     else:
206         print("Missing libs/ardour/revision.cc.  Blame the packager.")
207         sys.exit(-1)
208
209     try:
210         #
211         # if you change the format of this, be sure to fix fetch_tarball_revision() above
212         # so that  it still works.
213         #
214         text =  '#include "ardour/revision.h"\n'
215         text += 'namespace ARDOUR { const char* revision = \"%s\"; }\n' % rev
216         print('Writing revision info to libs/ardour/revision.cc using ' + rev)
217         o = open('libs/ardour/revision.cc', 'w')
218         o.write(text)
219         o.close()
220     except IOError:
221         print('Could not open libs/ardour/revision.cc for writing\n')
222         sys.exit(-1)
223
224 def set_compiler_flags (conf,opt):
225     #
226     # Compiler flags and other system-dependent stuff
227     #
228     build_host_supports_sse = False
229
230     # Flags necessary for building
231     compiler_flags = []     # generic
232     c_flags = []            # C-specific
233     cxx_flags = []          # C++-specific
234     linker_flags = []
235
236     # Optimization flags (overridable)
237     optimization_flags = []
238
239     # Debugging flags
240     debug_flags = []
241
242     u = PLATFORM.uname ()
243     cpu = u[4]
244     platform = u[0].lower()
245     version = u[2]
246
247     # waf adds -O0 -g itself. thanks waf!
248     is_clang = conf.check_cxx(fragment = '''
249 #ifndef __clang__
250 #error
251 #endif
252 int main() { return 0; }''',
253                          features  = 'cxx',
254                          mandatory = False,
255                          execute   = False,
256                          msg       = 'Checking for clang')
257
258     if is_clang:
259         if platform == 'darwin':
260             compiler_name = 'clang-darwin'
261         else:
262             compiler_name = 'clang'
263     elif conf.env['MSVC_COMPILER']:
264             compiler_name = 'msvc'
265     else:
266         if platform == 'darwin':
267             compiler_name = 'gcc-darwin'
268         else:
269             compiler_name = 'gcc'
270
271     flags_dict = compiler_flags_dictionaries[compiler_name]
272             
273     autowaf.set_basic_compiler_flags (conf,flags_dict)
274     
275     if conf.options.asan:
276         conf.check_cxx(cxxflags=["-fsanitize=address", "-fno-omit-frame-pointer"], linkflags=["-fsanitize=address"])
277         cxx_flags.append('-fsanitize=address')
278         cxx_flags.append('-fno-omit-frame-pointer')
279         linker_flags.append('-fsanitize=address')
280
281     if opt.gprofile:
282         debug_flags = [ flags_dict['profile'] ]
283
284     # OSX
285     if platform == 'darwin':
286         if re.search ("^13[.]", version) != None:
287             conf.env['build_host'] = 'mavericks'
288         elif re.search ("^14[.]", version) != None:
289             conf.env['build_host'] = 'yosemite'
290         else:
291             conf.env['build_host'] = 'irrelevant'
292
293     # Autodetect
294     if opt.dist_target == 'auto':
295         if platform == 'darwin':
296             # The [.] matches to the dot after the major version, "." would match any character
297             if re.search ("^[0-7][.]", version) != None:
298                 conf.env['build_target'] = 'panther'
299             elif re.search ("^8[.]", version) != None:
300                 conf.env['build_target'] = 'tiger'
301             elif re.search ("^9[.]", version) != None:
302                 conf.env['build_target'] = 'leopard'
303             elif re.search ("^10[.]", version) != None:
304                 conf.env['build_target'] = 'snowleopard'
305             elif re.search ("^11[.]", version) != None:
306                 conf.env['build_target'] = 'lion'
307             elif re.search ("^12[.]", version) != None:
308                 conf.env['build_target'] = 'mountainlion'
309             elif re.search ("^13[.]", version) != None:
310                 conf.env['build_target'] = 'mavericks'
311             else:
312                 conf.env['build_target'] = 'yosemite'
313         else:
314             match = re.search(
315                     "(?P<cpu>i[0-6]86|x86_64|powerpc|ppc|ppc64|arm|s390x?)",
316                     cpu)
317             if (match):
318                 conf.env['build_target'] = match.group("cpu")
319                 if re.search("i[0-5]86", conf.env['build_target']):
320                     conf.env['build_target'] = "i386"
321             else:
322                 conf.env['build_target'] = 'none'
323     else:
324         conf.env['build_target'] = opt.dist_target
325
326     if conf.env['build_target'] == 'snowleopard':
327         #
328         # stupid OS X 10.6 has a bug in math.h that prevents llrint and friends
329         # from being visible.
330         # 
331         compiler_flags.append ('-U__STRICT_ANSI__')
332
333     if conf.options.cxx11 or conf.env['build_host'] in [ 'mavericks', 'yosemite' ]:
334         conf.check_cxx(cxxflags=["-std=c++11"])
335         cxx_flags.append('-std=c++11')
336         if platform == "darwin":
337             cxx_flags.append('--stdlib=libstdc++')
338             # Mavericks and later changed the syntax to be used when including Carbon headers,
339             # from requiring a full path to requiring just the header name.
340             cxx_flags.append('-DCARBON_FLAT_HEADERS')
341             linker_flags.append('--stdlib=libstdc++')
342             # Prevents visibility issues in standard headers
343             conf.define("_DARWIN_C_SOURCE", 1)
344
345     if (is_clang and platform == "darwin") or conf.env['build_host'] in ['mavericks', 'yosemite']:
346         # Silence warnings about the non-existing osx clang compiler flags
347         # -compatibility_version and -current_version.  These are Waf
348         # generated and not needed with clang
349         c_flags.append("-Qunused-arguments")
350         cxx_flags.append("-Qunused-arguments")
351
352     if ((re.search ("i[0-9]86", cpu) != None) or (re.search ("x86_64", cpu) != None)) and conf.env['build_target'] != 'none':
353
354
355         #
356         # ARCH_X86 means anything in the x86 family from i386 to x86_64
357         # the compile-time presence of the macro _LP64 is used to 
358         # distingush 32 and 64 bit assembler
359         #
360
361         if (re.search ("(i[0-9]86|x86_64)", cpu) != None):
362             compiler_flags.append ("-DARCH_X86")
363
364         if platform == 'linux' :
365
366             #
367             # determine processor flags via /proc/cpuinfo
368             #
369
370             if conf.env['build_target'] != 'i386':
371
372                 flag_line = os.popen ("cat /proc/cpuinfo | grep '^flags'").read()[:-1]
373                 x86_flags = flag_line.split (": ")[1:][0].split ()
374
375                 if "mmx" in x86_flags:
376                     compiler_flags.append ("-mmmx")
377                 if "sse" in x86_flags:
378                     build_host_supports_sse = True
379                 if "3dnow" in x86_flags:
380                     compiler_flags.append ("-m3dnow")
381
382             if cpu == "i586":
383                 compiler_flags.append ("-march=i586")
384             elif cpu == "i686":
385                 compiler_flags.append ("-march=i686")
386
387         if ((conf.env['build_target'] == 'i686') or (conf.env['build_target'] == 'x86_64')) and build_host_supports_sse:
388             compiler_flags.extend ([ flags_dict['sse'], flags_dict['fpmath-sse'], flags_dict['xmmintrinsics'] ])
389
390     # end of processor-specific section
391
392     # optimization section
393     if conf.env['FPU_OPTIMIZATION']:
394         if sys.platform == 'darwin':
395             compiler_flags.append("-DBUILD_VECLIB_OPTIMIZATIONS");
396             conf.env.append_value('LINKFLAGS_OSX', ['-framework', 'Accelerate'])
397         elif conf.env['build_target'] == 'i686' or conf.env['build_target'] == 'x86_64':
398             compiler_flags.append ("-DBUILD_SSE_OPTIMIZATIONS")
399         if not build_host_supports_sse:
400             print("\nWarning: you are building Ardour with SSE support even though your system does not support these instructions. (This may not be an error, especially if you are a package maintainer)")
401
402     # end optimization section
403
404     #
405     # no VST on x86_64
406     #
407
408     if conf.env['build_target'] == 'x86_64' and opt.windows_vst:
409         print("\n\n==================================================")
410         print("You cannot use VST plugins with a 64 bit host. Please run waf with --windows-vst=0")
411         print("\nIt is theoretically possible to build a 32 bit host on a 64 bit system.")
412         print("However, this is tricky and not recommended for beginners.")
413         sys.exit (-1)
414
415     if conf.env['LXVST_SUPPORT'] == True:
416         if conf.env['build_target'] == 'x86_64':
417             compiler_flags.append("-DLXVST_64BIT")
418         else:
419             compiler_flags.append("-DLXVST_32BIT")
420
421     #
422     # a single way to test if we're on OS X
423     #
424
425     if conf.env['build_target'] in ['panther', 'tiger', 'leopard' ]:
426         # force tiger or later, to avoid issues on PPC which defaults
427         # back to 10.1 if we don't tell it otherwise.
428
429         compiler_flags.extend(
430                 ("-DMAC_OS_X_VERSION_MIN_REQUIRED=1040",
431                  '-mmacosx-version-min=10.4'))
432
433     elif conf.env['build_target'] in [ 'snowleopard' ]:
434         compiler_flags.extend(
435                 ("-DMAC_OS_X_VERSION_MIN_REQUIRED=1060",
436                  '-mmacosx-version-min=10.6'))
437
438     elif conf.env['build_target'] in [ 'lion', 'mountainlion' ]:
439         compiler_flags.extend(
440                 ("-DMAC_OS_X_VERSION_MIN_REQUIRED=1070",
441                  '-mmacosx-version-min=10.7'))
442
443     elif conf.env['build_target'] in [ 'mavericks', 'yosemite' ]:
444         compiler_flags.extend(
445                 ("-DMAC_OS_X_VERSION_MAX_ALLOWED=1090",
446                  "-mmacosx-version-min=10.8"))
447
448     #
449     # save off CPU element in an env
450     #
451     conf.define ('CONFIG_ARCH', cpu)
452
453     #
454     # ARCH="..." overrides all
455     #
456
457     if opt.arch != None:
458         optimization_flags = opt.arch.split()
459
460     #
461     # prepend boiler plate optimization flags that work on all architectures
462     #
463
464     optimization_flags[:0] = [flags_dict['pipe']]
465
466     # don't prepend optimization flags if "-O<something>" is present
467     prepend_opt_flags = True
468     for flag in optimization_flags:
469         if flag.startswith("-O"):
470             prepend_opt_flags = False
471             break
472
473     if prepend_opt_flags:
474         optimization_flags[:0] = flags_dict['full-optimization']
475
476     if opt.debug_symbols:
477         optimization_flags += flags_dict['debuggable']
478
479     if opt.stl_debug:
480         cxx_flags.append("-D_GLIBCXX_DEBUG")
481
482     if conf.env['DEBUG_RT_ALLOC']:
483         compiler_flags.append('-DDEBUG_RT_ALLOC')
484         linker_flags.append('-ldl')
485
486     if conf.env['DEBUG_DENORMAL_EXCEPTION']:
487         compiler_flags.append('-DDEBUG_DENORMAL_EXCEPTION')
488
489     if opt.generic:
490         compiler_flags.extend(flags_dict['generic-x86'])
491         linker_flags.extend(flags_dict['generic-x86'])
492
493     if opt.ppc:
494         compiler_flags.extend(flags_dict['generic-ppc'])
495         linker_flags.extend(flags_dict['generic-ppc'])
496
497     #
498     # warnings flags
499     #
500
501     compiler_flags.extend(flags_dict['basic-warnings'])
502
503     c_flags.extend(flags_dict['extra-c-warnings'])
504     cxx_flags.extend (flags_dict['extra-cxx-warnings'])
505
506     #
507     # more boilerplate
508     #
509
510     # need ISOC9X for llabs()
511     compiler_flags.extend(
512         ('-DBOOST_SYSTEM_NO_DEPRECATED', '-D_ISOC9X_SOURCE',
513          '-D_LARGEFILE64_SOURCE', '-D_FILE_OFFSET_BITS=64'))
514     cxx_flags.extend(
515         ('-D__STDC_LIMIT_MACROS', '-D__STDC_FORMAT_MACROS', 
516          '-DCANVAS_COMPATIBILITY', '-DCANVAS_DEBUG'))
517     
518     if opt.nls:
519         compiler_flags.append('-DENABLE_NLS')
520
521     compiler_flags.append ('-DPROGRAM_NAME="' + Options.options.program_name + '"')
522     compiler_flags.append ('-DPROGRAM_VERSION="' + PROGRAM_VERSION + '"')
523
524     if opt.debug:
525         conf.env.append_value('CFLAGS', debug_flags)
526         conf.env.append_value('CXXFLAGS', debug_flags)
527     else:
528         conf.env.append_value('CFLAGS', optimization_flags)
529         conf.env.append_value('CXXFLAGS', optimization_flags)
530
531     if opt.backtrace:
532         if platform != 'darwin' and not is_clang and not Options.options.dist_target == 'mingw':
533             linker_flags += [ '-rdynamic' ]
534
535     conf.env.append_value('CFLAGS', compiler_flags)
536     conf.env.append_value('CFLAGS', c_flags)
537     conf.env.append_value('CXXFLAGS', compiler_flags)
538     conf.env.append_value('CXXFLAGS', cxx_flags)
539     conf.env.append_value('LINKFLAGS', linker_flags)
540
541 #----------------------------------------------------------------
542
543 # Waf stages
544
545 def options(opt):
546     opt.load('compiler_c')
547     opt.load('compiler_cxx')
548     autowaf.set_options(opt, debug_by_default=True)
549     opt.add_option('--program-name', type='string', action='store', default='Ardour', dest='program_name',
550                     help='The user-visible name of the program being built')
551     opt.add_option ('--trx', action='store_true', default=False, dest='trx_build',
552                     help='Whether to build for TRX')
553     opt.add_option('--arch', type='string', action='store', dest='arch',
554                     help='Architecture-specific compiler FLAGS')
555     opt.add_option('--with-backends', type='string', action='store', default='jack', dest='with_backends',
556                     help='Specify which backend modules are to be included(jack,alsa,wavesaudio,dummy)')
557     opt.add_option('--backtrace', action='store_true', default=True, dest='backtrace',
558                     help='Compile with -rdynamic -- allow obtaining backtraces from within Ardour')
559     opt.add_option('--no-carbon', action='store_true', default=False, dest='nocarbon',
560                     help='Compile without support for AU Plugins with only CARBON UI (needed for 64bit)')
561     opt.add_option('--boost-sp-debug', action='store_true', default=False, dest='boost_sp_debug',
562                     help='Compile with Boost shared pointer debugging')
563     opt.add_option('--debug-symbols', action='store_true', default=False, dest='debug_symbols',
564                     help='Add debug-symbols to optimized builds')
565     opt.add_option('--depstack-root', type='string', default='~', dest='depstack_root',
566                     help='Directory/folder where dependency stack trees (gtk, a3) can be found (defaults to ~)')
567     opt.add_option('--dist-target', type='string', default='auto', dest='dist_target',
568                     help='Specify the target for cross-compiling [auto,none,x86,i386,i686,x86_64,tiger,leopard,mingw,msvc]')
569     opt.add_option('--fpu-optimization', action='store_true', default=True, dest='fpu_optimization',
570                     help='Build runtime checked assembler code (default)')
571     opt.add_option('--no-fpu-optimization', action='store_false', dest='fpu_optimization')
572     opt.add_option('--exports-hidden', action='store_true', default=False, dest='exports_hidden')
573     opt.add_option('--freedesktop', action='store_true', default=False, dest='freedesktop',
574                     help='Install MIME type, icons and .desktop file as per freedesktop.org standards')
575     opt.add_option('--freebie', action='store_true', default=False, dest='freebie',
576                     help='Build a version suitable for distribution as a zero-cost binary')
577     opt.add_option('--gprofile', action='store_true', default=False, dest='gprofile',
578                     help='Compile for use with gprofile')
579     opt.add_option('--libjack', type='string', default="auto", dest='libjack_link',
580                     help='libjack link mode  [auto|link|weak]')
581     opt.add_option('--internal-shared-libs', action='store_true', default=True, dest='internal_shared_libs',
582                    help='Build internal libs as shared libraries')
583     opt.add_option('--internal-static-libs', action='store_false', dest='internal_shared_libs',
584                    help='Build internal libs as static libraries')
585     opt.add_option('--use-external-libs', action='store_true', default=False, dest='use_external_libs',
586                    help='Use external/system versions of some bundled libraries')
587     opt.add_option('--lv2', action='store_true', default=True, dest='lv2',
588                     help='Compile with support for LV2 (if Lilv+Suil is available)')
589     opt.add_option('--no-lv2', action='store_false', dest='lv2',
590                     help='Do not compile with support for LV2')
591     opt.add_option('--lv2dir', type='string', help="install destination for builtin LV2 bundles [Default: LIBDIR/lv2]")
592     opt.add_option('--lxvst', action='store_true', default=True, dest='lxvst',
593                     help='Compile with support for linuxVST plugins')
594     opt.add_option('--no-lxvst', action='store_false', dest='lxvst',
595                     help='Compile without support for linuxVST plugins')
596     opt.add_option('--nls', action='store_true', default=True, dest='nls',
597                     help='Enable i18n (native language support) (default)')
598     opt.add_option('--no-nls', action='store_false', dest='nls')
599     opt.add_option('--phone-home', action='store_true', default=True, dest='phone_home',
600                    help='Contact ardour.org at startup for new announcements')
601     opt.add_option('--no-phone-home', action='store_false', dest='phone_home',
602                    help='Do not contact ardour.org at startup for new announcements')
603     opt.add_option('--stl-debug', action='store_true', default=False, dest='stl_debug',
604                     help='Build with debugging for the STL')
605     opt.add_option('--rt-alloc-debug', action='store_true', default=False, dest='rt_alloc_debug',
606                     help='Build with debugging for memory allocation in the real-time thread')
607     opt.add_option('--pt-timing', action='store_true', default=False, dest='pt_timing',
608                     help='Build with logging of timing in the process thread(s)')
609     opt.add_option('--denormal-exception', action='store_true', default=False, dest='denormal_exception',
610                     help='Raise a floating point exception if a denormal is detected')
611     opt.add_option('--test', action='store_true', default=False, dest='build_tests',
612                     help="Build unit tests")
613     opt.add_option('--run-tests', action='store_true', default=False, dest='run_tests',
614                     help="Run tests after build")
615     opt.add_option('--single-tests', action='store_true', default=False, dest='single_tests',
616                     help="Build a single executable for each unit test")
617     #opt.add_option('--tranzport', action='store_true', default=False, dest='tranzport',
618     # help='Compile with support for Frontier Designs Tranzport (if libusb is available)')
619     opt.add_option('--generic', action='store_true', default=False, dest='generic',
620                     help='Compile with -arch i386 (OS X ONLY)')
621     opt.add_option('--ppc', action='store_true', default=False, dest='ppc',
622                     help='Compile with -arch ppc (OS X ONLY)')
623     opt.add_option('--versioned', action='store_true', default=False, dest='versioned',
624                     help='Add revision information to executable name inside the build directory')
625     opt.add_option('--windows-vst', action='store_true', default=False, dest='windows_vst',
626                     help='Compile with support for Windows VST')
627     opt.add_option('--windows-key', type='string', action='store', dest='windows_key', default='Mod4><Super',
628                     help='X Modifier(s) (Mod1,Mod2, etc) for the Windows key (X11 builds only). ' +
629                     'Multiple modifiers must be separated by \'><\'')
630     opt.add_option('--boost-include', type='string', action='store', dest='boost_include', default='',
631                     help='directory where Boost header files can be found')
632     opt.add_option('--also-include', type='string', action='store', dest='also_include', default='',
633                     help='additional include directory where header files can be found (split multiples with commas)')
634     opt.add_option('--also-libdir', type='string', action='store', dest='also_libdir', default='',
635                     help='additional include directory where shared libraries can be found (split multiples with commas)')
636     opt.add_option('--wine-include', type='string', action='store', dest='wine_include', default='/usr/include/wine/windows',
637                     help='directory where Wine\'s Windows header files can be found')
638     opt.add_option('--noconfirm', action='store_true', default=False, dest='noconfirm',
639                     help='Do not ask questions that require confirmation during the build')
640     opt.add_option('--cxx11', action='store_true', default=False, dest='cxx11',
641                     help='Turn on c++11 compiler flags (-std=c++11)')
642     opt.add_option('--address-sanitizer', action='store_true', default=False, dest='asan',
643                     help='Turn on AddressSanitizer (requires GCC >= 4.8 or clang >= 3.1)')
644     for i in children:
645         opt.recurse(i)
646
647 def sub_config_and_use(conf, name, has_objects = True):
648     conf.recurse(name)
649     autowaf.set_local_lib(conf, name, has_objects)
650
651 def configure(conf):
652     conf.load('compiler_c')
653     conf.load('compiler_cxx')
654     if Options.options.dist_target == 'mingw':
655         conf.load('winres')
656
657     if Options.options.dist_target == 'msvc':
658         conf.env['MSVC_VERSIONS'] = ['msvc 10.0', 'msvc 9.0', 'msvc 8.0', 'msvc 7.1', 'msvc 7.0', 'msvc 6.0', ]
659         conf.env['MSVC_TARGETS'] = ['x64']
660         conf.load('msvc')
661
662     if Options.options.debug:
663         # Nuke user CFLAGS/CXXFLAGS if debug is set (they likely contain -O3, NDEBUG, etc)
664         conf.env['CFLAGS'] = []
665         conf.env['CXXFLAGS'] = []
666
667     conf.env['VERSION'] = VERSION
668     conf.env['MAJOR'] = MAJOR
669     conf.env['MINOR'] = MINOR
670     conf.line_just = 52
671     autowaf.set_recursive()
672     autowaf.configure(conf)
673     autowaf.display_header('Ardour Configuration')
674
675     gcc_versions = fetch_gcc_version(str(conf.env['CC']))
676     if not Options.options.debug and gcc_versions[0] == '4' and gcc_versions[1] > '4':
677         print('Version 4.5 of gcc is not ready for use when compiling Ardour with optimization.')
678         print('Please use a different version or re-configure with --debug')
679         exit (1)
680
681     # systems with glibc have libintl builtin. systems without require explicit
682     # linkage against libintl.
683     #
684
685     pkg_config_path = os.getenv('PKG_CONFIG_PATH')
686     user_gtk_root = os.path.expanduser (Options.options.depstack_root + '/gtk/inst')
687
688     if pkg_config_path is not None and pkg_config_path.find (user_gtk_root) >= 0:
689         # told to search user_gtk_root
690         prefinclude = ''.join ([ '-I', user_gtk_root + '/include'])
691         preflib = ''.join ([ '-L', user_gtk_root + '/lib'])
692         conf.env.append_value('CFLAGS', [ prefinclude ])
693         conf.env.append_value('CXXFLAGS',  [prefinclude ])
694         conf.env.append_value('LINKFLAGS', [ preflib ])
695         autowaf.display_msg(conf, 'Will build against private GTK dependency stack in ' + user_gtk_root, 'yes')
696     else:
697         autowaf.display_msg(conf, 'Will build against private GTK dependency stack', 'no')
698
699     if sys.platform == 'darwin':
700         conf.define ('NEED_INTL', 1)
701         autowaf.display_msg(conf, 'Will use explicit linkage against libintl in ' + user_gtk_root, 'yes')
702     else:
703         # libintl is part of the system, so use it
704         autowaf.display_msg(conf, 'Will rely on libintl built into libc', 'yes')
705             
706     user_ardour_root = os.path.expanduser (Options.options.depstack_root + '/a3/inst')
707     if pkg_config_path is not None and pkg_config_path.find (user_ardour_root) >= 0:
708         # told to search user_ardour_root
709         prefinclude = ''.join ([ '-I', user_ardour_root + '/include'])
710         preflib = ''.join ([ '-L', user_ardour_root + '/lib'])
711         conf.env.append_value('CFLAGS', [ prefinclude ])
712         conf.env.append_value('CXXFLAGS',  [prefinclude ])
713         conf.env.append_value('LINKFLAGS', [ preflib ])
714         autowaf.display_msg(conf, 'Will build against private Ardour dependency stack in ' + user_ardour_root, 'yes')
715     else:
716         autowaf.display_msg(conf, 'Will build against private Ardour dependency stack', 'no')
717         
718     if Options.options.freebie:
719         conf.env.append_value ('CFLAGS', '-DNO_PLUGIN_STATE')
720         conf.env.append_value ('CXXFLAGS', '-DNO_PLUGIN_STATE')
721         conf.define ('NO_PLUGIN_STATE', 1)
722
723     if Options.options.trx_build:
724         conf.define ('TRX_BUILD', 1)
725
726     if Options.options.lv2dir:
727         conf.env['LV2DIR'] = Options.options.lv2dir
728     else:
729         conf.env['LV2DIR'] = os.path.join(conf.env['LIBDIR'], 'lv2')
730
731     conf.env['LV2DIR'] = os.path.normpath(conf.env['LV2DIR'])
732
733     if sys.platform == 'darwin':
734
735         # this is required, potentially, for anything we link and then relocate into a bundle
736         conf.env.append_value('LINKFLAGS', [ '-Xlinker', '-headerpad_max_install_names' ])
737
738         conf.define ('HAVE_COREAUDIO', 1)
739         conf.define ('AUDIOUNIT_SUPPORT', 1)
740
741         conf.define ('GTKOSX', 1)
742         conf.define ('TOP_MENUBAR',1)
743         conf.define ('GTKOSX',1)
744
745         # It would be nice to be able to use this to force back-compatibility with 10.4
746         # but even by the time of 11, the 10.4 SDK is no longer available in any normal
747         # way.
748         #
749         #conf.env.append_value('CXXFLAGS_OSX', "-isysroot /Developer/SDKs/MacOSX10.4u.sdk")
750         #conf.env.append_value('CFLAGS_OSX', "-isysroot /Developer/SDKs/MacOSX10.4u.sdk")
751         #conf.env.append_value('LINKFLAGS_OSX', "-sysroot /Developer/SDKs/MacOSX10.4u.sdk")
752         #conf.env.append_value('LINKFLAGS_OSX', "-sysroot /Developer/SDKs/MacOSX10.4u.sdk")
753
754         conf.env.append_value('CXXFLAGS_OSX', "-msse")
755         conf.env.append_value('CFLAGS_OSX', "-msse")
756         conf.env.append_value('CXXFLAGS_OSX', "-msse2")
757         conf.env.append_value('CFLAGS_OSX', "-msse2")
758         #
759         #       TODO: The previous sse flags NEED to be based
760         #       off processor type.  Need to add in a check
761         #       for that.
762         #
763         conf.env.append_value('CXXFLAGS_OSX', '-F/System/Library/Frameworks')
764         conf.env.append_value('CXXFLAGS_OSX', '-F/Library/Frameworks')
765
766         conf.env.append_value('LINKFLAGS_OSX', ['-framework', 'AppKit'])
767         conf.env.append_value('LINKFLAGS_OSX', ['-framework', 'CoreAudio'])
768         conf.env.append_value('LINKFLAGS_OSX', ['-framework', 'CoreAudioKit'])
769         conf.env.append_value('LINKFLAGS_OSX', ['-framework', 'CoreFoundation'])
770         conf.env.append_value('LINKFLAGS_OSX', ['-framework', 'CoreServices'])
771
772         conf.env.append_value('LINKFLAGS_OSX', ['-undefined', 'dynamic_lookup' ])
773         conf.env.append_value('LINKFLAGS_OSX', ['-flat_namespace'])
774
775         conf.env.append_value('CXXFLAGS_AUDIOUNITS', "-DAUDIOUNIT_SUPPORT")
776         conf.env.append_value('LINKFLAGS_AUDIOUNITS', ['-framework', 'AudioToolbox', '-framework', 'AudioUnit'])
777         conf.env.append_value('LINKFLAGS_AUDIOUNITS', ['-framework', 'Cocoa'])
778
779         if re.search ("^[1-9][0-9]\.", os.uname()[2]) == None and not Options.options.nocarbon:
780             conf.env.append_value('CXXFLAGS_AUDIOUNITS', "-DWITH_CARBON")
781             conf.env.append_value('LINKFLAGS_AUDIOUNITS', ['-framework', 'Carbon'])
782         else:
783             print ('No Carbon support available for this build\n')
784
785
786     if Options.options.internal_shared_libs: 
787         conf.define('INTERNAL_SHARED_LIBS', 1)
788
789     if Options.options.use_external_libs:
790         conf.define('USE_EXTERNAL_LIBS', 1)
791
792     if Options.options.boost_include != '':
793         conf.env.append_value('CXXFLAGS', '-I' + Options.options.boost_include)
794
795     if Options.options.also_include != '':
796         conf.env.append_value('CXXFLAGS', '-I' + Options.options.also_include)
797         conf.env.append_value('CFLAGS', '-I' + Options.options.also_include)
798
799     if Options.options.also_libdir != '':
800         conf.env.append_value('LDFLAGS', '-L' + Options.options.also_libdir)
801
802     if Options.options.boost_sp_debug:
803         conf.env.append_value('CXXFLAGS', '-DBOOST_SP_ENABLE_DEBUG_HOOKS')
804
805     # executing a test program is n/a when cross-compiling
806     if Options.options.dist_target != 'mingw':
807         if Options.options.dist_target != 'msvc':
808             conf.check_cc(function_name='dlopen', header_name='dlfcn.h', lib='dl', uselib_store='DL')
809         conf.check_cxx(fragment = "#include <boost/version.hpp>\nint main(void) { return (BOOST_VERSION >= 103900 ? 0 : 1); }\n",
810                   execute = "1",
811                   mandatory = True,
812                   msg = 'Checking for boost library >= 1.39',
813                   okmsg = 'ok',
814                   errmsg = 'too old\nPlease install boost version 1.39 or higher.')
815
816     if re.search ("linux", sys.platform) != None and Options.options.dist_target != 'mingw':
817         autowaf.check_pkg(conf, 'alsa', uselib_store='ALSA')
818
819     autowaf.check_pkg(conf, 'glib-2.0', uselib_store='GLIB', atleast_version='2.2', mandatory=True)
820     autowaf.check_pkg(conf, 'gthread-2.0', uselib_store='GTHREAD', atleast_version='2.2', mandatory=True)
821     autowaf.check_pkg(conf, 'glibmm-2.4', uselib_store='GLIBMM', atleast_version='2.32.0', mandatory=True)
822     autowaf.check_pkg(conf, 'sndfile', uselib_store='SNDFILE', atleast_version='1.0.18', mandatory=True)
823     autowaf.check_pkg(conf, 'giomm-2.4', uselib_store='GIOMM', atleast_version='2.2', mandatory=True)
824     autowaf.check_pkg(conf, 'libcurl', uselib_store='CURL', atleast_version='7.0.0', mandatory=True)
825     autowaf.check_pkg(conf, 'liblo', uselib_store='LO', atleast_version='0.26', mandatory=True)
826     autowaf.check_pkg(conf, 'taglib', uselib_store='TAGLIB', atleast_version='1.6', mandatory=True)
827     autowaf.check_pkg(conf, 'vamp-sdk', uselib_store='VAMPSDK', atleast_version='2.1', mandatory=True)
828     autowaf.check_pkg(conf, 'vamp-hostsdk', uselib_store='VAMPHOSTSDK', atleast_version='2.1', mandatory=True)
829     autowaf.check_pkg(conf, 'rubberband', uselib_store='RUBBERBAND', mandatory=True)
830
831     if Options.options.dist_target == 'mingw':
832         Options.options.fpu_optimization = False
833         conf.env.append_value('CFLAGS', '-DPLATFORM_WINDOWS')
834         conf.env.append_value('CFLAGS', '-DCOMPILER_MINGW')
835         conf.env.append_value('CXXFLAGS', '-DPLATFORM_WINDOWS')
836         conf.env.append_value('CXXFLAGS', '-DCOMPILER_MINGW')
837         conf.env.append_value('LIB', 'pthread')
838         # needed for at least libsmf
839         conf.check_cc(function_name='htonl', header_name='winsock2.h', lib='ws2_32')
840         conf.env.append_value('LIB', 'ws2_32')
841         # needed for mingw64 packages, not harmful on normal mingw build
842         conf.env.append_value('LIB', 'intl')
843         conf.check_cc(function_name='regcomp', header_name='regex.h',
844                       lib='regex', uselib_store="REGEX", define_name='HAVE_REGEX_H')
845         # TODO put this only where it is needed
846         conf.env.append_value('LIB', 'regex')
847
848         # work around GdkDrawable BitBlt performance issue on windows
849         # see http://gareus.org/wiki/ardour_windows_gdk_and_cairo
850         conf.env.append_value('CFLAGS', '-DUSE_CAIRO_IMAGE_SURFACE')
851         conf.env.append_value('CXXFLAGS', '-DUSE_CAIRO_IMAGE_SURFACE')
852
853     if Options.options.dist_target == 'msvc':
854         conf.env.append_value('CFLAGS', '-DPLATFORM_WINDOWS')
855         conf.env.append_value('CFLAGS', '-DCOMPILER_MSVC')
856         conf.env.append_value('CXXFLAGS', '-DPLATFORM_WINDOWS')
857         conf.env.append_value('CXXFLAGS', '-DCOMPILER_MSVC')
858         # work around GdkDrawable BitBlt performance issue on windows
859         # see http://gareus.org/wiki/ardour_windows_gdk_and_cairo
860         conf.env.append_value('CFLAGS', '-DUSE_CAIRO_IMAGE_SURFACE')
861         conf.env.append_value('CXXFLAGS', '-DUSE_CAIRO_IMAGE_SURFACE')
862         # MORE STUFF PROBABLY NEEDED HERE
863         
864     # Tell everyone that this is a waf build
865
866     conf.env.append_value('CFLAGS', '-DWAF_BUILD')
867     conf.env.append_value('CXXFLAGS', '-DWAF_BUILD')
868
869     opts = Options.options
870
871     # (optionally) Adopt Microsoft-like convention that makes all non-explicitly exported
872     # symbols invisible (rather than doing this all over the wscripts in the src tree)
873     #
874     # This won't apply to MSVC but that hasn't been added as a target yet
875     #
876     # We can't do this till all tests are complete, since some fail if this is et.
877     if opts.exports_hidden:
878         conf.define ('EXPORT_VISIBILITY_HIDDEN', True)
879         if opts.internal_shared_libs:
880             conf.env.append_value ('CXXFLAGS', '-fvisibility=hidden')
881             conf.env.append_value ('CFLAGS', '-fvisibility=hidden')
882     else:
883         conf.define ('EXPORT_VISIBILITY_HIDDEN', False)
884
885     # Set up waf environment and C defines
886     if opts.phone_home:
887         conf.define('PHONE_HOME', 1)
888         conf.env['PHONE_HOME'] = True
889     if opts.fpu_optimization:
890         conf.env['FPU_OPTIMIZATION'] = True
891     if opts.nls:
892         conf.define('ENABLE_NLS', 1)
893         conf.env['ENABLE_NLS'] = True
894     if opts.build_tests:
895         conf.env['BUILD_TESTS'] = True
896         conf.env['RUN_TESTS'] = opts.run_tests
897     if opts.single_tests:
898         conf.env['SINGLE_TESTS'] = opts.single_tests
899     #if opts.tranzport:
900     #    conf.env['TRANZPORT'] = 1
901     if opts.windows_vst:
902         conf.define('WINDOWS_VST_SUPPORT', 1)
903         conf.env['WINDOWS_VST_SUPPORT'] = True
904         if not Options.options.dist_target == 'mingw':
905             conf.env.append_value('CFLAGS', '-I' + Options.options.wine_include)
906             conf.env.append_value('CXXFLAGS', '-I' + Options.options.wine_include)
907             autowaf.check_header(conf, 'cxx', 'windows.h', mandatory = True)
908     if opts.lxvst:
909         if sys.platform == 'darwin':
910             conf.env['LXVST_SUPPORT'] = False
911         elif Options.options.dist_target == 'mingw':
912             conf.env['LXVST_SUPPORT'] = False
913         else:
914             conf.define('LXVST_SUPPORT', 1)
915             conf.env['LXVST_SUPPORT'] = True
916     conf.env['WINDOWS_KEY'] = opts.windows_key
917     if opts.rt_alloc_debug:
918         conf.define('DEBUG_RT_ALLOC', 1)
919         conf.env['DEBUG_RT_ALLOC'] = True
920     if opts.pt_timing:
921         conf.define('PT_TIMING', 1)
922         conf.env['PT_TIMING'] = True
923     if opts.denormal_exception:
924         conf.define('DEBUG_DENORMAL_EXCEPTION', 1)
925         conf.env['DEBUG_DENORMAL_EXCEPTION'] = True
926     if opts.build_tests:
927         autowaf.check_pkg(conf, 'cppunit', uselib_store='CPPUNIT', atleast_version='1.12.0', mandatory=True)
928
929     backends = opts.with_backends.split(',')
930     if not backends:
931         print("Must configure and build at least one backend")
932         sys.exit(1)
933
934     conf.env['BACKENDS'] = backends
935     conf.env['BUILD_JACKBACKEND'] = any('jack' in b for b in backends)
936     conf.env['BUILD_ALSABACKEND'] = any('alsa' in b for b in backends)
937     conf.env['BUILD_DUMMYBACKEND'] = any('dummy' in b for b in backends)
938     conf.env['BUILD_WAVESBACKEND'] = any('wavesaudio' in b for b in backends)
939
940     set_compiler_flags (conf, Options.options)
941
942     if sys.platform == 'darwin':
943         sub_config_and_use(conf, 'libs/appleutility')
944     elif Options.options.dist_target != 'mingw':
945         sub_config_and_use(conf, 'tools/sanity_check')
946
947     sub_config_and_use(conf, 'libs/clearlooks-newer')
948
949     for i in children:
950         sub_config_and_use(conf, i)
951
952     # Fix utterly braindead FLAC include path to not smash assert.h
953     conf.env['INCLUDES_FLAC'] = []
954
955     config_text = open('libs/ardour/config_text.cc', "w")
956     config_text.write('''#include "ardour/ardour.h"
957 namespace ARDOUR {
958 const char* const ardour_config_info = "\\n\\
959 ''')
960
961     def write_config_text(title, val):
962         autowaf.display_msg(conf, title, val)
963         config_text.write(title + ': ')
964         config_text.write(str(val).replace ('"', '\\"'))
965         config_text.write("\\n\\\n")
966
967     write_config_text('Build documentation',   conf.env['DOCS'])
968     write_config_text('Debuggable build',      conf.env['DEBUG'])
969     write_config_text('Export all symbols (backtrace)', opts.backtrace)
970     write_config_text('Install prefix',        conf.env['PREFIX'])
971     write_config_text('Strict compiler flags', conf.env['STRICT'])
972     write_config_text('Internal Shared Libraries', conf.is_defined('INTERNAL_SHARED_LIBS'))
973     write_config_text('Use External Libraries', conf.is_defined('USE_EXTERNAL_LIBS'))
974     write_config_text('Library exports hidden', conf.is_defined('EXPORT_VISIBILITY_HIDDEN'))
975
976     write_config_text('ALSA Backend',          conf.env['BUILD_ALSABACKEND'])
977     write_config_text('ALSA DBus Reservation', conf.is_defined('HAVE_DBUS'))
978     write_config_text('Architecture flags',    opts.arch)
979     write_config_text('Aubio',                 conf.is_defined('HAVE_AUBIO'))
980     write_config_text('AudioUnits',            conf.is_defined('AUDIOUNIT_SUPPORT'))
981     write_config_text('No plugin state',       conf.is_defined('NO_PLUGIN_STATE'))
982     write_config_text('Build target',          conf.env['build_target'])
983     write_config_text('CoreAudio',             conf.is_defined('HAVE_COREAUDIO'))
984     write_config_text('Debug RT allocations',  conf.is_defined('DEBUG_RT_ALLOC'))
985     write_config_text('Debug Symbols',         conf.is_defined('debug_symbols') or conf.env['DEBUG'])
986     write_config_text('Dummy backend',         conf.env['BUILD_DUMMYBACKEND'])
987     write_config_text('Process thread timing', conf.is_defined('PT_TIMING'))
988     write_config_text('Denormal exceptions',   conf.is_defined('DEBUG_DENORMAL_EXCEPTION'))
989     write_config_text('FLAC',                  conf.is_defined('HAVE_FLAC'))
990     write_config_text('FPU optimization',      opts.fpu_optimization)
991     write_config_text('Freedesktop files',     opts.freedesktop)
992     write_config_text('JACK Backend',          conf.env['BUILD_JACKBACKEND'])
993     write_config_text('Libjack linking',       conf.env['libjack_link'])
994     write_config_text('LV2 UI embedding',      conf.is_defined('HAVE_SUIL'))
995     write_config_text('LV2 support',           conf.is_defined('LV2_SUPPORT'))
996     write_config_text('LXVST support',         conf.is_defined('LXVST_SUPPORT'))
997     write_config_text('OGG',                   conf.is_defined('HAVE_OGG'))
998     write_config_text('Phone home',            conf.is_defined('PHONE_HOME'))
999     write_config_text('Program name',          opts.program_name)
1000     write_config_text('Samplerate',            conf.is_defined('HAVE_SAMPLERATE'))
1001 #    write_config_text('Soundtouch',            conf.is_defined('HAVE_SOUNDTOUCH'))
1002     write_config_text('Translation',           opts.nls)
1003 #    write_config_text('Tranzport',             opts.tranzport)
1004     write_config_text('Unit tests',            conf.env['BUILD_TESTS'])
1005     write_config_text('Mac i386 Architecture', opts.generic)
1006     write_config_text('Mac ppc Architecture',  opts.ppc)
1007     write_config_text('Waves Backend',         conf.env['BUILD_WAVESBACKEND'])
1008     write_config_text('Windows VST support',   opts.windows_vst)
1009     write_config_text('Wiimote support',       conf.is_defined('BUILD_WIIMOTE'))
1010     write_config_text('Windows key',           opts.windows_key)
1011
1012     write_config_text('C compiler flags',      conf.env['CFLAGS'])
1013     write_config_text('C++ compiler flags',    conf.env['CXXFLAGS'])
1014     write_config_text('Linker flags',          conf.env['LINKFLAGS'])
1015
1016     config_text.write ('";\n}\n')
1017     config_text.close ()
1018     print('')
1019
1020 def build(bld):
1021     create_stored_revision()
1022
1023     # add directories that contain only headers, to workaround an issue with waf
1024
1025     if not bld.is_defined('USE_EXTERNAL_LIBS'):
1026         bld.path.find_dir ('libs/libltc/ltc')
1027     bld.path.find_dir ('libs/evoral/evoral')
1028     bld.path.find_dir ('libs/surfaces/control_protocol/control_protocol')
1029     bld.path.find_dir ('libs/timecode/timecode')
1030     bld.path.find_dir ('libs/gtkmm2ext/gtkmm2ext')
1031     bld.path.find_dir ('libs/ardour/ardour')
1032     bld.path.find_dir ('libs/pbd/pbd')
1033
1034     # set up target directories
1035     lwrcase_dirname = 'ardour3'
1036
1037     if bld.is_defined ('TRX_BUILD'):
1038         lwrcase_dirname = 'trx'
1039
1040     # configuration files go here
1041     bld.env['CONFDIR'] = os.path.join(bld.env['SYSCONFDIR'], lwrcase_dirname)
1042     # data files loaded at run time go here
1043     bld.env['DATADIR'] = os.path.join(bld.env['DATADIR'], lwrcase_dirname)
1044     # shared objects loaded at runtime go here (two aliases)
1045     bld.env['DLLDIR'] = os.path.join(bld.env['LIBDIR'], lwrcase_dirname)
1046     bld.env['LIBDIR'] = bld.env['DLLDIR']
1047     bld.env['LOCALEDIR'] = os.path.join(bld.env['DATADIR'], 'locale')
1048
1049     autowaf.set_recursive()
1050
1051     if sys.platform == 'darwin':
1052         bld.recurse('libs/appleutility')
1053     elif bld.env['build_target'] != 'mingw':
1054         bld.recurse('tools/sanity_check')
1055
1056     bld.recurse('libs/clearlooks-newer')
1057
1058     for i in children:
1059         bld.recurse(i)
1060
1061     bld.install_files (bld.env['CONFDIR'], 'system_config')
1062
1063     if bld.env['RUN_TESTS']:
1064         bld.add_post_fun(test)
1065
1066 def i18n(bld):
1067     bld.recurse (i18n_children)
1068
1069 def i18n_pot(bld):
1070     bld.recurse (i18n_children)
1071
1072 def i18n_po(bld):
1073     bld.recurse (i18n_children)
1074
1075 def i18n_mo(bld):
1076     bld.recurse (i18n_children)
1077
1078 def tarball(bld):
1079     create_stored_revision()
1080
1081 def test(bld):
1082     subprocess.call("gtk2_ardour/artest")