Fix typo
[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         elif re.search ("^18[.]", version) != None:
403             conf.env['build_host'] = 'mojave'
404         elif re.search ("^19[.]", version) != None:
405             conf.env['build_host'] = 'catalina'
406         else:
407             conf.env['build_host'] = 'irrelevant'
408
409     # Autodetect
410     if opt.dist_target == 'auto':
411         if platform == 'darwin':
412             # The [.] matches to the dot after the major version, "." would match any character
413             if re.search ("^[0-7][.]", version) != None:
414                 conf.env['build_target'] = 'panther'
415             elif re.search ("^8[.]", version) != None:
416                 conf.env['build_target'] = 'tiger'
417             elif re.search ("^9[.]", version) != None:
418                 conf.env['build_target'] = 'leopard'
419             elif re.search ("^10[.]", version) != None:
420                 conf.env['build_target'] = 'snowleopard'
421             elif re.search ("^11[.]", version) != None:
422                 conf.env['build_target'] = 'lion'
423             elif re.search ("^12[.]", version) != None:
424                 conf.env['build_target'] = 'mountainlion'
425             elif re.search ("^13[.]", version) != None:
426                 conf.env['build_target'] = 'mavericks'
427             elif re.search ("^14[.]", version) != None:
428                 conf.env['build_target'] = 'yosemite'
429             elif re.search ("^15[.]", version) != None:
430                 conf.env['build_target'] = 'el_capitan'
431             elif re.search ("^16[.]", version) != None:
432                 conf.env['build_target'] = 'sierra'
433             elif re.search ("^17[.]", version) != None:
434                 conf.env['build_target'] = 'high sierra'
435             elif re.search ("^18[.]", version) != None:
436                 conf.env['build_target'] = 'mojave'
437             else:
438                 conf.env['build_target'] = 'catalina'
439         else:
440             match = re.search(
441                     "(?P<cpu>i[0-6]86|x86_64|powerpc|ppc|ppc64|arm|s390x?)",
442                     cpu)
443             if (match):
444                 conf.env['build_target'] = match.group("cpu")
445                 if re.search("i[0-5]86", conf.env['build_target']):
446                     conf.env['build_target'] = "i386"
447             else:
448                 conf.env['build_target'] = 'none'
449     else:
450         conf.env['build_target'] = opt.dist_target
451
452     if conf.env['build_target'] == 'snowleopard':
453         #
454         # stupid OS X 10.6 has a bug in math.h that prevents llrint and friends
455         # from being visible.
456         #
457         compiler_flags.append ('-U__STRICT_ANSI__')
458
459     if opt.use_libcpp or conf.env['build_host'] in [ 'el_capitan', 'sierra', 'high_sierra', 'mojave', 'catalina' ]:
460        cxx_flags.append('--stdlib=libc++')
461        linker_flags.append('--stdlib=libc++')
462
463     if conf.options.cxx11 or conf.env['build_host'] in [ 'mavericks', 'yosemite', 'el_capitan', 'sierra', 'high_sierra', 'mojave', 'catalina' ]:
464         conf.check_cxx(cxxflags=["-std=c++11"])
465         cxx_flags.append('-std=c++11')
466         if platform == "darwin":
467             # Mavericks and later changed the syntax to be used when including Carbon headers,
468             # from requiring a full path to requiring just the header name.
469             cxx_flags.append('-DCARBON_FLAT_HEADERS')
470
471             if not opt.use_libcpp and not conf.env['build_host'] in [ 'el_capitan', 'sierra', 'high_sierra', 'mojave', 'catalina' ]:
472                 cxx_flags.append('--stdlib=libstdc++')
473                 linker_flags.append('--stdlib=libstdc++')
474             # Prevents visibility issues in standard headers
475             conf.define("_DARWIN_C_SOURCE", 1)
476         else:
477             cxx_flags.append('-DBOOST_NO_AUTO_PTR')
478
479
480     if (is_clang and platform == "darwin") or conf.env['build_host'] in [ 'mavericks', 'yosemite', 'el_capitan', 'sierra', 'high_sierra', 'mojave', 'catalina' ]:
481         # Silence warnings about the non-existing osx clang compiler flags
482         # -compatibility_version and -current_version.  These are Waf
483         # generated and not needed with clang
484         c_flags.append("-Qunused-arguments")
485         cxx_flags.append("-Qunused-arguments")
486
487     if (re.search ("(i[0-9]86|x86_64|AMD64)", cpu) != None) and conf.env['build_target'] != 'none':
488
489         #
490         # ARCH_X86 means anything in the x86 family from i386 to x86_64
491         # the compile-time presence of the macro _LP64 is used to
492         # distingush 32 and 64 bit assembler
493         #
494
495         compiler_flags.append ("-DARCH_X86")
496
497         if platform == 'linux' :
498
499             #
500             # determine processor flags via /proc/cpuinfo
501             #
502
503             if conf.env['build_target'] != 'i386':
504
505                 flag_line = os.popen ("cat /proc/cpuinfo | grep '^flags'").read()[:-1]
506                 x86_flags = flag_line.split (": ")[1:][0].split ()
507
508                 if "mmx" in x86_flags:
509                     compiler_flags.append ("-mmmx")
510                 if "sse" in x86_flags:
511                     build_host_supports_sse = True
512                 if "3dnow" in x86_flags:
513                     compiler_flags.append ("-m3dnow")
514
515             if cpu == "i586":
516                 compiler_flags.append ("-march=i586")
517             elif cpu == "i686":
518                 compiler_flags.append ("-march=i686")
519
520         if not is_clang and ((conf.env['build_target'] == 'i686') or (conf.env['build_target'] == 'x86_64')) and build_host_supports_sse:
521             compiler_flags.extend ([ flags_dict['sse'], flags_dict['fpmath-sse'], flags_dict['xmmintrinsics'] ])
522
523         if (conf.env['build_target'] == 'mingw'):
524             if (re.search ("(x86_64|AMD64)", cpu) != None):
525                 # on Windows sse is supported by 64 bit platforms only
526                 build_host_supports_sse = True
527
528                 # mingw GCC compiler to uses at&t (Unix specific) assembler dialect by default
529                 # compiler_flags.append (["--mmnemonic=att", "msyntax=att")
530
531                 compiler_flags.extend ([ flags_dict['sse'], flags_dict['fpmath-sse'], flags_dict['xmmintrinsics'], flags_dict['attasm'] ])
532
533     # end of processor-specific section
534
535     # optimization section
536     if conf.env['FPU_OPTIMIZATION']:
537         if sys.platform == 'darwin':
538             compiler_flags.append("-DBUILD_VECLIB_OPTIMIZATIONS");
539             conf.env.append_value('LINKFLAGS_OSX', ['-framework', 'Accelerate'])
540         elif conf.env['build_target'] == 'i686' or conf.env['build_target'] == 'x86_64':
541                 compiler_flags.append ("-DBUILD_SSE_OPTIMIZATIONS")
542         elif conf.env['build_target'] == 'mingw':
543                 # usability of the 64 bit windows assembler depends on the compiler target,
544                 # not the build host, which in turn can only be inferred from the name
545                 # of the compiler.
546                 if re.search ('x86_64-w64', str(conf.env['CC'])) != None:
547                         compiler_flags.append ("-DBUILD_SSE_OPTIMIZATIONS")
548         if not build_host_supports_sse:
549             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)")
550
551     # end optimization section
552
553     #
554     # no VST on x86_64
555     #
556
557     if conf.env['build_target'] == 'x86_64' and opt.windows_vst:
558         print("\n\n==================================================")
559         print("64bit Windows VST support on 64bit Linux is experimental.")
560         print("(This version of ardour will not load 32bit VSTs)")
561         print("==================================================\n\n")
562
563     if conf.env['LXVST_SUPPORT'] == True:
564         if conf.env['build_target'] == 'x86_64':
565             compiler_flags.append("-DLXVST_64BIT")
566         else:
567             compiler_flags.append("-DLXVST_32BIT")
568
569     #
570     # a single way to test if we're on OS X
571     #
572
573     if conf.env['build_target'] in ['panther', 'tiger', 'leopard' ]:
574         # force tiger or later, to avoid issues on PPC which defaults
575         # back to 10.1 if we don't tell it otherwise.
576
577         compiler_flags.extend(
578                 ("-DMAC_OS_X_VERSION_MIN_REQUIRED=1040",
579                  '-mmacosx-version-min=10.4'))
580
581     elif conf.env['build_target'] in [ 'snowleopard' ]:
582         compiler_flags.extend(
583                 ("-DMAC_OS_X_VERSION_MIN_REQUIRED=1060",
584                  '-mmacosx-version-min=10.6'))
585
586     elif conf.env['build_target'] in [ 'lion', 'mountainlion' ]:
587         compiler_flags.extend(
588                 ("-DMAC_OS_X_VERSION_MIN_REQUIRED=1070",
589                  '-mmacosx-version-min=10.7'))
590
591     elif conf.env['build_target'] in [ 'mavericks', 'yosemite' ]:
592         compiler_flags.extend(
593                 ("-DMAC_OS_X_VERSION_MAX_ALLOWED=1090",
594                  "-mmacosx-version-min=10.8"))
595
596     elif conf.env['build_target'] in ['el_capitan', 'sierra', 'high_sierra', 'mojave', 'catalina' ]:
597         compiler_flags.extend(
598                 ("-DMAC_OS_X_VERSION_MAX_ALLOWED=1090",
599                  "-mmacosx-version-min=10.9"))
600
601     #
602     # save off CPU element in an env
603     #
604     conf.define ('CONFIG_ARCH', cpu)
605
606     #
607     # ARCH="..." overrides all
608     #
609
610     if opt.arch != None:
611         optimization_flags = opt.arch.split()
612
613     #
614     # prepend boiler plate optimization flags that work on all architectures
615     #
616
617     optimization_flags[:0] = [flags_dict['pipe']]
618
619     # don't prepend optimization flags if "-O<something>" is present
620     prepend_opt_flags = True
621     for flag in optimization_flags:
622         if flag.startswith("-O"):
623             prepend_opt_flags = False
624             break
625
626     if prepend_opt_flags:
627         optimization_flags[:0] = flags_dict['full-optimization']
628
629     if opt.debug_symbols:
630         optimization_flags += flags_dict['debuggable']
631
632     if opt.profile:
633         optimization_flags += flags_dict['profile']
634
635     if opt.stl_debug:
636         cxx_flags.append("-D_GLIBCXX_DEBUG")
637
638     if re.search ("freebsd", sys.platform) != None or re.search ("openbsd", sys.platform) != None:
639         linker_flags.append('-lexecinfo')
640
641     if conf.env['DEBUG_RT_ALLOC']:
642         compiler_flags.append('-DDEBUG_RT_ALLOC')
643         linker_flags.append('-ldl')
644
645     if conf.env['DEBUG_DENORMAL_EXCEPTION']:
646         compiler_flags.append('-DDEBUG_DENORMAL_EXCEPTION')
647
648     if opt.generic:
649         compiler_flags.extend(flags_dict['generic-x86'])
650         linker_flags.extend(flags_dict['generic-x86'])
651
652     if opt.ppc:
653         compiler_flags.extend(flags_dict['generic-ppc'])
654         linker_flags.extend(flags_dict['generic-ppc'])
655
656     #
657     # warnings flags
658     #
659
660     compiler_flags.extend(flags_dict['basic-warnings'])
661
662     c_flags.extend(flags_dict['extra-c-warnings'])
663     cxx_flags.extend (flags_dict['extra-cxx-warnings'])
664
665     #
666     # more boilerplate
667     #
668
669     # need ISOC9X for llabs()
670     compiler_flags.extend(
671         ('-DBOOST_SYSTEM_NO_DEPRECATED', '-D_ISOC9X_SOURCE',
672          '-D_LARGEFILE64_SOURCE', '-D_FILE_OFFSET_BITS=64'))
673     cxx_flags.extend(
674         ('-D__STDC_LIMIT_MACROS', '-D__STDC_FORMAT_MACROS',
675          '-DCANVAS_COMPATIBILITY', '-DCANVAS_DEBUG'))
676
677     # use sparingly, prefer runtime profile
678     if Options.options.program_name.lower().startswith('mixbus'):
679         compiler_flags.append ('-DMIXBUS')
680         conf.define('MIXBUS', 1)
681
682     if Options.options.program_name.lower() == "mixbus32c":
683         conf.define('MIXBUS32C', 1)
684         compiler_flags.append ('-DMIXBUS32C')
685
686     compiler_flags.append ('-DPROGRAM_NAME="' + Options.options.program_name + '"')
687     compiler_flags.append ('-DPROGRAM_VERSION="' + PROGRAM_VERSION + '"')
688
689     conf.env['PROGRAM_NAME'] = Options.options.program_name
690
691     if opt.debug:
692         conf.env.append_value('CFLAGS', debug_flags)
693         conf.env.append_value('CXXFLAGS', debug_flags)
694     else:
695         conf.env.append_value('CFLAGS', optimization_flags)
696         conf.env.append_value('CXXFLAGS', optimization_flags)
697
698     if opt.backtrace:
699         if platform != 'darwin' and not is_clang and not Options.options.dist_target == 'mingw':
700             linker_flags += [ '-rdynamic' ]
701
702     conf.env.append_value('CFLAGS', compiler_flags)
703     conf.env.append_value('CFLAGS', c_flags)
704     conf.env.append_value('CXXFLAGS', compiler_flags)
705     conf.env.append_value('CXXFLAGS', cxx_flags)
706     conf.env.append_value('LINKFLAGS', linker_flags)
707
708 def create_resource_file(icon):
709     try:
710         text = 'IDI_ICON1 ICON DISCARDABLE "icons/' + icon + '.ico"\n'
711         o = open('gtk2_ardour/windows_icon.rc', 'w')
712         o.write(text)
713         o.close()
714     except IOError:
715         print('Could not open gtk2_ardour/windows_icon.rc for writing\n')
716         sys.exit(-1)
717
718 #----------------------------------------------------------------
719
720 # Waf stages
721
722 def options(opt):
723     opt.load('compiler_c')
724     opt.load('compiler_cxx')
725     autowaf.set_options(opt, debug_by_default=True)
726     opt.add_option('--program-name', type='string', action='store', default='Ardour', dest='program_name',
727                     help='The user-visible name of the program being built')
728     opt.add_option('--arch', type='string', action='store', dest='arch',
729                     help='Architecture-specific compiler FLAGS')
730     opt.add_option('--with-backends', type='string', action='store', default='jack', dest='with_backends',
731                     help='Specify which backend modules are to be included(jack,alsa,dummy,portaudio,coreaudio)')
732     opt.add_option('--backtrace', action='store_true', default=False, dest='backtrace',
733                     help='Compile with -rdynamic -- allow obtaining backtraces from within Ardour')
734     opt.add_option('--no-carbon', action='store_true', default=False, dest='nocarbon',
735                     help='Compile without support for AU Plugins with only CARBON UI (needed for 64bit)')
736     opt.add_option('--boost-sp-debug', action='store_true', default=False, dest='boost_sp_debug',
737                     help='Compile with Boost shared pointer debugging')
738     opt.add_option('--debug-symbols', action='store_true', default=False, dest='debug_symbols',
739                     help='Add debug-symbols to optimized builds')
740     opt.add_option('--depstack-root', type='string', default='~', dest='depstack_root',
741                     help='Directory/folder where dependency stack trees (gtk, a3) can be found (defaults to ~)')
742     opt.add_option('--dist-target', type='string', default='auto', dest='dist_target',
743                     help='Specify the target for cross-compiling [auto,none,x86,i386,i686,x86_64,tiger,leopard,mingw,msvc]')
744     opt.add_option('--fpu-optimization', action='store_true', default=True, dest='fpu_optimization',
745                     help='Build runtime checked assembler code (default)')
746     opt.add_option('--no-fpu-optimization', action='store_false', dest='fpu_optimization')
747     opt.add_option('--exports-hidden', action='store_true', default=False, dest='exports_hidden')
748     opt.add_option('--freedesktop', action='store_true', default=False, dest='freedesktop',
749                     help='Build MIME type and .desktop files as per freedesktop.org standards (will be placed in build/gtk2_ardour)')
750     opt.add_option('--freebie', action='store_true', default=False, dest='freebie',
751                     help='Build a version suitable for distribution as a zero-cost binary')
752     opt.add_option('--profile', action='store_true', default=False, dest='profile',
753                     help='Compile for use with profiling tools requiring a frame pointer')
754     opt.add_option('--gprofile', action='store_true', default=False, dest='gprofile',
755                     help='Compile for use with gprofile')
756     opt.add_option('--libjack', type='string', default="auto", dest='libjack_link',
757                     help='libjack link mode  [auto|link|weak]')
758     opt.add_option('--internal-shared-libs', action='store_true', default=True, dest='internal_shared_libs',
759                    help='Build internal libs as shared libraries')
760     opt.add_option('--internal-static-libs', action='store_false', dest='internal_shared_libs',
761                    help='Build internal libs as static libraries')
762     opt.add_option('--use-external-libs', action='store_true', default=False, dest='use_external_libs',
763                    help='Use external/system versions of some bundled libraries')
764     opt.add_option('--keepflags', action='store_true', default=False, dest='keepflags',
765                     help='Do not ignore CFLAGS/CXXFLAGS environment vars')
766     opt.add_option('--luadoc', action='store_true', default=False, dest='luadoc',
767                     help='Compile Tool to dump LuaBindings (needs C++11)')
768     opt.add_option('--canvasui', action='store_true', default=False, dest='canvasui',
769                     help='Compile libcanvas test GUI')
770     opt.add_option('--beatbox', action='store_true', default=False, dest='beatbox',
771                     help='Compile beatbox test app')
772     opt.add_option('--lv2dir', type='string', help="install destination for builtin LV2 bundles [Default: LIBDIR/lv2]")
773     opt.add_option('--lxvst', action='store_true', default=True, dest='lxvst',
774                     help='Compile with support for linuxVST plugins')
775     opt.add_option('--no-lxvst', action='store_false', dest='lxvst',
776                     help='Compile without support for linuxVST plugins')
777     opt.add_option('--no-lrdf', action='store_true', dest='no_lrdf',
778                     help='Compile without support for LRDF LADSPA data even if present')
779     opt.add_option('--nls', action='store_true', default=True, dest='nls',
780                     help='Enable i18n (native language support) (default)')
781     opt.add_option('--no-nls', action='store_false', dest='nls')
782     opt.add_option('--phone-home', action='store_true', default=True, dest='phone_home',
783                    help='Contact ardour.org at startup for new announcements')
784     opt.add_option('--no-phone-home', action='store_false', dest='phone_home',
785                    help='Do not contact ardour.org at startup for new announcements')
786     opt.add_option('--stl-debug', action='store_true', default=False, dest='stl_debug',
787                     help='Build with debugging for the STL')
788     opt.add_option('--rt-alloc-debug', action='store_true', default=False, dest='rt_alloc_debug',
789                     help='Build with debugging for memory allocation in the real-time thread')
790     opt.add_option('--pt-timing', action='store_true', default=False, dest='pt_timing',
791                     help='Build with logging of timing in the process thread(s)')
792     opt.add_option('--denormal-exception', action='store_true', default=False, dest='denormal_exception',
793                     help='Raise a floating point exception if a denormal is detected')
794     opt.add_option('--test', action='store_true', default=False, dest='build_tests',
795                     help="Build unit tests")
796     opt.add_option('--run-tests', action='store_true', default=False, dest='run_tests',
797                     help="Run tests after build")
798     opt.add_option('--single-tests', action='store_true', default=False, dest='single_tests',
799                     help="Build a single executable for each unit test")
800     #opt.add_option('--tranzport', action='store_true', default=False, dest='tranzport',
801     # help='Compile with support for Frontier Designs Tranzport (if libusb is available)')
802     opt.add_option('--maschine', action='store_true', default=False, dest='maschine',
803                     help='Compile with support for NI-Maschine')
804     opt.add_option('--generic', action='store_true', default=False, dest='generic',
805                     help='Compile with -arch i386 (OS X ONLY)')
806     opt.add_option('--ppc', action='store_true', default=False, dest='ppc',
807                     help='Compile with -arch ppc (OS X ONLY)')
808     opt.add_option('--versioned', action='store_true', default=False, dest='versioned',
809                     help='Add revision information to executable name inside the build directory')
810     opt.add_option('--windows-vst', action='store_true', default=False, dest='windows_vst',
811                     help='Compile with support for Windows VST')
812     opt.add_option('--windows-key', type='string', action='store', dest='windows_key', default='Mod4><Super',
813                     help='X Modifier(s) (Mod1,Mod2, etc) for the Windows key (X11 builds only). ' +
814                     'Multiple modifiers must be separated by \'><\'')
815     opt.add_option('--boost-include', type='string', action='store', dest='boost_include', default='',
816                     help='directory where Boost header files can be found')
817     opt.add_option('--also-include', type='string', action='store', dest='also_include', default='',
818                     help='additional include directory where header files can be found (split multiples with commas)')
819     opt.add_option('--also-libdir', type='string', action='store', dest='also_libdir', default='',
820                     help='additional include directory where shared libraries can be found (split multiples with commas)')
821     opt.add_option('--wine-include', type='string', action='store', dest='wine_include', default='/usr/include/wine/windows',
822                     help='directory where Wine\'s Windows header files can be found')
823     opt.add_option('--noconfirm', action='store_true', default=False, dest='noconfirm',
824                     help='Do not ask questions that require confirmation during the build')
825     opt.add_option('--cxx11', action='store_true', default=False, dest='cxx11',
826                     help='Turn on c++11 compiler flags (-std=c++11)')
827     opt.add_option('--use-libc++', action='store_true', default=False, dest='use_libcpp',
828                     help='use libc++ instead of default or auto-detected stdlib')
829     opt.add_option('--address-sanitizer', action='store_true', default=False, dest='asan',
830                     help='Turn on AddressSanitizer (requires GCC >= 4.8 or clang >= 3.1)')
831     opt.add_option('--ptformat', action='store_true', default=False, dest='ptformat',
832                     help='Turn on PT session import option')
833     opt.add_option('--no-threaded-waveviews', action='store_true', default=False, dest='no_threaded_waveviews',
834                     help='Disable threaded waveview rendering')
835     opt.add_option(
836         '--qm-dsp-include', type='string', action='store',
837         dest='qm_dsp_include', default='/usr/include/qm-dsp',
838         help='directory where the header files of qm-dsp can be found')
839     opt.add_option ('--use-lld', action='store_true', default=False, dest='use_lld', help='Use LLD linker instead of ld (Linux only)')
840
841     for i in children:
842         opt.recurse(i)
843
844 def sub_config_and_use(conf, name, has_objects = True):
845     conf.recurse(name)
846     autowaf.set_local_lib(conf, name, has_objects)
847
848 def configure(conf):
849     conf.load('compiler_c')
850     conf.load('compiler_cxx')
851     if Options.options.dist_target == 'mingw':
852         conf.load('winres')
853
854     if Options.options.dist_target == 'msvc':
855         conf.env['MSVC_VERSIONS'] = ['msvc 10.0', 'msvc 9.0', 'msvc 8.0', 'msvc 7.1', 'msvc 7.0', 'msvc 6.0', ]
856         conf.env['MSVC_TARGETS'] = ['x64']
857         conf.load('msvc')
858
859     if Options.options.debug and not Options.options.keepflags:
860         # Nuke user CFLAGS/CXXFLAGS if debug is set (they likely contain -O3, NDEBUG, etc)
861         conf.env['CFLAGS'] = []
862         conf.env['CXXFLAGS'] = []
863
864     # freedesktop translations needs itstool > 1.0.3 (-j option)
865     if Options.options.freedesktop:
866         output = subprocess.Popen("itstool --version", shell=True, stderr=subprocess.STDOUT, stdout=subprocess.PIPE).communicate()[0].splitlines()
867         o = output[0].decode('utf-8')
868         itstool = o.split(' ')[0]
869         version = o.split(' ')[1].split('.')
870         # use  distutils.version.StrictVersion  or something python to check >= 1.0.4
871         # but first make sure that all build-hosts (incl. OSX-10.5/PPC) have that python lib.
872         # lazy approach: just use major version 2.X.X
873         if itstool != "itstool" or version[0] < "2":
874             print("--freedesktop requires itstool > 2.0.0 to translate files.")
875             sys.exit(-1)
876
877     conf.env['VERSION'] = VERSION
878     conf.env['MAJOR'] = MAJOR
879     conf.env['MINOR'] = MINOR
880     conf.env['MICRO'] = MICRO
881     conf.line_just = 52
882     autowaf.set_recursive()
883     autowaf.configure(conf)
884     autowaf.display_header('Ardour Configuration')
885
886     # systems with glibc have libintl builtin. systems without require explicit
887     # linkage against libintl.
888     #
889
890     pkg_config_path = os.getenv('PKG_CONFIG_PATH')
891     user_gtk_root = os.path.expanduser (Options.options.depstack_root + '/gtk/inst')
892
893     if os.getenv('DEPSTACK_ROOT') is not None and os.path.exists (os.getenv('DEPSTACK_ROOT') + '/lib'):
894         conf.env['DEPSTACK_REV'] = get_depstack_rev (os.getenv('DEPSTACK_ROOT') + '/lib')
895     elif pkg_config_path is not None and pkg_config_path.find (user_gtk_root) >= 0:
896         # told to search user_gtk_root
897         prefinclude = ''.join ([ '-I', user_gtk_root + '/include'])
898         preflib = ''.join ([ '-L', user_gtk_root + '/lib'])
899         conf.env.append_value('CFLAGS', [ prefinclude ])
900         conf.env.append_value('CXXFLAGS',  [prefinclude ])
901         conf.env.append_value('LINKFLAGS', [ preflib ])
902         autowaf.display_msg(conf, 'Will build against private GTK dependency stack in ' + user_gtk_root, 'yes')
903         conf.env['DEPSTACK_REV'] = get_depstack_rev (user_gtk_root)
904     else:
905         autowaf.display_msg(conf, 'Will build against private GTK dependency stack', 'no')
906         conf.env['DEPSTACK_REV'] = '-system-'
907
908     if sys.platform == 'darwin':
909         conf.define ('NEED_INTL', 1)
910         autowaf.display_msg(conf, 'Will use explicit linkage against libintl in ' + user_gtk_root, 'yes')
911     else:
912         # libintl is part of the system, so use it
913         autowaf.display_msg(conf, 'Will rely on libintl built into libc', 'yes')
914
915     user_ardour_root = os.path.expanduser (Options.options.depstack_root + '/a3/inst')
916     if pkg_config_path is not None and pkg_config_path.find (user_ardour_root) >= 0:
917         # told to search user_ardour_root
918         prefinclude = ''.join ([ '-I', user_ardour_root + '/include'])
919         preflib = ''.join ([ '-L', user_ardour_root + '/lib'])
920         conf.env.append_value('CFLAGS', [ prefinclude ])
921         conf.env.append_value('CXXFLAGS',  [prefinclude ])
922         conf.env.append_value('LINKFLAGS', [ preflib ])
923         autowaf.display_msg(conf, 'Will build against private Ardour dependency stack in ' + user_ardour_root, 'yes')
924     else:
925         autowaf.display_msg(conf, 'Will build against private Ardour dependency stack', 'no')
926
927     if Options.options.freebie:
928         conf.env.append_value ('CFLAGS', '-DSILENCE_AFTER')
929         conf.env.append_value ('CXXFLAGS', '-DSILENCE_AFTER')
930         conf.define ('FREEBIE', 1)
931
932     if Options.options.lv2dir:
933         conf.env['LV2DIR'] = Options.options.lv2dir
934     else:
935         conf.env['LV2DIR'] = os.path.join(conf.env['LIBDIR'], 'ardour' + str(conf.env['MAJOR']), 'LV2')
936
937     conf.env['LV2DIR'] = os.path.normpath(conf.env['LV2DIR'])
938
939     if sys.platform == 'darwin':
940
941         # this is required, potentially, for anything we link and then relocate into a bundle
942         conf.env.append_value('LINKFLAGS', [ '-Xlinker', '-headerpad_max_install_names' ])
943
944         conf.define ('HAVE_COREAUDIO', 1)
945         conf.define ('AUDIOUNIT_SUPPORT', 1)
946
947         if not Options.options.ppc:
948             conf.define('MACVST_SUPPORT', 1)
949
950         conf.define ('TOP_MENUBAR',1)
951
952         # It would be nice to be able to use this to force back-compatibility with 10.4
953         # but even by the time of 11, the 10.4 SDK is no longer available in any normal
954         # way.
955         #
956         #conf.env.append_value('CXXFLAGS_OSX', "-isysroot /Developer/SDKs/MacOSX10.4u.sdk")
957         #conf.env.append_value('CFLAGS_OSX', "-isysroot /Developer/SDKs/MacOSX10.4u.sdk")
958         #conf.env.append_value('LINKFLAGS_OSX', "-sysroot /Developer/SDKs/MacOSX10.4u.sdk")
959         #conf.env.append_value('LINKFLAGS_OSX', "-sysroot /Developer/SDKs/MacOSX10.4u.sdk")
960
961         conf.env.append_value('CXXFLAGS_OSX', "-msse")
962         conf.env.append_value('CFLAGS_OSX', "-msse")
963         conf.env.append_value('CXXFLAGS_OSX', "-msse2")
964         conf.env.append_value('CFLAGS_OSX', "-msse2")
965         #
966         #       TODO: The previous sse flags NEED to be based
967         #       off processor type.  Need to add in a check
968         #       for that.
969         #
970         conf.env.append_value('LINKFLAGS_OSX', ['-framework', 'AppKit'])
971         conf.env.append_value('LINKFLAGS_OSX', ['-framework', 'CoreAudio'])
972         conf.env.append_value('LINKFLAGS_OSX', ['-framework', 'CoreAudioKit'])
973         conf.env.append_value('LINKFLAGS_OSX', ['-framework', 'CoreFoundation'])
974         conf.env.append_value('LINKFLAGS_OSX', ['-framework', 'CoreServices'])
975
976         conf.env.append_value('LINKFLAGS_OSX', ['-undefined', 'dynamic_lookup' ])
977         conf.env.append_value('LINKFLAGS_OSX', ['-flat_namespace'])
978
979         conf.env.append_value('CXXFLAGS_AUDIOUNITS', "-DAUDIOUNIT_SUPPORT")
980         conf.env.append_value('LINKFLAGS_AUDIOUNITS', ['-framework', 'AudioToolbox', '-framework', 'AudioUnit'])
981         conf.env.append_value('LINKFLAGS_AUDIOUNITS', ['-framework', 'Cocoa'])
982
983         if (
984                 # osx up to and including 10.6 (uname 10.X.X)
985                 (re.search ("^[1-9][0-9]\.", os.uname()[2]) == None or not re.search ("^10\.", os.uname()[2]) == None)
986                 and (Options.options.generic or Options.options.ppc)
987                 and not Options.options.nocarbon
988            ):
989             conf.env.append_value('CXXFLAGS_AUDIOUNITS', "-DWITH_CARBON")
990             conf.env.append_value('LINKFLAGS_AUDIOUNITS', ['-framework', 'Carbon'])
991         else:
992             print ('No Carbon support available for this build\n')
993
994
995     if Options.options.canvasui:
996         conf.env['CANVASTESTUI'] = True
997         conf.define ('CANVASTESTUI', 1)
998
999     if Options.options.beatbox:
1000         conf.env['BEATBOX'] = True
1001         conf.define ('BEATBOX', 1)
1002
1003     if Options.options.luadoc:
1004         conf.env['LUABINDINGDOC'] = True
1005         conf.define ('LUABINDINGDOC', 1)
1006
1007     if Options.options.internal_shared_libs:
1008         conf.define('INTERNAL_SHARED_LIBS', 1)
1009
1010     if Options.options.use_external_libs:
1011         conf.define('USE_EXTERNAL_LIBS', 1)
1012         conf.env.append_value(
1013             'CXXFLAGS', '-I' + Options.options.qm_dsp_include)
1014
1015     if Options.options.boost_include != '':
1016         conf.env.append_value('CXXFLAGS', '-I' + Options.options.boost_include)
1017
1018     if Options.options.also_include != '':
1019         conf.env.append_value('CXXFLAGS', '-I' + Options.options.also_include)
1020         conf.env.append_value('CFLAGS', '-I' + Options.options.also_include)
1021
1022     if Options.options.also_libdir != '':
1023         conf.env.append_value('LDFLAGS', '-L' + Options.options.also_libdir)
1024
1025     if Options.options.boost_sp_debug:
1026         conf.env.append_value('CXXFLAGS', '-DBOOST_SP_ENABLE_DEBUG_HOOKS')
1027
1028     # executing a test program is n/a when cross-compiling
1029     if Options.options.dist_target != 'mingw':
1030         if Options.options.dist_target != 'msvc' and re.search ("openbsd", sys.platform) == None:
1031             if re.search ("freebsd", sys.platform) != None:
1032                 conf.check_cc(function_name='dlopen', header_name='dlfcn.h', uselib_store='DL')
1033             else:
1034                 conf.check_cc(function_name='dlopen', header_name='dlfcn.h', lib='dl', uselib_store='DL')
1035
1036     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",
1037               execute = False,
1038               mandatory = True,
1039               msg = 'Checking for boost library >= 1.39',
1040               okmsg = 'ok',
1041               errmsg = 'too old\nPlease install boost version 1.39 or higher.')
1042
1043     if re.search ("linux", sys.platform) != None and Options.options.dist_target != 'mingw':
1044         autowaf.check_pkg(conf, 'alsa', uselib_store='ALSA')
1045
1046     if re.search ("linux", sys.platform) != None and Options.options.dist_target != 'mingw':
1047         autowaf.check_pkg(conf, 'libpulse', uselib_store='PULSEAUDIO', mandatory=False)
1048
1049     if re.search ("openbsd", sys.platform) != None:
1050         conf.env.append_value('LDFLAGS', '-L/usr/X11R6/lib')
1051
1052     autowaf.check_pkg(conf, 'glib-2.0', uselib_store='GLIB', atleast_version='2.28', mandatory=True)
1053     autowaf.check_pkg(conf, 'gthread-2.0', uselib_store='GTHREAD', atleast_version='2.2', mandatory=True)
1054     autowaf.check_pkg(conf, 'glibmm-2.4', uselib_store='GLIBMM', atleast_version='2.32.0', mandatory=True)
1055     autowaf.check_pkg(conf, 'sndfile', uselib_store='SNDFILE', atleast_version='1.0.18', mandatory=True)
1056     autowaf.check_pkg(conf, 'giomm-2.4', uselib_store='GIOMM', atleast_version='2.2', mandatory=True)
1057     autowaf.check_pkg(conf, 'libcurl', uselib_store='CURL', atleast_version='7.0.0', mandatory=True)
1058     autowaf.check_pkg(conf, 'libarchive', uselib_store='ARCHIVE', atleast_version='3.0.0', mandatory=True)
1059     autowaf.check_pkg(conf, 'liblo', uselib_store='LO', atleast_version='0.26', mandatory=True)
1060     autowaf.check_pkg(conf, 'taglib', uselib_store='TAGLIB', atleast_version='1.6', mandatory=True)
1061     autowaf.check_pkg(conf, 'vamp-sdk', uselib_store='VAMPSDK', atleast_version='2.1', mandatory=True)
1062     autowaf.check_pkg(conf, 'vamp-hostsdk', uselib_store='VAMPHOSTSDK', atleast_version='2.1', mandatory=True)
1063     autowaf.check_pkg(conf, 'rubberband', uselib_store='RUBBERBAND', mandatory=True)
1064
1065     have_rf64_riff_support = conf.check_cc(fragment = '''
1066 #include <sndfile.h>
1067 int main () { int x = SFC_RF64_AUTO_DOWNGRADE; return 0; }
1068 ''',
1069                                            features  = 'c',
1070                                            mandatory = False,
1071                                            execute   = False,
1072                                            use = 'SNDFILE',
1073                                            msg       = 'Checking for  sndfile RF64=>RIFF support',
1074                                            okmsg = 'Found',
1075                                            errmsg = 'Not found, no RF64-to-WAV support')
1076
1077     if have_rf64_riff_support:
1078             conf.env.append_value('CXXFLAGS', "-DHAVE_RF64_RIFF")
1079             conf.env.append_value('CFLAGS', "-DHAVE_RF64_RIFF")
1080
1081     if Options.options.dist_target == 'mingw':
1082         Options.options.fpu_optimization = True
1083         conf.env.append_value('CFLAGS', '-DPLATFORM_WINDOWS')
1084         conf.env.append_value('CFLAGS', '-DCOMPILER_MINGW')
1085         conf.env.append_value('CXXFLAGS', '-DPLATFORM_WINDOWS')
1086         conf.env.append_value('CXXFLAGS', '-DCOMPILER_MINGW')
1087         if conf.options.cxx11:
1088             conf.env.append_value('CFLAGS', '-D_USE_MATH_DEFINES')
1089             conf.env.append_value('CXXFLAGS', '-D_USE_MATH_DEFINES')
1090             conf.env.append_value('CFLAGS', '-DWIN32')
1091             conf.env.append_value('CXXFLAGS', '-DWIN32')
1092         conf.env.append_value('LIB', 'pthread')
1093         # needed for at least libsmf
1094         conf.check_cc(function_name='htonl', header_name='winsock2.h', lib='ws2_32')
1095         conf.env.append_value('LIB', 'ws2_32')
1096         conf.env.append_value('LIB', 'winmm')
1097         if Options.options.program_name.lower().startswith('mixbus'):
1098             conf.env.append_value('LIB', 'ole32')
1099             conf.env.append_value('LIB', 'uuid')
1100         # needed for mingw64 packages, not harmful on normal mingw build
1101         conf.env.append_value('LIB', 'intl')
1102         conf.check_cc(function_name='regcomp', header_name='regex.h',
1103                       lib='regex', uselib_store="REGEX", define_name='HAVE_REGEX_H')
1104         # TODO put this only where it is needed
1105         conf.env.append_value('LIB', 'regex')
1106         # TODO this should only be necessary for a debug build
1107         conf.env.append_value('LIB', 'dbghelp')
1108
1109         # work around GdkDrawable BitBlt performance issue on windows
1110         # see http://gareus.org/wiki/ardour_windows_gdk_and_cairo
1111         conf.env.append_value('CFLAGS', '-DUSE_CAIRO_IMAGE_SURFACE')
1112         conf.env.append_value('CXXFLAGS', '-DUSE_CAIRO_IMAGE_SURFACE')
1113         conf.define ('WINDOWS', 1)
1114
1115         have_ptw_semaphore = conf.check_cc(fragment = '''
1116 #include <pthread.h>
1117 #include <semaphore.h>
1118 int main () { return 0; }
1119 ''',
1120                                            features  = 'c',
1121                                            mandatory = False,
1122                                            execute   = False,
1123                                            msg       = 'Checking for pthread posix semaphore',
1124                                            okmsg     = 'Found',
1125                                            errmsg    = 'Not found, falling back to Windows Semaphore.')
1126
1127         #if have_ptw_semaphore:
1128         #    conf.define('USE_PTW32_SEMAPHORE', 1)
1129         #    conf.env.append_value('CFLAGS', '-DUSE_PTW32_SEMAPHORE')
1130         #    conf.env.append_value('CXXFLAGS', '-DUSE_PTW32_SEMAPHORE')
1131
1132     if Options.options.dist_target == 'msvc':
1133         conf.env.append_value('CFLAGS', '-DPLATFORM_WINDOWS')
1134         conf.env.append_value('CFLAGS', '-DCOMPILER_MSVC')
1135         conf.env.append_value('CXXFLAGS', '-DPLATFORM_WINDOWS')
1136         conf.env.append_value('CXXFLAGS', '-DCOMPILER_MSVC')
1137         # work around GdkDrawable BitBlt performance issue on windows
1138         # see http://gareus.org/wiki/ardour_windows_gdk_and_cairo
1139         conf.env.append_value('CFLAGS', '-DUSE_CAIRO_IMAGE_SURFACE')
1140         conf.env.append_value('CXXFLAGS', '-DUSE_CAIRO_IMAGE_SURFACE')
1141         # MORE STUFF PROBABLY NEEDED HERE
1142         conf.define ('WINDOWS', 1)
1143
1144     # Tell everyone that this is a waf build
1145
1146     conf.env.append_value('CFLAGS', '-DWAF_BUILD')
1147     conf.env.append_value('CXXFLAGS', '-DWAF_BUILD')
1148
1149     opts = Options.options
1150
1151     # (optionally) Adopt Microsoft-like convention that makes all non-explicitly exported
1152     # symbols invisible (rather than doing this all over the wscripts in the src tree)
1153     #
1154     # This won't apply to MSVC but that hasn't been added as a target yet
1155     #
1156     # We can't do this till all tests are complete, since some fail if this is et.
1157     if opts.exports_hidden:
1158         conf.define ('EXPORT_VISIBILITY_HIDDEN', True)
1159         if opts.internal_shared_libs:
1160             conf.env.append_value ('CXXFLAGS', '-fvisibility=hidden')
1161             conf.env.append_value ('CFLAGS', '-fvisibility=hidden')
1162     else:
1163         conf.define ('EXPORT_VISIBILITY_HIDDEN', False)
1164
1165     # Set up waf environment and C defines
1166     if opts.phone_home:
1167         conf.define('PHONE_HOME', 1)
1168         conf.env['PHONE_HOME'] = True
1169     if opts.fpu_optimization:
1170         conf.env['FPU_OPTIMIZATION'] = True
1171     if opts.freedesktop:
1172         conf.env['FREEDESKTOP'] = True
1173     if opts.nls:
1174         conf.define('ENABLE_NLS', 1)
1175         conf.env['ENABLE_NLS'] = True
1176     else:
1177         conf.define('ENABLE_NLS', 0)
1178         conf.env['ENABLE_NLS'] = False
1179     if opts.build_tests:
1180         conf.env['BUILD_TESTS'] = True
1181         conf.env['RUN_TESTS'] = opts.run_tests
1182     if opts.single_tests:
1183         conf.env['SINGLE_TESTS'] = opts.single_tests
1184     #if opts.tranzport:
1185     #    conf.env['TRANZPORT'] = 1
1186     if opts.windows_vst:
1187         conf.define('WINDOWS_VST_SUPPORT', 1)
1188         conf.env['WINDOWS_VST_SUPPORT'] = True
1189         if not Options.options.dist_target == 'mingw':
1190             conf.env.append_value('CFLAGS', '-I' + Options.options.wine_include)
1191             conf.env.append_value('CXXFLAGS', '-I' + Options.options.wine_include)
1192             autowaf.check_header(conf, 'cxx', 'windows.h', mandatory = True)
1193     if opts.lxvst:
1194         if sys.platform == 'darwin':
1195             conf.env['LXVST_SUPPORT'] = False
1196         elif Options.options.dist_target == 'mingw':
1197             conf.env['LXVST_SUPPORT'] = False
1198         else:
1199             conf.define('LXVST_SUPPORT', 1)
1200             conf.env['LXVST_SUPPORT'] = True
1201     conf.env['WINDOWS_KEY'] = opts.windows_key
1202     if opts.rt_alloc_debug:
1203         conf.define('DEBUG_RT_ALLOC', 1)
1204         conf.env['DEBUG_RT_ALLOC'] = True
1205     if opts.pt_timing:
1206         conf.define('PT_TIMING', 1)
1207         conf.env['PT_TIMING'] = True
1208     if opts.denormal_exception:
1209         conf.define('DEBUG_DENORMAL_EXCEPTION', 1)
1210         conf.env['DEBUG_DENORMAL_EXCEPTION'] = True
1211     if opts.build_tests:
1212         autowaf.check_pkg(conf, 'cppunit', uselib_store='CPPUNIT', atleast_version='1.12.0', mandatory=True)
1213     if opts.ptformat:
1214         conf.define('PTFORMAT', 1)
1215         conf.env['PTFORMAT'] = True
1216     if opts.no_threaded_waveviews:
1217         conf.define('NO_THREADED_WAVEVIEWS', 1)
1218         conf.env['NO_THREADED_WAVEVIEWS'] = True
1219
1220     backends = opts.with_backends.split(',')
1221     if opts.build_tests and 'dummy' not in backends:
1222         backends += ['dummy']
1223
1224     if not backends:
1225         print("Must configure and build at least one backend")
1226         sys.exit(1)
1227
1228     conf.env['BACKENDS'] = backends
1229     conf.env['BUILD_JACKBACKEND'] = any('jack' in b for b in backends)
1230     conf.env['BUILD_ALSABACKEND'] = any('alsa' in b for b in backends)
1231     conf.env['BUILD_DUMMYBACKEND'] = any('dummy' in b for b in backends)
1232     conf.env['BUILD_PABACKEND'] = any('portaudio' in b for b in backends)
1233     conf.env['BUILD_CORECRAPPITA'] = any('coreaudio' in b for b in backends)
1234     conf.env['BUILD_PULSEAUDIO'] = any('pulseaudio' in b for b in backends)
1235
1236     if (Options.options.use_lld):
1237         if re.search ("linux", sys.platform) != None and Options.options.dist_target != 'mingw' and conf.env['BUILD_PABACKEND']:
1238                 print("lld is only for Linux builds")
1239                 sys.exit(1)
1240         else:
1241                 conf.find_program ('lld')
1242                 conf.env.append_value('LINKFLAGS', '-fuse-ld=lld')
1243
1244     if re.search ("linux", sys.platform) != None and Options.options.dist_target != 'mingw' and conf.env['BUILD_PABACKEND']:
1245         print("PortAudio Backend is not for Linux")
1246         sys.exit(1)
1247
1248
1249     if sys.platform != 'darwin' and conf.env['BUILD_CORECRAPPITA']:
1250         print("Coreaudio backend is only available for OSX")
1251         sys.exit(1)
1252
1253     if re.search ("linux", sys.platform) == None and conf.env['BUILD_ALSABACKEND']:
1254         print("ALSA Backend is only available on Linux")
1255         sys.exit(1)
1256
1257     if re.search ("linux", sys.platform) == None and conf.env['BUILD_PULSEAUDIO']:
1258         print("Pulseaudio Backend is only available on Linux")
1259         sys.exit(1)
1260
1261     if conf.env['BUILD_PULSEAUDIO'] and not conf.is_defined('HAVE_PULSEAUDIO'):
1262         print("Pulseaudio Backend requires libpulse-dev")
1263         sys.exit(1)
1264
1265     set_compiler_flags (conf, Options.options)
1266
1267     if conf.env['build_host'] not in [ 'mojave', 'catalina']:
1268             conf.env.append_value('CXXFLAGS_OSX', '-F/System/Library/Frameworks')
1269             print "**** YES ADDING FRAMEWORKS";
1270
1271     conf.env.append_value('CXXFLAGS_OSX', '-F/Library/Frameworks')
1272
1273     if sys.platform == 'darwin':
1274         sub_config_and_use(conf, 'libs/appleutility')
1275     elif re.search ("openbsd", sys.platform) != None:
1276         pass
1277     elif Options.options.dist_target != 'mingw':
1278         sub_config_and_use(conf, 'tools/sanity_check')
1279         sub_config_and_use(conf, 'tools/gccabicheck')
1280
1281     sub_config_and_use(conf, 'libs/clearlooks-newer')
1282
1283     for i in children:
1284         sub_config_and_use(conf, i)
1285
1286     # Fix utterly braindead FLAC include path to not smash assert.h
1287     conf.env['INCLUDES_FLAC'] = []
1288
1289     config_text = open('libs/ardour/config_text.cc', "w")
1290     config_text.write('''#include "ardour/ardour.h"
1291 namespace ARDOUR {
1292 const char* const ardour_config_info = "\\n\\
1293 ''')
1294
1295     def write_config_text(title, val):
1296         autowaf.display_msg(conf, title, val)
1297         config_text.write(title + ': ')
1298         config_text.write(str(val).replace ('"', '\\"'))
1299         config_text.write("\\n\\\n")
1300
1301     write_config_text('Build documentation',   conf.env['DOCS'])
1302     write_config_text('Debuggable build',      conf.env['DEBUG'])
1303     write_config_text('Export all symbols (backtrace)', opts.backtrace)
1304     write_config_text('Install prefix',        conf.env['PREFIX'])
1305     write_config_text('Strict compiler flags', conf.env['STRICT'])
1306     write_config_text('Internal Shared Libraries', conf.is_defined('INTERNAL_SHARED_LIBS'))
1307     write_config_text('Use External Libraries', conf.is_defined('USE_EXTERNAL_LIBS'))
1308     write_config_text('Library exports hidden', conf.is_defined('EXPORT_VISIBILITY_HIDDEN'))
1309     write_config_text('Free/Demo copy',        conf.is_defined('FREEBIE'))
1310     config_text.write("\\n\\\n")
1311     write_config_text('ALSA DBus Reservation', conf.is_defined('HAVE_DBUS'))
1312     write_config_text('Architecture flags',    opts.arch)
1313     write_config_text('Aubio',                 conf.is_defined('HAVE_AUBIO'))
1314     write_config_text('AudioUnits',            conf.is_defined('AUDIOUNIT_SUPPORT'))
1315     write_config_text('Build target',          conf.env['build_target'])
1316     write_config_text('Canvas Test UI',        conf.is_defined('CANVASTESTUI'))
1317     write_config_text('Beatbox test app',      conf.is_defined('BEATBOX'))
1318     write_config_text('CoreAudio',             conf.is_defined('HAVE_COREAUDIO'))
1319     write_config_text('CoreAudio 10.5 compat', conf.is_defined('COREAUDIO105'))
1320     write_config_text('Debug RT allocations',  conf.is_defined('DEBUG_RT_ALLOC'))
1321     write_config_text('Debug Symbols',         conf.is_defined('debug_symbols') or conf.env['DEBUG'])
1322     write_config_text('Denormal exceptions',   conf.is_defined('DEBUG_DENORMAL_EXCEPTION'))
1323     write_config_text('FLAC',                  conf.is_defined('HAVE_FLAC'))
1324     write_config_text('FPU optimization',      opts.fpu_optimization)
1325     write_config_text('Freedesktop files',     opts.freedesktop)
1326     write_config_text('Libjack linking',       conf.env['libjack_link'])
1327     write_config_text('Libjack metadata',      conf.is_defined ('HAVE_JACK_METADATA'))
1328     write_config_text('Lua Binding Doc',       conf.is_defined('LUABINDINGDOC'))
1329     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'))
1330     write_config_text('LV2 UI embedding',      conf.is_defined('HAVE_SUIL'))
1331     write_config_text('LV2 support',           conf.is_defined('LV2_SUPPORT'))
1332     write_config_text('LV2 extensions',        conf.is_defined('LV2_EXTENDED'))
1333     write_config_text('LXVST support',         conf.is_defined('LXVST_SUPPORT'))
1334     write_config_text('Mac VST support',       conf.is_defined('MACVST_SUPPORT'))
1335     write_config_text('NI-Maschine',           opts.maschine)
1336     write_config_text('OGG',                   conf.is_defined('HAVE_OGG'))
1337     write_config_text('Phone home',            conf.is_defined('PHONE_HOME'))
1338     write_config_text('Process thread timing', conf.is_defined('PT_TIMING'))
1339     write_config_text('Program name',          opts.program_name)
1340     write_config_text('Samplerate',            conf.is_defined('HAVE_SAMPLERATE'))
1341     write_config_text('PT format',             conf.is_defined('PTFORMAT'))
1342     write_config_text('PTW32 Semaphore',       conf.is_defined('USE_PTW32_SEMAPHORE'))
1343 #    write_config_text('Soundtouch',            conf.is_defined('HAVE_SOUNDTOUCH'))
1344     write_config_text('Threaded WaveViews',    not opts.no_threaded_waveviews)
1345     write_config_text('Translation',           opts.nls)
1346 #    write_config_text('Tranzport',             opts.tranzport)
1347     write_config_text('Unit tests',            conf.env['BUILD_TESTS'])
1348     write_config_text('Use LLD linker',        opts.use_lld)
1349     write_config_text('Windows VST support',   opts.windows_vst)
1350     write_config_text('Wiimote support',       conf.is_defined('BUILD_WIIMOTE'))
1351     write_config_text('Windows key',           opts.windows_key)
1352     config_text.write("\\n\\\n")
1353     write_config_text('PortAudio Backend',     conf.env['BUILD_PABACKEND'])
1354     write_config_text('CoreAudio/Midi Backend',conf.env['BUILD_CORECRAPPITA'])
1355     write_config_text('ALSA Backend',          conf.env['BUILD_ALSABACKEND'])
1356     write_config_text('Dummy backend',         conf.env['BUILD_DUMMYBACKEND'])
1357     write_config_text('JACK Backend',          conf.env['BUILD_JACKBACKEND'])
1358     write_config_text('Pulseaudio Backend',    conf.env['BUILD_PULSEAUDIO'])
1359     config_text.write("\\n\\\n")
1360     write_config_text('Buildstack', conf.env['DEPSTACK_REV'])
1361     write_config_text('Mac i386 Architecture', opts.generic)
1362     write_config_text('Mac ppc Architecture',  opts.ppc)
1363     config_text.write("\\n\\\n")
1364     write_config_text('C compiler flags',      conf.env['CFLAGS'])
1365     write_config_text('C++ compiler flags',    conf.env['CXXFLAGS'])
1366     write_config_text('Linker flags',          conf.env['LINKFLAGS'])
1367
1368     config_text.write ('";\n}\n')
1369     config_text.close ()
1370     print('')
1371
1372     if Options.options.dist_target == 'mingw' or Options.options.dist_target == 'msvc':
1373         create_resource_file(Options.options.program_name)
1374
1375 def build(bld):
1376     create_stored_revision()
1377
1378     bld.env['DATE'] = rev_date
1379
1380     # add directories that contain only headers, to workaround an issue with waf
1381
1382     if not bld.is_defined('USE_EXTERNAL_LIBS'):
1383         bld.path.find_dir ('libs/libltc/ltc')
1384     bld.path.find_dir ('libs/evoral/evoral')
1385     bld.path.find_dir ('libs/surfaces/control_protocol/control_protocol')
1386     bld.path.find_dir ('libs/temporal/temporal')
1387     bld.path.find_dir ('libs/gtkmm2ext/gtkmm2ext')
1388     bld.path.find_dir ('libs/ardour/ardour')
1389     bld.path.find_dir ('libs/pbd/pbd')
1390
1391     # set up target directories
1392     lwrcase_dirname = 'ardour' + bld.env['MAJOR']
1393
1394     # configuration files go here
1395     bld.env['CONFDIR'] = os.path.join(bld.env['SYSCONFDIR'], lwrcase_dirname)
1396     # data files loaded at run time go here
1397     bld.env['DATADIR'] = os.path.join(bld.env['DATADIR'], lwrcase_dirname)
1398     # shared objects loaded at runtime go here (two aliases)
1399     bld.env['DLLDIR'] = os.path.join(bld.env['LIBDIR'], lwrcase_dirname)
1400     bld.env['LIBDIR'] = bld.env['DLLDIR']
1401     bld.env['LOCALEDIR'] = os.path.join(bld.env['DATADIR'], 'locale')
1402     bld.env['lwrcase_dirname'] = lwrcase_dirname;
1403
1404     autowaf.set_recursive()
1405
1406     if sys.platform == 'darwin':
1407         bld.recurse('libs/appleutility')
1408     elif re.search ("openbsd", sys.platform) != None:
1409         pass
1410     elif bld.env['build_target'] != 'mingw':
1411         bld.recurse('tools/sanity_check')
1412         bld.recurse('tools/gccabicheck')
1413
1414     bld.recurse('libs/clearlooks-newer')
1415
1416     for i in children:
1417         bld.recurse(i)
1418
1419     if bld.is_defined ('BEATBOX'):
1420         bld.recurse('tools/bb')
1421
1422     bld.install_files (bld.env['CONFDIR'], 'system_config')
1423
1424     bld.install_files (os.path.join (bld.env['DATADIR'], 'templates'), bld.path.ant_glob ('templates/**'), cwd=bld.path.find_dir ('templates'), relative_trick=True)
1425
1426     if bld.env['RUN_TESTS']:
1427         bld.add_post_fun(test)
1428
1429 def i18n(bld):
1430     print(bld.env)
1431     bld.recurse (i18n_children)
1432
1433 def i18n_pot(bld):
1434     bld.recurse (i18n_children)
1435
1436 def i18n_po(bld):
1437     bld.recurse (i18n_children)
1438
1439 def i18n_mo(bld):
1440     bld.recurse (i18n_children)
1441
1442 def tarball(bld):
1443     create_stored_revision()
1444
1445 def test(bld):
1446     subprocess.call("gtk2_ardour/artest")
1447
1448 def help2man(bld):
1449     cmd = "help2man -s 1 -N -o ardour.1 -n Ardour --version-string='Ardour %s' gtk2_ardour/ardev" % PROGRAM_VERSION
1450     subprocess.call(cmd, shell=True)