b760a60c863d0cbe3cba4f86ad28f382c283d69c
[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 from waflib.Build import Context
12 from waflib.Build import BuildContext
13
14 class i18n(BuildContext):
15         cmd = 'i18n'
16         fun = 'i18n'
17
18 class i18n_pot(BuildContext):
19         cmd = 'i18n_pot'
20         fun = 'i18n_pot'
21
22 class i18n_po(BuildContext):
23         cmd = 'i18n_po'
24         fun = 'i18n_po'
25
26 class i18n_mo(BuildContext):
27         cmd = 'i18n_mo'
28         fun = 'i18n_mo'
29
30 compiler_flags_dictionaries= {
31     'gcc' : {
32         # Flags required when building a debug build
33         'debuggable' : [ '-g' ],
34         # Flags required for the linker (if any) when building a debug build
35         'linker-debuggable' : '',
36         # Flags required when building a non-debug optimized build
37         'nondebuggable' : '-DNDEBUG',
38         # Flags required to enable profiling at runtime with optimized builds
39         'profile' : [ '-fno-omit-frame-pointer' ],
40         # Flags required to enable gprofile profiling
41         'gprofile' : '-pg',
42         # Flags required to disable warnings about unused arguments to function calls
43         'silence-unused-arguments' : '',
44         # Flags required to use SSE unit for general math
45         'sse' : '-msse',
46         # Flags required to use SSE unit for floating point math
47         'fpmath-sse' : '-mfpmath=sse',
48         # Flags required to use XMM Intrinsics
49         'xmmintrinsics' : '-DUSE_XMMINTRIN',
50         # Flags to use posix pipes between compiler stages
51         'pipe' : '-pipe',
52         # Flags for maximally optimized build
53         'full-optimization' : [ '-O3', '-fomit-frame-pointer', '-ffast-math', '-fstrength-reduce', ],
54         # Flag to ensure that compiler error output includes column/line numbers
55         'show-column' : '-fshow-column',
56         # Flags required to build for x86 only (OS X feature)
57         'generic-x86' : '',
58         # Flags required to build for PowerPC only (OS X feature)
59         'generic-ppc' : '',
60         # All flags required to get basic warnings to be generated by the compiler
61         'basic-warnings' : [ '-Wall', '-Wpointer-arith', '-Wcast-qual', '-Wcast-align', '-Wno-unused-parameter' ],
62         # Any additional flags for warnings that are specific to C (not C++)
63         'extra-c-warnings' : [ '-Wstrict-prototypes', '-Wmissing-prototypes' ],
64         # Any additional flags for warnings that are specific to C++ (not C)
65         'extra-cxx-warnings' : [ '-Woverloaded-virtual', '-Wno-unused-local-typedefs' ],
66         # Flags used for "strict" compilation, C and C++ (i.e. compiler will warn about language issues)
67         'strict' : ['-Wall', '-Wcast-align', '-Wextra', '-Wwrite-strings', '-Wunsafe-loop-optimizations', '-Wlogical-op' ],
68         # Flags used for "strict" compilation, C only (i.e. compiler will warn about language issues)
69         'c-strict' : ['-std=c99', '-pedantic', '-Wshadow'],
70         # Flags used for "strict" compilation, C++ only (i.e. compiler will warn about language issues)
71         'cxx-strict' : [ '-ansi', '-Wnon-virtual-dtor', '-Woverloaded-virtual', '-fstrict-overflow' ],
72         # Flags required for whatever consider the strictest possible compilation
73         'ultra-strict' : ['-Wredundant-decls', '-Wstrict-prototypes', '-Wmissing-prototypes'],
74         # Flag to turn on C99 compliance by itself
75         'c99': '-std=c99',
76         # Flag to enable AT&T assembler syntax
77         'attasm': '-masm=att',
78         # Flags to make AVX instructions/intrinsics available
79         'avx': '-mavx',
80         # Flags to generate position independent code, when needed to build a shared object
81         'pic': '-fPIC',
82         # Flags required to compile C code with anonymous unions (only part of C11)
83         'c-anonymous-union': '-fms-extensions',
84     },
85     'msvc' : {
86         'debuggable' : ['/DDEBUG', '/Od', '/Zi', '/MDd', '/Gd', '/EHsc'],
87         'linker-debuggable' : ['/DEBUG', '/INCREMENTAL' ],
88         'nondebuggable' : ['/DNDEBUG', '/Ob1', '/MD', '/Gd', '/EHsc'],
89         'profile' : '/Oy-',
90         'sse' : '/arch:SSE',
91         'silence-unused-arguments' : '',
92         'sse' : '',
93         'fpmath-sse' : '',
94         'xmmintrinsics' : '',
95         'pipe' : '',
96         'full-optimization' : '/O2',
97         'no-frame-pointer' : '',
98         'fast-math' : '',
99         'strength-reduce' : '',
100         'show-column' : '',
101         'generic-x86' : '',
102         'generic-ppc' : '',
103         'basic-warnings' : '',
104         'extra-c-warnings' : '',
105         'extra-cxx-warnings' : '',
106         'ultra-strict' : '',
107         'c-strict' : '',
108         'cxx-strict' : '',
109         'strict' : '',
110         'c99': '/TP',
111         'attasm': '',
112         'avx': '',
113         'pic': '',
114         'c-anonymous-union': '',
115     },
116 }
117
118 # Copy, edit and insert variants on gcc dict for gcc-darwin and clang
119
120 gcc_darwin_dict = compiler_flags_dictionaries['gcc'].copy()
121 gcc_darwin_dict['extra-cxx-warnings'] = [ '-Woverloaded-virtual' ]
122 gcc_darwin_dict['cxx-strict'] = [ '-ansi', '-Wnon-virtual-dtor', '-Woverloaded-virtual' ]
123 gcc_darwin_dict['strict'] = ['-Wall', '-Wcast-align', '-Wextra', '-Wwrite-strings' ]
124 gcc_darwin_dict['generic-x86'] = [ '-arch', 'i386' ]
125 gcc_darwin_dict['generic-ppc'] = [ '-arch', 'ppc' ]
126 compiler_flags_dictionaries['gcc-darwin'] = gcc_darwin_dict;
127
128 clang_dict = compiler_flags_dictionaries['gcc'].copy();
129 clang_dict['sse'] = ''
130 clang_dict['fpmath-sse'] = ''
131 clang_dict['xmmintrinsics'] = ''
132 clang_dict['silence-unused-arguments'] = '-Qunused-arguments'
133 clang_dict['extra-cxx-warnings'] = [ '-Woverloaded-virtual', '-Wno-mismatched-tags', '-Wno-cast-align', '-Wno-unused-local-typedefs', '-Wunneeded-internal-declaration' ]
134 clang_dict['cxx-strict'] = [ '-ansi', '-Wnon-virtual-dtor', '-Woverloaded-virtual', '-fstrict-overflow' ]
135 clang_dict['strict'] = ['-Wall', '-Wcast-align', '-Wextra', '-Wwrite-strings' ]
136 clang_dict['generic-x86'] = [ '-arch', 'i386' ]
137 clang_dict['full-optimization'] = [ '-O3', '-fomit-frame-pointer', '-ffast-math', ]
138 compiler_flags_dictionaries['clang'] = clang_dict;
139
140 clang_darwin_dict = compiler_flags_dictionaries['clang'].copy();
141 clang_darwin_dict['cxx-strict'] = [ '-ansi', '-Wnon-virtual-dtor', '-Woverloaded-virtual', ]
142 clang_darwin_dict['full-optimization'] = [ '-O3', '-ffast-math']
143 compiler_flags_dictionaries['clang-darwin'] = clang_darwin_dict;
144
145 def fetch_git_revision_date ():
146     cmd = ["git", "describe", "HEAD"]
147     output = subprocess.Popen(cmd, stderr=subprocess.STDOUT, stdout=subprocess.PIPE).communicate()[0].splitlines()
148     rev = re.sub(r"^[A-Za-z0-9]*\+", "", output[0].decode('utf-8'))
149
150     cmd = ["git", "log", "-1", "--pretty=format:%ci", "HEAD"]
151     output = subprocess.Popen(cmd, stderr=subprocess.STDOUT, stdout=subprocess.PIPE).communicate()[0].splitlines()
152     date = output[0].decode('utf-8').split(None, 2)[0]
153
154     return rev, date
155
156 def fetch_tarball_revision_date():
157     if not os.path.exists ('libs/ardour/revision.cc'):
158         print ('This tarball was not created correctly - it is missing libs/ardour/revision.cc')
159         sys.exit (1)
160     with open('libs/ardour/revision.cc', 'rb') as f:
161         content = f.readlines()
162         remove_punctuation_map = dict((ord(char), None) for char in '";')
163
164         raw_line_tokens = content[1].decode('utf-8').strip().split(' ')
165         rev = raw_line_tokens[7].translate(remove_punctuation_map)
166         date = raw_line_tokens[12].translate(remove_punctuation_map)
167
168         return rev, date
169
170 if os.path.isdir (os.path.join(os.getcwd(), '.git')):
171     rev, rev_date = fetch_git_revision_date()
172 else:
173     rev, rev_date = fetch_tarball_revision_date()
174
175 #
176 # rev is now of the form MAJOR.MINOR[-rcX]-rev-commit
177 # or, if right at the same rev as a release, MAJOR.MINOR[-rcX]
178 #
179
180 parts = rev.split ('.', 1)
181 MAJOR = parts[0]
182 other = parts[1].split('-', 1)
183 MINOR = other[0]
184 if len(other) > 1:
185     MICRO = other[1].rsplit('-',1)[0].replace('-','.')
186 else:
187     MICRO = '0'
188
189 V = MAJOR + '.' + MINOR + '.' + MICRO
190
191 def sanitize(s):
192     # round-trip to remove anything in the string that is not encodable in
193     # ASCII, yet still keep a real (utf8-encoded internally) string.
194     s = s.encode ('ascii', 'ignore').decode ("utf-8")
195     # In Python3, bytes is the class of binary content and encode() returns
196     # bytes to transform a string according to a text encoding; str is the
197     # class of normal strings (utf8-encoded internally) and decode() returns
198     # that type.
199     # Python 2 did not initially cater for encoding problems and can use str
200     # for both binary content and for (decoded) strings. The Unicode type was
201     # added to correspond to Python 3 str, and the Python 2 str type should
202     # only correspond to bytes. Alas, almost everything in the Python 2
203     # ecosystem has been written with str in mind and doesn't handle Unicode
204     # objects correctly. If Python 2 is in use, s will be a Unicode object and
205     # to avoid strange problems later we convert back to str, but in utf-8
206     # nonetheless.
207     if not isinstance(s, str):
208         s = s.encode("utf-8")
209     return s
210 VERSION = sanitize(V)
211 PROGRAM_VERSION = sanitize(MAJOR)
212 del sanitize
213
214 if len (sys.argv) > 1 and sys.argv[1] == 'dist':
215         if not 'APPNAME' in os.environ:
216                 print ("You must define APPNAME in the environment when running ./waf dist")
217                 sys.exit (1)
218         APPNAME = os.environ['APPNAME'];
219
220 # Mandatory variables
221 top = '.'
222 out = 'build'
223
224 children = [
225         # optionally external libraries
226         'libs/fluidsynth',
227         'libs/hidapi',
228         'libs/libltc',
229         'libs/lua',
230         'libs/ptformat',
231         'libs/qm-dsp',
232         'libs/vamp-plugins',
233         'libs/vamp-pyin',
234         'libs/zita-resampler',
235         'libs/zita-convolver',
236         # core ardour libraries
237         'libs/pbd',
238         'libs/midi++2',
239         'libs/evoral',
240         'libs/surfaces',
241         'libs/panners',
242         'libs/backends',
243         'libs/temporal',
244         'libs/ardour',
245         'libs/gtkmm2ext',
246         'libs/audiographer',
247         'libs/canvas',
248         'libs/widgets',
249         'libs/waveview',
250         'libs/plugins/reasonablesynth.lv2',
251         'libs/plugins/a-comp.lv2',
252         'libs/plugins/a-exp.lv2',
253         'libs/plugins/a-delay.lv2',
254         'libs/plugins/a-eq.lv2',
255         'libs/plugins/a-reverb.lv2',
256         'libs/plugins/a-fluidsynth.lv2',
257         'gtk2_ardour',
258         'export',
259         'midi_maps',
260         'mcp',
261         'osc',
262         'patchfiles',
263         'plugin_metadata',
264         'scripts',
265         'headless',
266         'session_utils',
267         # shared helper binaries (plugin-scanner, exec-wrapper)
268         'libs/fst',
269         'libs/vfork',
270         'libs/ardouralsautil',
271         'tools/luadevel',
272 ]
273
274 i18n_children = [
275         'gtk2_ardour',
276         'libs/ardour',
277         'libs/gtkmm2ext',
278 ]
279
280 # Version stuff
281
282 def fetch_gcc_version (CC):
283     cmd = "%s --version" % CC
284     output = subprocess.Popen(cmd, shell=True, stderr=subprocess.STDOUT, stdout=subprocess.PIPE).communicate()[0].splitlines()
285     o = output[0].decode('utf-8')
286     version = o.split(' ')[2].split('.')
287     return version
288
289 def create_stored_revision():
290     rev = ""
291     if os.path.exists('.git'):
292         rev, rev_date = fetch_git_revision_date();
293         print("Git version: " + rev + "\n")
294     elif os.path.exists('libs/ardour/revision.cc'):
295         print("Using packaged revision")
296         return
297     else:
298         print("Missing libs/ardour/revision.cc.  Blame the packager.")
299         sys.exit(-1)
300
301     try:
302         #
303         # if you change the format of this, be sure to fix fetch_tarball_revision_date()
304         # above so that  it still works.
305         #
306         text =  '#include "ardour/revision.h"\n'
307         text += (
308             'namespace ARDOUR { const char* revision = \"%s\"; '
309             'const char* date = \"%s\"; }\n'
310         ) % (rev, rev_date)
311         print('Writing revision info to libs/ardour/revision.cc using ' + rev + ', ' + rev_date)
312         o = open('libs/ardour/revision.cc', 'w')
313         o.write(text)
314         o.close()
315     except IOError:
316         print('Could not open libs/ardour/revision.cc for writing\n')
317         sys.exit(-1)
318
319 def get_depstack_rev(depstack_root):
320     try:
321         with open(depstack_root + '/../.vers', 'r') as f:
322             return f.readline().decode('utf-8').strip()[:7]
323     except IOError:
324         return '-unknown-';
325
326 def set_compiler_flags (conf,opt):
327     #
328     # Compiler flags and other system-dependent stuff
329     #
330     build_host_supports_sse = False
331
332     # Flags necessary for building
333     compiler_flags = []     # generic
334     c_flags = []            # C-specific
335     cxx_flags = []          # C++-specific
336     linker_flags = []
337
338     # Optimization flags (overridable)
339     optimization_flags = []
340
341     # Debugging flags
342     debug_flags = []
343
344     u = PLATFORM.uname ()
345     cpu = u[4]
346     platform = u[0].lower()
347     version = u[2]
348
349     # waf adds -O0 -g itself. thanks waf!
350     is_clang = conf.check_cxx(fragment = '''
351 #ifndef __clang__
352 #error
353 #endif
354 int main() { return 0; }''',
355                          features  = 'cxx',
356                          mandatory = False,
357                          execute   = False,
358                          msg       = 'Checking for clang')
359
360     if is_clang:
361         if platform == 'darwin':
362             compiler_name = 'clang-darwin'
363         else:
364             compiler_name = 'clang'
365     elif conf.env['MSVC_COMPILER']:
366             compiler_name = 'msvc'
367     else:
368         if platform == 'darwin':
369             compiler_name = 'gcc-darwin'
370         else:
371             compiler_name = 'gcc'
372
373     flags_dict = compiler_flags_dictionaries[compiler_name]
374     # Save the compiler flags because we need them at build time
375     # when we need to add compiler specific flags in certain
376     # libraries
377     conf.env['compiler_flags_dict'] = flags_dict;
378
379     autowaf.set_basic_compiler_flags (conf,flags_dict)
380
381     if conf.options.asan:
382         conf.check_cxx(cxxflags=["-fsanitize=address", "-fno-omit-frame-pointer"], linkflags=["-fsanitize=address"])
383         cxx_flags.append('-fsanitize=address')
384         cxx_flags.append('-fno-omit-frame-pointer')
385         linker_flags.append('-fsanitize=address')
386
387     if opt.gprofile:
388         debug_flags = [ flags_dict['gprofile'] ]
389
390     # OSX
391     if platform == 'darwin':
392         if re.search ("^13[.]", version) != None:
393             conf.env['build_host'] = 'mavericks'
394         elif re.search ("^14[.]", version) != None:
395             conf.env['build_host'] = 'yosemite'
396         elif re.search ("^15[.]", version) != None:
397             conf.env['build_host'] = 'el_capitan'
398         elif re.search ("^16[.]", version) != None:
399             conf.env['build_host'] = 'sierra'
400         elif re.search ("^17[.]", version) != None:
401             conf.env['build_host'] = 'high_sierra'
402         else:
403             conf.env['build_host'] = 'irrelevant'
404
405     # Autodetect
406     if opt.dist_target == 'auto':
407         if platform == 'darwin':
408             # The [.] matches to the dot after the major version, "." would match any character
409             if re.search ("^[0-7][.]", version) != None:
410                 conf.env['build_target'] = 'panther'
411             elif re.search ("^8[.]", version) != None:
412                 conf.env['build_target'] = 'tiger'
413             elif re.search ("^9[.]", version) != None:
414                 conf.env['build_target'] = 'leopard'
415             elif re.search ("^10[.]", version) != None:
416                 conf.env['build_target'] = 'snowleopard'
417             elif re.search ("^11[.]", version) != None:
418                 conf.env['build_target'] = 'lion'
419             elif re.search ("^12[.]", version) != None:
420                 conf.env['build_target'] = 'mountainlion'
421             elif re.search ("^13[.]", version) != None:
422                 conf.env['build_target'] = 'mavericks'
423             elif re.search ("^14[.]", version) != None:
424                 conf.env['build_target'] = 'yosemite'
425             elif re.search ("^15[.]", version) != None:
426                 conf.env['build_target'] = 'el_capitan'
427             elif re.search ("^16[.]", version) != None:
428                 conf.env['build_target'] = 'sierra'
429             else:
430                 conf.env['build_target'] = 'high_sierra'
431         else:
432             match = re.search(
433                     "(?P<cpu>i[0-6]86|x86_64|powerpc|ppc|ppc64|arm|s390x?)",
434                     cpu)
435             if (match):
436                 conf.env['build_target'] = match.group("cpu")
437                 if re.search("i[0-5]86", conf.env['build_target']):
438                     conf.env['build_target'] = "i386"
439             else:
440                 conf.env['build_target'] = 'none'
441     else:
442         conf.env['build_target'] = opt.dist_target
443
444     if conf.env['build_target'] == 'snowleopard':
445         #
446         # stupid OS X 10.6 has a bug in math.h that prevents llrint and friends
447         # from being visible.
448         #
449         compiler_flags.append ('-U__STRICT_ANSI__')
450
451     if opt.use_libcpp or conf.env['build_host'] in [ 'el_capitan', 'sierra', 'high_sierra' ]:
452        cxx_flags.append('--stdlib=libc++')
453        linker_flags.append('--stdlib=libc++')
454
455     if conf.options.cxx11 or conf.env['build_host'] in [ 'mavericks', 'yosemite', 'el_capitan', 'sierra', 'high_sierra' ]:
456         conf.check_cxx(cxxflags=["-std=c++11"])
457         cxx_flags.append('-std=c++11')
458         if platform == "darwin":
459             # Mavericks and later changed the syntax to be used when including Carbon headers,
460             # from requiring a full path to requiring just the header name.
461             cxx_flags.append('-DCARBON_FLAT_HEADERS')
462
463             if not opt.use_libcpp and not conf.env['build_host'] in [ 'el_capitan', 'sierra', 'high_sierra' ]:
464                 cxx_flags.append('--stdlib=libstdc++')
465                 linker_flags.append('--stdlib=libstdc++')
466             # Prevents visibility issues in standard headers
467             conf.define("_DARWIN_C_SOURCE", 1)
468         else:
469             cxx_flags.append('-DBOOST_NO_AUTO_PTR')
470
471
472     if (is_clang and platform == "darwin") or conf.env['build_host'] in [ 'mavericks', 'yosemite', 'el_capitan', 'sierra', 'high_sierra' ]:
473         # Silence warnings about the non-existing osx clang compiler flags
474         # -compatibility_version and -current_version.  These are Waf
475         # generated and not needed with clang
476         c_flags.append("-Qunused-arguments")
477         cxx_flags.append("-Qunused-arguments")
478
479     if (re.search ("(i[0-9]86|x86_64|AMD64)", cpu) != None) and conf.env['build_target'] != 'none':
480
481         #
482         # ARCH_X86 means anything in the x86 family from i386 to x86_64
483         # the compile-time presence of the macro _LP64 is used to
484         # distingush 32 and 64 bit assembler
485         #
486
487         compiler_flags.append ("-DARCH_X86")
488
489         if platform == 'linux' :
490
491             #
492             # determine processor flags via /proc/cpuinfo
493             #
494
495             if conf.env['build_target'] != 'i386':
496
497                 flag_line = os.popen ("cat /proc/cpuinfo | grep '^flags'").read()[:-1]
498                 x86_flags = flag_line.split (": ")[1:][0].split ()
499
500                 if "mmx" in x86_flags:
501                     compiler_flags.append ("-mmmx")
502                 if "sse" in x86_flags:
503                     build_host_supports_sse = True
504                 if "3dnow" in x86_flags:
505                     compiler_flags.append ("-m3dnow")
506
507             if cpu == "i586":
508                 compiler_flags.append ("-march=i586")
509             elif cpu == "i686":
510                 compiler_flags.append ("-march=i686")
511
512         if not is_clang and ((conf.env['build_target'] == 'i686') or (conf.env['build_target'] == 'x86_64')) and build_host_supports_sse:
513             compiler_flags.extend ([ flags_dict['sse'], flags_dict['fpmath-sse'], flags_dict['xmmintrinsics'] ])
514
515         if (conf.env['build_target'] == 'mingw'):
516             if (re.search ("(x86_64|AMD64)", cpu) != None):
517                 # on Windows sse is supported by 64 bit platforms only
518                 build_host_supports_sse = True
519
520                 # mingw GCC compiler to uses at&t (Unix specific) assembler dialect by default
521                 # compiler_flags.append (["--mmnemonic=att", "msyntax=att")
522
523                 compiler_flags.extend ([ flags_dict['sse'], flags_dict['fpmath-sse'], flags_dict['xmmintrinsics'], flags_dict['attasm'] ])
524
525     # end of processor-specific section
526
527     # optimization section
528     if conf.env['FPU_OPTIMIZATION']:
529         if sys.platform == 'darwin':
530             compiler_flags.append("-DBUILD_VECLIB_OPTIMIZATIONS");
531             conf.env.append_value('LINKFLAGS_OSX', ['-framework', 'Accelerate'])
532         elif conf.env['build_target'] == 'i686' or conf.env['build_target'] == 'x86_64':
533                 compiler_flags.append ("-DBUILD_SSE_OPTIMIZATIONS")
534         elif conf.env['build_target'] == 'mingw':
535                 # usability of the 64 bit windows assembler depends on the compiler target,
536                 # not the build host, which in turn can only be inferred from the name
537                 # of the compiler.
538                 if re.search ('x86_64-w64', str(conf.env['CC'])) != None:
539                         compiler_flags.append ("-DBUILD_SSE_OPTIMIZATIONS")
540         if not build_host_supports_sse:
541             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)")
542
543     # end optimization section
544
545     #
546     # no VST on x86_64
547     #
548
549     if conf.env['build_target'] == 'x86_64' and opt.windows_vst:
550         print("\n\n==================================================")
551         print("64bit Windows VST support on 64bit Linux is experimental.")
552         print("(This version of ardour will not load 32bit VSTs)")
553         print("==================================================\n\n")
554
555     if conf.env['LXVST_SUPPORT'] == True:
556         if conf.env['build_target'] == 'x86_64':
557             compiler_flags.append("-DLXVST_64BIT")
558         else:
559             compiler_flags.append("-DLXVST_32BIT")
560
561     #
562     # a single way to test if we're on OS X
563     #
564
565     if conf.env['build_target'] in ['panther', 'tiger', 'leopard' ]:
566         # force tiger or later, to avoid issues on PPC which defaults
567         # back to 10.1 if we don't tell it otherwise.
568
569         compiler_flags.extend(
570                 ("-DMAC_OS_X_VERSION_MIN_REQUIRED=1040",
571                  '-mmacosx-version-min=10.4'))
572
573     elif conf.env['build_target'] in [ 'snowleopard' ]:
574         compiler_flags.extend(
575                 ("-DMAC_OS_X_VERSION_MIN_REQUIRED=1060",
576                  '-mmacosx-version-min=10.6'))
577
578     elif conf.env['build_target'] in [ 'lion', 'mountainlion' ]:
579         compiler_flags.extend(
580                 ("-DMAC_OS_X_VERSION_MIN_REQUIRED=1070",
581                  '-mmacosx-version-min=10.7'))
582
583     elif conf.env['build_target'] in [ 'mavericks', 'yosemite' ]:
584         compiler_flags.extend(
585                 ("-DMAC_OS_X_VERSION_MAX_ALLOWED=1090",
586                  "-mmacosx-version-min=10.8"))
587
588     elif conf.env['build_target'] in ['el_capitan', 'sierra', 'high_sierra' ]:
589         compiler_flags.extend(
590                 ("-DMAC_OS_X_VERSION_MAX_ALLOWED=1090",
591                  "-mmacosx-version-min=10.9"))
592
593     #
594     # save off CPU element in an env
595     #
596     conf.define ('CONFIG_ARCH', cpu)
597
598     #
599     # ARCH="..." overrides all
600     #
601
602     if opt.arch != None:
603         optimization_flags = opt.arch.split()
604
605     #
606     # prepend boiler plate optimization flags that work on all architectures
607     #
608
609     optimization_flags[:0] = [flags_dict['pipe']]
610
611     # don't prepend optimization flags if "-O<something>" is present
612     prepend_opt_flags = True
613     for flag in optimization_flags:
614         if flag.startswith("-O"):
615             prepend_opt_flags = False
616             break
617
618     if prepend_opt_flags:
619         optimization_flags[:0] = flags_dict['full-optimization']
620
621     if opt.debug_symbols:
622         optimization_flags += flags_dict['debuggable']
623
624     if opt.profile:
625         optimization_flags += flags_dict['profile']
626
627     if opt.stl_debug:
628         cxx_flags.append("-D_GLIBCXX_DEBUG")
629
630     if re.search ("freebsd", sys.platform) != None or re.search ("openbsd", sys.platform) != None:
631         linker_flags.append('-lexecinfo')
632
633     if conf.env['DEBUG_RT_ALLOC']:
634         compiler_flags.append('-DDEBUG_RT_ALLOC')
635         linker_flags.append('-ldl')
636
637     if conf.env['DEBUG_DENORMAL_EXCEPTION']:
638         compiler_flags.append('-DDEBUG_DENORMAL_EXCEPTION')
639
640     if opt.generic:
641         compiler_flags.extend(flags_dict['generic-x86'])
642         linker_flags.extend(flags_dict['generic-x86'])
643
644     if opt.ppc:
645         compiler_flags.extend(flags_dict['generic-ppc'])
646         linker_flags.extend(flags_dict['generic-ppc'])
647
648     #
649     # warnings flags
650     #
651
652     compiler_flags.extend(flags_dict['basic-warnings'])
653
654     c_flags.extend(flags_dict['extra-c-warnings'])
655     cxx_flags.extend (flags_dict['extra-cxx-warnings'])
656
657     #
658     # more boilerplate
659     #
660
661     # need ISOC9X for llabs()
662     compiler_flags.extend(
663         ('-DBOOST_SYSTEM_NO_DEPRECATED', '-D_ISOC9X_SOURCE',
664          '-D_LARGEFILE64_SOURCE', '-D_FILE_OFFSET_BITS=64'))
665     cxx_flags.extend(
666         ('-D__STDC_LIMIT_MACROS', '-D__STDC_FORMAT_MACROS',
667          '-DCANVAS_COMPATIBILITY', '-DCANVAS_DEBUG'))
668
669     # use sparingly, prefer runtime profile
670     if Options.options.program_name.lower().startswith('mixbus'):
671         compiler_flags.append ('-DMIXBUS')
672         conf.define('MIXBUS', 1)
673
674     if Options.options.program_name.lower() == "mixbus32c":
675         conf.define('MIXBUS32C', 1)
676         compiler_flags.append ('-DMIXBUS32C')
677
678     compiler_flags.append ('-DPROGRAM_NAME="' + Options.options.program_name + '"')
679     compiler_flags.append ('-DPROGRAM_VERSION="' + PROGRAM_VERSION + '"')
680
681     conf.env['PROGRAM_NAME'] = Options.options.program_name
682
683     if opt.debug:
684         conf.env.append_value('CFLAGS', debug_flags)
685         conf.env.append_value('CXXFLAGS', debug_flags)
686     else:
687         conf.env.append_value('CFLAGS', optimization_flags)
688         conf.env.append_value('CXXFLAGS', optimization_flags)
689
690     if opt.backtrace:
691         if platform != 'darwin' and not is_clang and not Options.options.dist_target == 'mingw':
692             linker_flags += [ '-rdynamic' ]
693
694     conf.env.append_value('CFLAGS', compiler_flags)
695     conf.env.append_value('CFLAGS', c_flags)
696     conf.env.append_value('CXXFLAGS', compiler_flags)
697     conf.env.append_value('CXXFLAGS', cxx_flags)
698     conf.env.append_value('LINKFLAGS', linker_flags)
699
700 def create_resource_file(icon):
701     try:
702         text = 'IDI_ICON1 ICON DISCARDABLE "icons/' + icon + '.ico"\n'
703         o = open('gtk2_ardour/windows_icon.rc', 'w')
704         o.write(text)
705         o.close()
706     except IOError:
707         print('Could not open gtk2_ardour/windows_icon.rc for writing\n')
708         sys.exit(-1)
709
710 #----------------------------------------------------------------
711
712 # Waf stages
713
714 def options(opt):
715     opt.load('compiler_c')
716     opt.load('compiler_cxx')
717     autowaf.set_options(opt, debug_by_default=True)
718     opt.add_option('--program-name', type='string', action='store', default='Ardour', dest='program_name',
719                     help='The user-visible name of the program being built')
720     opt.add_option('--arch', type='string', action='store', dest='arch',
721                     help='Architecture-specific compiler FLAGS')
722     opt.add_option('--with-backends', type='string', action='store', default='jack', dest='with_backends',
723                     help='Specify which backend modules are to be included(jack,alsa,dummy,portaudio,coreaudio)')
724     opt.add_option('--backtrace', action='store_true', default=False, dest='backtrace',
725                     help='Compile with -rdynamic -- allow obtaining backtraces from within Ardour')
726     opt.add_option('--no-carbon', action='store_true', default=False, dest='nocarbon',
727                     help='Compile without support for AU Plugins with only CARBON UI (needed for 64bit)')
728     opt.add_option('--boost-sp-debug', action='store_true', default=False, dest='boost_sp_debug',
729                     help='Compile with Boost shared pointer debugging')
730     opt.add_option('--debug-symbols', action='store_true', default=False, dest='debug_symbols',
731                     help='Add debug-symbols to optimized builds')
732     opt.add_option('--depstack-root', type='string', default='~', dest='depstack_root',
733                     help='Directory/folder where dependency stack trees (gtk, a3) can be found (defaults to ~)')
734     opt.add_option('--dist-target', type='string', default='auto', dest='dist_target',
735                     help='Specify the target for cross-compiling [auto,none,x86,i386,i686,x86_64,tiger,leopard,mingw,msvc]')
736     opt.add_option('--fpu-optimization', action='store_true', default=True, dest='fpu_optimization',
737                     help='Build runtime checked assembler code (default)')
738     opt.add_option('--no-fpu-optimization', action='store_false', dest='fpu_optimization')
739     opt.add_option('--exports-hidden', action='store_true', default=False, dest='exports_hidden')
740     opt.add_option('--freedesktop', action='store_true', default=False, dest='freedesktop',
741                     help='Build MIME type and .desktop files as per freedesktop.org standards (will be placed in build/gtk2_ardour)')
742     opt.add_option('--freebie', action='store_true', default=False, dest='freebie',
743                     help='Build a version suitable for distribution as a zero-cost binary')
744     opt.add_option('--profile', action='store_true', default=False, dest='profile',
745                     help='Compile for use with profiling tools requiring a frame pointer')
746     opt.add_option('--gprofile', action='store_true', default=False, dest='gprofile',
747                     help='Compile for use with gprofile')
748     opt.add_option('--libjack', type='string', default="auto", dest='libjack_link',
749                     help='libjack link mode  [auto|link|weak]')
750     opt.add_option('--internal-shared-libs', action='store_true', default=True, dest='internal_shared_libs',
751                    help='Build internal libs as shared libraries')
752     opt.add_option('--internal-static-libs', action='store_false', dest='internal_shared_libs',
753                    help='Build internal libs as static libraries')
754     opt.add_option('--use-external-libs', action='store_true', default=False, dest='use_external_libs',
755                    help='Use external/system versions of some bundled libraries')
756     opt.add_option('--keepflags', action='store_true', default=False, dest='keepflags',
757                     help='Do not ignore CFLAGS/CXXFLAGS environment vars')
758     opt.add_option('--luadoc', action='store_true', default=False, dest='luadoc',
759                     help='Compile Tool to dump LuaBindings (needs C++11)')
760     opt.add_option('--canvasui', action='store_true', default=False, dest='canvasui',
761                     help='Compile libcanvas test GUI')
762     opt.add_option('--beatbox', action='store_true', default=False, dest='beatbox',
763                     help='Compile beatbox test app')
764     opt.add_option('--lv2dir', type='string', help="install destination for builtin LV2 bundles [Default: LIBDIR/lv2]")
765     opt.add_option('--lxvst', action='store_true', default=True, dest='lxvst',
766                     help='Compile with support for linuxVST plugins')
767     opt.add_option('--no-lxvst', action='store_false', dest='lxvst',
768                     help='Compile without support for linuxVST plugins')
769     opt.add_option('--no-lrdf', action='store_true', dest='no_lrdf',
770                     help='Compile without support for LRDF LADSPA data even if present')
771     opt.add_option('--nls', action='store_true', default=True, dest='nls',
772                     help='Enable i18n (native language support) (default)')
773     opt.add_option('--no-nls', action='store_false', dest='nls')
774     opt.add_option('--phone-home', action='store_true', default=True, dest='phone_home',
775                    help='Contact ardour.org at startup for new announcements')
776     opt.add_option('--no-phone-home', action='store_false', dest='phone_home',
777                    help='Do not contact ardour.org at startup for new announcements')
778     opt.add_option('--stl-debug', action='store_true', default=False, dest='stl_debug',
779                     help='Build with debugging for the STL')
780     opt.add_option('--rt-alloc-debug', action='store_true', default=False, dest='rt_alloc_debug',
781                     help='Build with debugging for memory allocation in the real-time thread')
782     opt.add_option('--pt-timing', action='store_true', default=False, dest='pt_timing',
783                     help='Build with logging of timing in the process thread(s)')
784     opt.add_option('--denormal-exception', action='store_true', default=False, dest='denormal_exception',
785                     help='Raise a floating point exception if a denormal is detected')
786     opt.add_option('--test', action='store_true', default=False, dest='build_tests',
787                     help="Build unit tests")
788     opt.add_option('--run-tests', action='store_true', default=False, dest='run_tests',
789                     help="Run tests after build")
790     opt.add_option('--single-tests', action='store_true', default=False, dest='single_tests',
791                     help="Build a single executable for each unit test")
792     #opt.add_option('--tranzport', action='store_true', default=False, dest='tranzport',
793     # help='Compile with support for Frontier Designs Tranzport (if libusb is available)')
794     opt.add_option('--maschine', action='store_true', default=False, dest='maschine',
795                     help='Compile with support for NI-Maschine')
796     opt.add_option('--generic', action='store_true', default=False, dest='generic',
797                     help='Compile with -arch i386 (OS X ONLY)')
798     opt.add_option('--ppc', action='store_true', default=False, dest='ppc',
799                     help='Compile with -arch ppc (OS X ONLY)')
800     opt.add_option('--versioned', action='store_true', default=False, dest='versioned',
801                     help='Add revision information to executable name inside the build directory')
802     opt.add_option('--windows-vst', action='store_true', default=False, dest='windows_vst',
803                     help='Compile with support for Windows VST')
804     opt.add_option('--windows-key', type='string', action='store', dest='windows_key', default='Mod4><Super',
805                     help='X Modifier(s) (Mod1,Mod2, etc) for the Windows key (X11 builds only). ' +
806                     'Multiple modifiers must be separated by \'><\'')
807     opt.add_option('--boost-include', type='string', action='store', dest='boost_include', default='',
808                     help='directory where Boost header files can be found')
809     opt.add_option('--also-include', type='string', action='store', dest='also_include', default='',
810                     help='additional include directory where header files can be found (split multiples with commas)')
811     opt.add_option('--also-libdir', type='string', action='store', dest='also_libdir', default='',
812                     help='additional include directory where shared libraries can be found (split multiples with commas)')
813     opt.add_option('--wine-include', type='string', action='store', dest='wine_include', default='/usr/include/wine/windows',
814                     help='directory where Wine\'s Windows header files can be found')
815     opt.add_option('--noconfirm', action='store_true', default=False, dest='noconfirm',
816                     help='Do not ask questions that require confirmation during the build')
817     opt.add_option('--cxx11', action='store_true', default=False, dest='cxx11',
818                     help='Turn on c++11 compiler flags (-std=c++11)')
819     opt.add_option('--use-libc++', action='store_true', default=False, dest='use_libcpp',
820                     help='use libc++ instead of default or auto-detected stdlib')
821     opt.add_option('--address-sanitizer', action='store_true', default=False, dest='asan',
822                     help='Turn on AddressSanitizer (requires GCC >= 4.8 or clang >= 3.1)')
823     opt.add_option('--ptformat', action='store_true', default=False, dest='ptformat',
824                     help='Turn on PT session import option')
825     opt.add_option('--no-threaded-waveviews', action='store_true', default=False, dest='no_threaded_waveviews',
826                     help='Disable threaded waveview rendering')
827     opt.add_option(
828         '--qm-dsp-include', type='string', action='store',
829         dest='qm_dsp_include', default='/usr/include/qm-dsp',
830         help='directory where the header files of qm-dsp can be found')
831     opt.add_option ('--use-lld', action='store_true', default=False, dest='use_lld', help='Use LLD linker instead of ld (Linux only)')
832
833     for i in children:
834         opt.recurse(i)
835
836 def sub_config_and_use(conf, name, has_objects = True):
837     conf.recurse(name)
838     autowaf.set_local_lib(conf, name, has_objects)
839
840 def configure(conf):
841     conf.load('compiler_c')
842     conf.load('compiler_cxx')
843     if Options.options.dist_target == 'mingw':
844         conf.load('winres')
845
846     if Options.options.dist_target == 'msvc':
847         conf.env['MSVC_VERSIONS'] = ['msvc 10.0', 'msvc 9.0', 'msvc 8.0', 'msvc 7.1', 'msvc 7.0', 'msvc 6.0', ]
848         conf.env['MSVC_TARGETS'] = ['x64']
849         conf.load('msvc')
850
851     if Options.options.debug and not Options.options.keepflags:
852         # Nuke user CFLAGS/CXXFLAGS if debug is set (they likely contain -O3, NDEBUG, etc)
853         conf.env['CFLAGS'] = []
854         conf.env['CXXFLAGS'] = []
855
856     # freedesktop translations needs itstool > 1.0.3 (-j option)
857     if Options.options.freedesktop:
858         output = subprocess.Popen("itstool --version", shell=True, stderr=subprocess.STDOUT, stdout=subprocess.PIPE).communicate()[0].splitlines()
859         o = output[0].decode('utf-8')
860         itstool = o.split(' ')[0]
861         version = o.split(' ')[1].split('.')
862         # use  distutils.version.StrictVersion  or something python to check >= 1.0.4
863         # but first make sure that all build-hosts (incl. OSX-10.5/PPC) have that python lib.
864         # lazy approach: just use major version 2.X.X
865         if itstool != "itstool" or version[0] < "2":
866             print("--freedesktop requires itstool > 2.0.0 to translate files.")
867             sys.exit(-1)
868
869     conf.env['VERSION'] = VERSION
870     conf.env['MAJOR'] = MAJOR
871     conf.env['MINOR'] = MINOR
872     conf.env['MICRO'] = MICRO
873     conf.line_just = 52
874     autowaf.set_recursive()
875     autowaf.configure(conf)
876     autowaf.display_header('Ardour Configuration')
877
878     # systems with glibc have libintl builtin. systems without require explicit
879     # linkage against libintl.
880     #
881
882     pkg_config_path = os.getenv('PKG_CONFIG_PATH')
883     user_gtk_root = os.path.expanduser (Options.options.depstack_root + '/gtk/inst')
884
885     if os.getenv('DEPSTACK_ROOT') is not None and os.path.exists (os.getenv('DEPSTACK_ROOT') + '/lib'):
886         conf.env['DEPSTACK_REV'] = get_depstack_rev (os.getenv('DEPSTACK_ROOT') + '/lib')
887     elif pkg_config_path is not None and pkg_config_path.find (user_gtk_root) >= 0:
888         # told to search user_gtk_root
889         prefinclude = ''.join ([ '-I', user_gtk_root + '/include'])
890         preflib = ''.join ([ '-L', user_gtk_root + '/lib'])
891         conf.env.append_value('CFLAGS', [ prefinclude ])
892         conf.env.append_value('CXXFLAGS',  [prefinclude ])
893         conf.env.append_value('LINKFLAGS', [ preflib ])
894         autowaf.display_msg(conf, 'Will build against private GTK dependency stack in ' + user_gtk_root, 'yes')
895         conf.env['DEPSTACK_REV'] = get_depstack_rev (user_gtk_root)
896     else:
897         autowaf.display_msg(conf, 'Will build against private GTK dependency stack', 'no')
898         conf.env['DEPSTACK_REV'] = '-system-'
899
900     if sys.platform == 'darwin':
901         conf.define ('NEED_INTL', 1)
902         autowaf.display_msg(conf, 'Will use explicit linkage against libintl in ' + user_gtk_root, 'yes')
903     else:
904         # libintl is part of the system, so use it
905         autowaf.display_msg(conf, 'Will rely on libintl built into libc', 'yes')
906
907     user_ardour_root = os.path.expanduser (Options.options.depstack_root + '/a3/inst')
908     if pkg_config_path is not None and pkg_config_path.find (user_ardour_root) >= 0:
909         # told to search user_ardour_root
910         prefinclude = ''.join ([ '-I', user_ardour_root + '/include'])
911         preflib = ''.join ([ '-L', user_ardour_root + '/lib'])
912         conf.env.append_value('CFLAGS', [ prefinclude ])
913         conf.env.append_value('CXXFLAGS',  [prefinclude ])
914         conf.env.append_value('LINKFLAGS', [ preflib ])
915         autowaf.display_msg(conf, 'Will build against private Ardour dependency stack in ' + user_ardour_root, 'yes')
916     else:
917         autowaf.display_msg(conf, 'Will build against private Ardour dependency stack', 'no')
918
919     if Options.options.freebie:
920         conf.env.append_value ('CFLAGS', '-DSILENCE_AFTER')
921         conf.env.append_value ('CXXFLAGS', '-DSILENCE_AFTER')
922         conf.define ('FREEBIE', 1)
923
924     if Options.options.lv2dir:
925         conf.env['LV2DIR'] = Options.options.lv2dir
926     else:
927         conf.env['LV2DIR'] = os.path.join(conf.env['LIBDIR'], 'ardour' + str(conf.env['MAJOR']), 'LV2')
928
929     conf.env['LV2DIR'] = os.path.normpath(conf.env['LV2DIR'])
930
931     if sys.platform == 'darwin':
932
933         # this is required, potentially, for anything we link and then relocate into a bundle
934         conf.env.append_value('LINKFLAGS', [ '-Xlinker', '-headerpad_max_install_names' ])
935
936         conf.define ('HAVE_COREAUDIO', 1)
937         conf.define ('AUDIOUNIT_SUPPORT', 1)
938
939         if not Options.options.ppc:
940             conf.define('MACVST_SUPPORT', 1)
941
942         conf.define ('TOP_MENUBAR',1)
943
944         # It would be nice to be able to use this to force back-compatibility with 10.4
945         # but even by the time of 11, the 10.4 SDK is no longer available in any normal
946         # way.
947         #
948         #conf.env.append_value('CXXFLAGS_OSX', "-isysroot /Developer/SDKs/MacOSX10.4u.sdk")
949         #conf.env.append_value('CFLAGS_OSX', "-isysroot /Developer/SDKs/MacOSX10.4u.sdk")
950         #conf.env.append_value('LINKFLAGS_OSX', "-sysroot /Developer/SDKs/MacOSX10.4u.sdk")
951         #conf.env.append_value('LINKFLAGS_OSX', "-sysroot /Developer/SDKs/MacOSX10.4u.sdk")
952
953         conf.env.append_value('CXXFLAGS_OSX', "-msse")
954         conf.env.append_value('CFLAGS_OSX', "-msse")
955         conf.env.append_value('CXXFLAGS_OSX', "-msse2")
956         conf.env.append_value('CFLAGS_OSX', "-msse2")
957         #
958         #       TODO: The previous sse flags NEED to be based
959         #       off processor type.  Need to add in a check
960         #       for that.
961         #
962         conf.env.append_value('CXXFLAGS_OSX', '-F/System/Library/Frameworks')
963         conf.env.append_value('CXXFLAGS_OSX', '-F/Library/Frameworks')
964
965         conf.env.append_value('LINKFLAGS_OSX', ['-framework', 'AppKit'])
966         conf.env.append_value('LINKFLAGS_OSX', ['-framework', 'CoreAudio'])
967         conf.env.append_value('LINKFLAGS_OSX', ['-framework', 'CoreAudioKit'])
968         conf.env.append_value('LINKFLAGS_OSX', ['-framework', 'CoreFoundation'])
969         conf.env.append_value('LINKFLAGS_OSX', ['-framework', 'CoreServices'])
970
971         conf.env.append_value('LINKFLAGS_OSX', ['-undefined', 'dynamic_lookup' ])
972         conf.env.append_value('LINKFLAGS_OSX', ['-flat_namespace'])
973
974         conf.env.append_value('CXXFLAGS_AUDIOUNITS', "-DAUDIOUNIT_SUPPORT")
975         conf.env.append_value('LINKFLAGS_AUDIOUNITS', ['-framework', 'AudioToolbox', '-framework', 'AudioUnit'])
976         conf.env.append_value('LINKFLAGS_AUDIOUNITS', ['-framework', 'Cocoa'])
977
978         if (
979                 # osx up to and including 10.6 (uname 10.X.X)
980                 (re.search ("^[1-9][0-9]\.", os.uname()[2]) == None or not re.search ("^10\.", os.uname()[2]) == None)
981                 and (Options.options.generic or Options.options.ppc)
982                 and not Options.options.nocarbon
983            ):
984             conf.env.append_value('CXXFLAGS_AUDIOUNITS', "-DWITH_CARBON")
985             conf.env.append_value('LINKFLAGS_AUDIOUNITS', ['-framework', 'Carbon'])
986         else:
987             print ('No Carbon support available for this build\n')
988
989
990     if Options.options.canvasui:
991         conf.env['CANVASTESTUI'] = True
992         conf.define ('CANVASTESTUI', 1)
993
994     if Options.options.beatbox:
995         conf.env['BEATBOX'] = True
996         conf.define ('BEATBOX', 1)
997
998     if Options.options.luadoc:
999         conf.env['LUABINDINGDOC'] = True
1000         conf.define ('LUABINDINGDOC', 1)
1001
1002     if Options.options.internal_shared_libs:
1003         conf.define('INTERNAL_SHARED_LIBS', 1)
1004
1005     if Options.options.use_external_libs:
1006         conf.define('USE_EXTERNAL_LIBS', 1)
1007         conf.env.append_value(
1008             'CXXFLAGS', '-I' + Options.options.qm_dsp_include)
1009
1010     if Options.options.boost_include != '':
1011         conf.env.append_value('CXXFLAGS', '-I' + Options.options.boost_include)
1012
1013     if Options.options.also_include != '':
1014         conf.env.append_value('CXXFLAGS', '-I' + Options.options.also_include)
1015         conf.env.append_value('CFLAGS', '-I' + Options.options.also_include)
1016
1017     if Options.options.also_libdir != '':
1018         conf.env.append_value('LDFLAGS', '-L' + Options.options.also_libdir)
1019
1020     if Options.options.boost_sp_debug:
1021         conf.env.append_value('CXXFLAGS', '-DBOOST_SP_ENABLE_DEBUG_HOOKS')
1022
1023     # executing a test program is n/a when cross-compiling
1024     if Options.options.dist_target != 'mingw':
1025         if Options.options.dist_target != 'msvc' and re.search ("openbsd", sys.platform) == None:
1026             if re.search ("freebsd", sys.platform) != None:
1027                 conf.check_cc(function_name='dlopen', header_name='dlfcn.h', uselib_store='DL')
1028             else:
1029                 conf.check_cc(function_name='dlopen', header_name='dlfcn.h', lib='dl', uselib_store='DL')
1030
1031     conf.check_cxx(fragment = "#include <boost/version.hpp>\n#if !defined (BOOST_VERSION) || BOOST_VERSION < 103900\n#error boost >= 1.39 is not available\n#endif\nint main(void) { return 0; }\n",
1032               execute = False,
1033               mandatory = True,
1034               msg = 'Checking for boost library >= 1.39',
1035               okmsg = 'ok',
1036               errmsg = 'too old\nPlease install boost version 1.39 or higher.')
1037
1038     if re.search ("linux", sys.platform) != None and Options.options.dist_target != 'mingw':
1039         autowaf.check_pkg(conf, 'alsa', uselib_store='ALSA')
1040
1041     if re.search ("linux", sys.platform) != None and Options.options.dist_target != 'mingw':
1042         autowaf.check_pkg(conf, 'libpulse', uselib_store='PULSEAUDIO', mandatory=False)
1043
1044     if re.search ("openbsd", sys.platform) != None:
1045         conf.env.append_value('LDFLAGS', '-L/usr/X11R6/lib')
1046
1047     autowaf.check_pkg(conf, 'glib-2.0', uselib_store='GLIB', atleast_version='2.28', mandatory=True)
1048     autowaf.check_pkg(conf, 'gthread-2.0', uselib_store='GTHREAD', atleast_version='2.2', mandatory=True)
1049     autowaf.check_pkg(conf, 'glibmm-2.4', uselib_store='GLIBMM', atleast_version='2.32.0', mandatory=True)
1050     autowaf.check_pkg(conf, 'sndfile', uselib_store='SNDFILE', atleast_version='1.0.18', mandatory=True)
1051     autowaf.check_pkg(conf, 'giomm-2.4', uselib_store='GIOMM', atleast_version='2.2', mandatory=True)
1052     autowaf.check_pkg(conf, 'libcurl', uselib_store='CURL', atleast_version='7.0.0', mandatory=True)
1053     autowaf.check_pkg(conf, 'libarchive', uselib_store='ARCHIVE', atleast_version='3.0.0', mandatory=True)
1054     autowaf.check_pkg(conf, 'liblo', uselib_store='LO', atleast_version='0.26', mandatory=True)
1055     autowaf.check_pkg(conf, 'taglib', uselib_store='TAGLIB', atleast_version='1.6', mandatory=True)
1056     autowaf.check_pkg(conf, 'vamp-sdk', uselib_store='VAMPSDK', atleast_version='2.1', mandatory=True)
1057     autowaf.check_pkg(conf, 'vamp-hostsdk', uselib_store='VAMPHOSTSDK', atleast_version='2.1', mandatory=True)
1058     autowaf.check_pkg(conf, 'rubberband', uselib_store='RUBBERBAND', mandatory=True)
1059
1060     have_rf64_riff_support = conf.check_cc(fragment = '''
1061 #include <sndfile.h>
1062 int main () { int x = SFC_RF64_AUTO_DOWNGRADE; return 0; }
1063 ''',
1064                                            features  = 'c',
1065                                            mandatory = False,
1066                                            execute   = False,
1067                                            use = 'SNDFILE',
1068                                            msg       = 'Checking for  sndfile RF64=>RIFF support',
1069                                            okmsg = 'Found',
1070                                            errmsg = 'Not found, no RF64-to-WAV support')
1071
1072     if have_rf64_riff_support:
1073             conf.env.append_value('CXXFLAGS', "-DHAVE_RF64_RIFF")
1074             conf.env.append_value('CFLAGS', "-DHAVE_RF64_RIFF")
1075
1076     if Options.options.dist_target == 'mingw':
1077         Options.options.fpu_optimization = True
1078         conf.env.append_value('CFLAGS', '-DPLATFORM_WINDOWS')
1079         conf.env.append_value('CFLAGS', '-DCOMPILER_MINGW')
1080         conf.env.append_value('CXXFLAGS', '-DPLATFORM_WINDOWS')
1081         conf.env.append_value('CXXFLAGS', '-DCOMPILER_MINGW')
1082         if conf.options.cxx11:
1083             conf.env.append_value('CFLAGS', '-D_USE_MATH_DEFINES')
1084             conf.env.append_value('CXXFLAGS', '-D_USE_MATH_DEFINES')
1085             conf.env.append_value('CFLAGS', '-DWIN32')
1086             conf.env.append_value('CXXFLAGS', '-DWIN32')
1087         conf.env.append_value('LIB', 'pthread')
1088         # needed for at least libsmf
1089         conf.check_cc(function_name='htonl', header_name='winsock2.h', lib='ws2_32')
1090         conf.env.append_value('LIB', 'ws2_32')
1091         conf.env.append_value('LIB', 'winmm')
1092         if Options.options.program_name.lower().startswith('mixbus'):
1093             conf.env.append_value('LIB', 'ole32')
1094             conf.env.append_value('LIB', 'uuid')
1095         # needed for mingw64 packages, not harmful on normal mingw build
1096         conf.env.append_value('LIB', 'intl')
1097         conf.check_cc(function_name='regcomp', header_name='regex.h',
1098                       lib='regex', uselib_store="REGEX", define_name='HAVE_REGEX_H')
1099         # TODO put this only where it is needed
1100         conf.env.append_value('LIB', 'regex')
1101         # TODO this should only be necessary for a debug build
1102         conf.env.append_value('LIB', 'dbghelp')
1103
1104         # work around GdkDrawable BitBlt performance issue on windows
1105         # see http://gareus.org/wiki/ardour_windows_gdk_and_cairo
1106         conf.env.append_value('CFLAGS', '-DUSE_CAIRO_IMAGE_SURFACE')
1107         conf.env.append_value('CXXFLAGS', '-DUSE_CAIRO_IMAGE_SURFACE')
1108         conf.define ('WINDOWS', 1)
1109
1110         have_ptw_semaphore = conf.check_cc(fragment = '''
1111 #include <pthread.h>
1112 #include <semaphore.h>
1113 int main () { return 0; }
1114 ''',
1115                                            features  = 'c',
1116                                            mandatory = False,
1117                                            execute   = False,
1118                                            msg       = 'Checking for pthread posix semaphore',
1119                                            okmsg     = 'Found',
1120                                            errmsg    = 'Not found, falling back to Windows Semaphore.')
1121
1122         #if have_ptw_semaphore:
1123         #    conf.define('USE_PTW32_SEMAPHORE', 1)
1124         #    conf.env.append_value('CFLAGS', '-DUSE_PTW32_SEMAPHORE')
1125         #    conf.env.append_value('CXXFLAGS', '-DUSE_PTW32_SEMAPHORE')
1126
1127     if Options.options.dist_target == 'msvc':
1128         conf.env.append_value('CFLAGS', '-DPLATFORM_WINDOWS')
1129         conf.env.append_value('CFLAGS', '-DCOMPILER_MSVC')
1130         conf.env.append_value('CXXFLAGS', '-DPLATFORM_WINDOWS')
1131         conf.env.append_value('CXXFLAGS', '-DCOMPILER_MSVC')
1132         # work around GdkDrawable BitBlt performance issue on windows
1133         # see http://gareus.org/wiki/ardour_windows_gdk_and_cairo
1134         conf.env.append_value('CFLAGS', '-DUSE_CAIRO_IMAGE_SURFACE')
1135         conf.env.append_value('CXXFLAGS', '-DUSE_CAIRO_IMAGE_SURFACE')
1136         # MORE STUFF PROBABLY NEEDED HERE
1137         conf.define ('WINDOWS', 1)
1138
1139     # Tell everyone that this is a waf build
1140
1141     conf.env.append_value('CFLAGS', '-DWAF_BUILD')
1142     conf.env.append_value('CXXFLAGS', '-DWAF_BUILD')
1143
1144     opts = Options.options
1145
1146     # (optionally) Adopt Microsoft-like convention that makes all non-explicitly exported
1147     # symbols invisible (rather than doing this all over the wscripts in the src tree)
1148     #
1149     # This won't apply to MSVC but that hasn't been added as a target yet
1150     #
1151     # We can't do this till all tests are complete, since some fail if this is et.
1152     if opts.exports_hidden:
1153         conf.define ('EXPORT_VISIBILITY_HIDDEN', True)
1154         if opts.internal_shared_libs:
1155             conf.env.append_value ('CXXFLAGS', '-fvisibility=hidden')
1156             conf.env.append_value ('CFLAGS', '-fvisibility=hidden')
1157     else:
1158         conf.define ('EXPORT_VISIBILITY_HIDDEN', False)
1159
1160     # Set up waf environment and C defines
1161     if opts.phone_home:
1162         conf.define('PHONE_HOME', 1)
1163         conf.env['PHONE_HOME'] = True
1164     if opts.fpu_optimization:
1165         conf.env['FPU_OPTIMIZATION'] = True
1166     if opts.freedesktop:
1167         conf.env['FREEDESKTOP'] = True
1168     if opts.nls:
1169         conf.define('ENABLE_NLS', 1)
1170         conf.env['ENABLE_NLS'] = True
1171     else:
1172         conf.define('ENABLE_NLS', 0)
1173         conf.env['ENABLE_NLS'] = False
1174     if opts.build_tests:
1175         conf.env['BUILD_TESTS'] = True
1176         conf.env['RUN_TESTS'] = opts.run_tests
1177     if opts.single_tests:
1178         conf.env['SINGLE_TESTS'] = opts.single_tests
1179     #if opts.tranzport:
1180     #    conf.env['TRANZPORT'] = 1
1181     if opts.windows_vst:
1182         conf.define('WINDOWS_VST_SUPPORT', 1)
1183         conf.env['WINDOWS_VST_SUPPORT'] = True
1184         if not Options.options.dist_target == 'mingw':
1185             conf.env.append_value('CFLAGS', '-I' + Options.options.wine_include)
1186             conf.env.append_value('CXXFLAGS', '-I' + Options.options.wine_include)
1187             autowaf.check_header(conf, 'cxx', 'windows.h', mandatory = True)
1188     if opts.lxvst:
1189         if sys.platform == 'darwin':
1190             conf.env['LXVST_SUPPORT'] = False
1191         elif Options.options.dist_target == 'mingw':
1192             conf.env['LXVST_SUPPORT'] = False
1193         else:
1194             conf.define('LXVST_SUPPORT', 1)
1195             conf.env['LXVST_SUPPORT'] = True
1196     conf.env['WINDOWS_KEY'] = opts.windows_key
1197     if opts.rt_alloc_debug:
1198         conf.define('DEBUG_RT_ALLOC', 1)
1199         conf.env['DEBUG_RT_ALLOC'] = True
1200     if opts.pt_timing:
1201         conf.define('PT_TIMING', 1)
1202         conf.env['PT_TIMING'] = True
1203     if opts.denormal_exception:
1204         conf.define('DEBUG_DENORMAL_EXCEPTION', 1)
1205         conf.env['DEBUG_DENORMAL_EXCEPTION'] = True
1206     if opts.build_tests:
1207         autowaf.check_pkg(conf, 'cppunit', uselib_store='CPPUNIT', atleast_version='1.12.0', mandatory=True)
1208     if opts.ptformat:
1209         conf.define('PTFORMAT', 1)
1210         conf.env['PTFORMAT'] = True
1211     if opts.no_threaded_waveviews:
1212         conf.define('NO_THREADED_WAVEVIEWS', 1)
1213         conf.env['NO_THREADED_WAVEVIEWS'] = True
1214
1215     backends = opts.with_backends.split(',')
1216     if opts.build_tests and 'dummy' not in backends:
1217         backends += ['dummy']
1218
1219     if not backends:
1220         print("Must configure and build at least one backend")
1221         sys.exit(1)
1222
1223     conf.env['BACKENDS'] = backends
1224     conf.env['BUILD_JACKBACKEND'] = any('jack' in b for b in backends)
1225     conf.env['BUILD_ALSABACKEND'] = any('alsa' in b for b in backends)
1226     conf.env['BUILD_DUMMYBACKEND'] = any('dummy' in b for b in backends)
1227     conf.env['BUILD_PABACKEND'] = any('portaudio' in b for b in backends)
1228     conf.env['BUILD_CORECRAPPITA'] = any('coreaudio' in b for b in backends)
1229     conf.env['BUILD_PULSEAUDIO'] = any('pulseaudio' in b for b in backends)
1230
1231     if (Options.options.use_lld):
1232         if re.search ("linux", sys.platform) != None and Options.options.dist_target != 'mingw' and conf.env['BUILD_PABACKEND']:
1233                 print("lld is only for Linux builds")
1234                 sys.exit(1)
1235         else:
1236                 conf.find_program ('lld')
1237                 conf.env.append_value('LINKFLAGS', '-fuse-ld=lld')
1238
1239     if re.search ("linux", sys.platform) != None and Options.options.dist_target != 'mingw' and conf.env['BUILD_PABACKEND']:
1240         print("PortAudio Backend is not for Linux")
1241         sys.exit(1)
1242
1243
1244     if sys.platform != 'darwin' and conf.env['BUILD_CORECRAPPITA']:
1245         print("Coreaudio backend is only available for OSX")
1246         sys.exit(1)
1247
1248     if re.search ("linux", sys.platform) == None and conf.env['BUILD_ALSABACKEND']:
1249         print("ALSA Backend is only available on Linux")
1250         sys.exit(1)
1251
1252     if re.search ("linux", sys.platform) == None and conf.env['BUILD_PULSEAUDIO']:
1253         print("Pulseaudio Backend is only available on Linux")
1254         sys.exit(1)
1255
1256     if conf.env['BUILD_PULSEAUDIO'] and not conf.is_defined('HAVE_PULSEAUDIO'):
1257         print("Pulseaudio Backend requires libpulse-dev")
1258         sys.exit(1)
1259
1260     set_compiler_flags (conf, Options.options)
1261
1262     if sys.platform == 'darwin':
1263         sub_config_and_use(conf, 'libs/appleutility')
1264     elif re.search ("openbsd", sys.platform) != None:
1265         pass
1266     elif Options.options.dist_target != 'mingw':
1267         sub_config_and_use(conf, 'tools/sanity_check')
1268         sub_config_and_use(conf, 'tools/gccabicheck')
1269
1270     sub_config_and_use(conf, 'libs/clearlooks-newer')
1271
1272     for i in children:
1273         sub_config_and_use(conf, i)
1274
1275     # Fix utterly braindead FLAC include path to not smash assert.h
1276     conf.env['INCLUDES_FLAC'] = []
1277
1278     config_text = open('libs/ardour/config_text.cc', "w")
1279     config_text.write('''#include "ardour/ardour.h"
1280 namespace ARDOUR {
1281 const char* const ardour_config_info = "\\n\\
1282 ''')
1283
1284     def write_config_text(title, val):
1285         autowaf.display_msg(conf, title, val)
1286         config_text.write(title + ': ')
1287         config_text.write(str(val).replace ('"', '\\"'))
1288         config_text.write("\\n\\\n")
1289
1290     write_config_text('Build documentation',   conf.env['DOCS'])
1291     write_config_text('Debuggable build',      conf.env['DEBUG'])
1292     write_config_text('Export all symbols (backtrace)', opts.backtrace)
1293     write_config_text('Install prefix',        conf.env['PREFIX'])
1294     write_config_text('Strict compiler flags', conf.env['STRICT'])
1295     write_config_text('Internal Shared Libraries', conf.is_defined('INTERNAL_SHARED_LIBS'))
1296     write_config_text('Use External Libraries', conf.is_defined('USE_EXTERNAL_LIBS'))
1297     write_config_text('Library exports hidden', conf.is_defined('EXPORT_VISIBILITY_HIDDEN'))
1298     write_config_text('Free/Demo copy',        conf.is_defined('FREEBIE'))
1299     config_text.write("\\n\\\n")
1300     write_config_text('ALSA DBus Reservation', conf.is_defined('HAVE_DBUS'))
1301     write_config_text('Architecture flags',    opts.arch)
1302     write_config_text('Aubio',                 conf.is_defined('HAVE_AUBIO'))
1303     write_config_text('AudioUnits',            conf.is_defined('AUDIOUNIT_SUPPORT'))
1304     write_config_text('Build target',          conf.env['build_target'])
1305     write_config_text('Canvas Test UI',        conf.is_defined('CANVASTESTUI'))
1306     write_config_text('Beatbox test app',      conf.is_defined('BEATBOX'))
1307     write_config_text('CoreAudio',             conf.is_defined('HAVE_COREAUDIO'))
1308     write_config_text('CoreAudio 10.5 compat', conf.is_defined('COREAUDIO105'))
1309     write_config_text('Debug RT allocations',  conf.is_defined('DEBUG_RT_ALLOC'))
1310     write_config_text('Debug Symbols',         conf.is_defined('debug_symbols') or conf.env['DEBUG'])
1311     write_config_text('Denormal exceptions',   conf.is_defined('DEBUG_DENORMAL_EXCEPTION'))
1312     write_config_text('FLAC',                  conf.is_defined('HAVE_FLAC'))
1313     write_config_text('FPU optimization',      opts.fpu_optimization)
1314     write_config_text('Freedesktop files',     opts.freedesktop)
1315     write_config_text('Libjack linking',       conf.env['libjack_link'])
1316     write_config_text('Libjack metadata',      conf.is_defined ('HAVE_JACK_METADATA'))
1317     write_config_text('Lua Binding Doc',       conf.is_defined('LUABINDINGDOC'))
1318     write_config_text('Lua Commandline Tool',  conf.is_defined('HAVE_READLINE') and not (conf.is_defined('WINDOWS_VST_SUPPORT') and conf.env['build_target'] != 'mingw'))
1319     write_config_text('LV2 UI embedding',      conf.is_defined('HAVE_SUIL'))
1320     write_config_text('LV2 support',           conf.is_defined('LV2_SUPPORT'))
1321     write_config_text('LV2 extensions',        conf.is_defined('LV2_EXTENDED'))
1322     write_config_text('LXVST support',         conf.is_defined('LXVST_SUPPORT'))
1323     write_config_text('Mac VST support',       conf.is_defined('MACVST_SUPPORT'))
1324     write_config_text('NI-Maschine',           opts.maschine)
1325     write_config_text('OGG',                   conf.is_defined('HAVE_OGG'))
1326     write_config_text('Phone home',            conf.is_defined('PHONE_HOME'))
1327     write_config_text('Process thread timing', conf.is_defined('PT_TIMING'))
1328     write_config_text('Program name',          opts.program_name)
1329     write_config_text('Samplerate',            conf.is_defined('HAVE_SAMPLERATE'))
1330     write_config_text('PT format',             conf.is_defined('PTFORMAT'))
1331     write_config_text('PTW32 Semaphore',       conf.is_defined('USE_PTW32_SEMAPHORE'))
1332 #    write_config_text('Soundtouch',            conf.is_defined('HAVE_SOUNDTOUCH'))
1333     write_config_text('Threaded WaveViews',    not opts.no_threaded_waveviews)
1334     write_config_text('Translation',           opts.nls)
1335 #    write_config_text('Tranzport',             opts.tranzport)
1336     write_config_text('Unit tests',            conf.env['BUILD_TESTS'])
1337     write_config_text('Use LLD linker',        opts.use_lld)
1338     write_config_text('Windows VST support',   opts.windows_vst)
1339     write_config_text('Wiimote support',       conf.is_defined('BUILD_WIIMOTE'))
1340     write_config_text('Windows key',           opts.windows_key)
1341     config_text.write("\\n\\\n")
1342     write_config_text('PortAudio Backend',     conf.env['BUILD_PABACKEND'])
1343     write_config_text('CoreAudio/Midi Backend',conf.env['BUILD_CORECRAPPITA'])
1344     write_config_text('ALSA Backend',          conf.env['BUILD_ALSABACKEND'])
1345     write_config_text('Dummy backend',         conf.env['BUILD_DUMMYBACKEND'])
1346     write_config_text('JACK Backend',          conf.env['BUILD_JACKBACKEND'])
1347     write_config_text('Pulseaudio Backend',    conf.env['BUILD_PULSEAUDIO'])
1348     config_text.write("\\n\\\n")
1349     write_config_text('Buildstack', conf.env['DEPSTACK_REV'])
1350     write_config_text('Mac i386 Architecture', opts.generic)
1351     write_config_text('Mac ppc Architecture',  opts.ppc)
1352     config_text.write("\\n\\\n")
1353     write_config_text('C compiler flags',      conf.env['CFLAGS'])
1354     write_config_text('C++ compiler flags',    conf.env['CXXFLAGS'])
1355     write_config_text('Linker flags',          conf.env['LINKFLAGS'])
1356
1357     config_text.write ('";\n}\n')
1358     config_text.close ()
1359     print('')
1360
1361     if Options.options.dist_target == 'mingw' or Options.options.dist_target == 'msvc':
1362         create_resource_file(Options.options.program_name)
1363
1364 def build(bld):
1365     create_stored_revision()
1366
1367     bld.env['DATE'] = rev_date
1368
1369     # add directories that contain only headers, to workaround an issue with waf
1370
1371     if not bld.is_defined('USE_EXTERNAL_LIBS'):
1372         bld.path.find_dir ('libs/libltc/ltc')
1373     bld.path.find_dir ('libs/evoral/evoral')
1374     bld.path.find_dir ('libs/surfaces/control_protocol/control_protocol')
1375     bld.path.find_dir ('libs/temporal/temporal')
1376     bld.path.find_dir ('libs/gtkmm2ext/gtkmm2ext')
1377     bld.path.find_dir ('libs/ardour/ardour')
1378     bld.path.find_dir ('libs/pbd/pbd')
1379
1380     # set up target directories
1381     lwrcase_dirname = 'ardour' + bld.env['MAJOR']
1382
1383     # configuration files go here
1384     bld.env['CONFDIR'] = os.path.join(bld.env['SYSCONFDIR'], lwrcase_dirname)
1385     # data files loaded at run time go here
1386     bld.env['DATADIR'] = os.path.join(bld.env['DATADIR'], lwrcase_dirname)
1387     # shared objects loaded at runtime go here (two aliases)
1388     bld.env['DLLDIR'] = os.path.join(bld.env['LIBDIR'], lwrcase_dirname)
1389     bld.env['LIBDIR'] = bld.env['DLLDIR']
1390     bld.env['LOCALEDIR'] = os.path.join(bld.env['DATADIR'], 'locale')
1391     bld.env['lwrcase_dirname'] = lwrcase_dirname;
1392
1393     autowaf.set_recursive()
1394
1395     if sys.platform == 'darwin':
1396         bld.recurse('libs/appleutility')
1397     elif re.search ("openbsd", sys.platform) != None:
1398         pass
1399     elif bld.env['build_target'] != 'mingw':
1400         bld.recurse('tools/sanity_check')
1401         bld.recurse('tools/gccabicheck')
1402
1403     bld.recurse('libs/clearlooks-newer')
1404
1405     for i in children:
1406         bld.recurse(i)
1407
1408     if bld.is_defined ('BEATBOX'):
1409         bld.recurse('tools/bb')
1410
1411     bld.install_files (bld.env['CONFDIR'], 'system_config')
1412
1413     bld.install_files (os.path.join (bld.env['DATADIR'], 'templates'), bld.path.ant_glob ('templates/**'), cwd=bld.path.find_dir ('templates'), relative_trick=True)
1414
1415     if bld.env['RUN_TESTS']:
1416         bld.add_post_fun(test)
1417
1418 def i18n(bld):
1419     print(bld.env)
1420     bld.recurse (i18n_children)
1421
1422 def i18n_pot(bld):
1423     bld.recurse (i18n_children)
1424
1425 def i18n_po(bld):
1426     bld.recurse (i18n_children)
1427
1428 def i18n_mo(bld):
1429     bld.recurse (i18n_children)
1430
1431 def tarball(bld):
1432     create_stored_revision()
1433
1434 def test(bld):
1435     subprocess.call("gtk2_ardour/artest")
1436
1437 def help2man(bld):
1438     cmd = "help2man -s 1 -N -o ardour.1 -n Ardour --version-string='Ardour %s' gtk2_ardour/ardev" % PROGRAM_VERSION
1439     subprocess.call(cmd, shell=True)