c653369ec52375b5679875bddb2b77acbf7c8a05
[dcpomatic.git] / wscript
1 #
2 #    Copyright (C) 2012-2019 Carl Hetherington <cth@carlh.net>
3 #
4 #    This file is part of DCP-o-matic.
5 #
6 #    DCP-o-matic is free software; you can redistribute it and/or modify
7 #    it under the terms of the GNU General Public License as published by
8 #    the Free Software Foundation; either version 2 of the License, or
9 #    (at your option) any later version.
10 #
11 #    DCP-o-matic is distributed in the hope that it will be useful,
12 #    but WITHOUT ANY WARRANTY; without even the implied warranty of
13 #    MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
14 #    GNU General Public License for more details.
15 #
16 #    You should have received a copy of the GNU General Public License
17 #    along with DCP-o-matic.  If not, see <http://www.gnu.org/licenses/>.
18 #
19
20 from __future__ import print_function
21
22 import subprocess
23 import os
24 import shlex
25 import sys
26 import glob
27 import distutils
28 import distutils.spawn
29 try:
30     # python 2
31     from urllib import urlencode
32 except ImportError:
33     # python 3
34     from urllib.parse import urlencode
35 from waflib import Logs, Context
36
37 APPNAME = 'dcpomatic'
38
39 this_version = subprocess.Popen(shlex.split('git tag -l --points-at HEAD'), stdout=subprocess.PIPE).communicate()[0]
40 last_version = subprocess.Popen(shlex.split('git describe --tags --abbrev=0'), stdout=subprocess.PIPE).communicate()[0]
41
42 if this_version == '':
43     VERSION = '%sdevel' % last_version[1:].strip()
44 else:
45     VERSION = this_version[1:].strip()
46
47 def options(opt):
48     opt.load('compiler_cxx')
49     opt.load('winres')
50
51     opt.add_option('--enable-debug',      action='store_true', default=False, help='build with debugging information and without optimisation')
52     opt.add_option('--disable-gui',       action='store_true', default=False, help='disable building of GUI tools')
53     opt.add_option('--disable-tests',     action='store_true', default=False, help='disable building of tests')
54     opt.add_option('--install-prefix',                         default=None,  help='prefix of where DCP-o-matic will be installed')
55     opt.add_option('--target-windows',    action='store_true', default=False, help='set up to do a cross-compile to make a Windows package')
56     opt.add_option('--static-dcpomatic',  action='store_true', default=False, help='link to components of DCP-o-matic statically')
57     opt.add_option('--static-boost',      action='store_true', default=False, help='link statically to Boost')
58     opt.add_option('--static-wxwidgets',  action='store_true', default=False, help='link statically to wxWidgets')
59     opt.add_option('--static-ffmpeg',     action='store_true', default=False, help='link statically to FFmpeg')
60     opt.add_option('--static-xmlpp',      action='store_true', default=False, help='link statically to libxml++')
61     opt.add_option('--static-xmlsec',     action='store_true', default=False, help='link statically to xmlsec')
62     opt.add_option('--static-ssh',        action='store_true', default=False, help='link statically to libssh')
63     opt.add_option('--static-cxml',       action='store_true', default=False, help='link statically to libcxml')
64     opt.add_option('--static-dcp',        action='store_true', default=False, help='link statically to libdcp')
65     opt.add_option('--static-sub',        action='store_true', default=False, help='link statically to libsub')
66     opt.add_option('--static-curl',       action='store_true', default=False, help='link statically to libcurl')
67     opt.add_option('--workaround-gssapi', action='store_true', default=False, help='link to gssapi_krb5')
68     opt.add_option('--force-cpp11',       action='store_true', default=False, help='force use of C++11')
69     opt.add_option('--variant',           help='build variant', choices=['swaroop'])
70
71 def configure(conf):
72     conf.load('compiler_cxx')
73     conf.load('clang_compilation_database', tooldir=['waf-tools'])
74     if conf.options.target_windows:
75         conf.load('winres')
76
77     # Save conf.options that we need elsewhere in conf.env
78     conf.env.DISABLE_GUI = conf.options.disable_gui
79     conf.env.DISABLE_TESTS = conf.options.disable_tests
80     conf.env.TARGET_WINDOWS = conf.options.target_windows
81     conf.env.TARGET_OSX = sys.platform == 'darwin'
82     conf.env.TARGET_LINUX = not conf.env.TARGET_WINDOWS and not conf.env.TARGET_OSX
83     conf.env.VERSION = VERSION
84     conf.env.DEBUG = conf.options.enable_debug
85     conf.env.STATIC_DCPOMATIC = conf.options.static_dcpomatic
86     if conf.options.install_prefix is None:
87         conf.env.INSTALL_PREFIX = conf.env.PREFIX
88     else:
89         conf.env.INSTALL_PREFIX = conf.options.install_prefix
90
91     # Common CXXFLAGS
92     conf.env.append_value('CXXFLAGS', ['-D__STDC_CONSTANT_MACROS',
93                                        '-D__STDC_LIMIT_MACROS',
94                                        '-D__STDC_FORMAT_MACROS',
95                                        '-msse',
96                                        '-fno-strict-aliasing',
97                                        '-Wall',
98                                        '-Wcast-align',
99                                        '-Wextra',
100                                        '-Wwrite-strings',
101                                        # Remove auto_ptr warnings from libxml++-2.6
102                                        '-Wno-deprecated-declarations',
103                                        '-Wno-ignored-qualifiers',
104                                        '-Wno-parentheses',
105                                        '-D_FILE_OFFSET_BITS=64'])
106
107     if conf.options.force_cpp11:
108         conf.env.append_value('CXXFLAGS', ['-std=c++11', '-DBOOST_NO_CXX11_SCOPED_ENUMS'])
109
110     gcc = conf.env['CC_VERSION']
111     if int(gcc[0]) >= 4 and int(gcc[1]) > 1:
112         conf.env.append_value('CXXFLAGS', ['-Wno-unused-result'])
113     have_c11 = int(gcc[0]) >= 4 and int(gcc[1]) >= 8 and int(gcc[2]) >= 1
114
115     if conf.options.enable_debug:
116         conf.env.append_value('CXXFLAGS', ['-g', '-DDCPOMATIC_DEBUG', '-fno-omit-frame-pointer'])
117     else:
118         conf.env.append_value('CXXFLAGS', '-O2')
119
120     if conf.options.variant is not None:
121         conf.env.VARIANT = conf.options.variant
122         conf.env.append_value('CXXFLAGS', '-DDCPOMATIC_VARIANT_%s' % conf.options.variant.upper())
123
124     #
125     # Windows/Linux/OS X specific
126     #
127
128     # Windows
129     if conf.env.TARGET_WINDOWS:
130         conf.env.append_value('CXXFLAGS', '-DDCPOMATIC_WINDOWS')
131         conf.env.append_value('CXXFLAGS', '-DWIN32_LEAN_AND_MEAN')
132         conf.env.append_value('CXXFLAGS', '-DBOOST_USE_WINDOWS_H')
133         conf.env.append_value('CXXFLAGS', '-DUNICODE')
134         conf.env.append_value('CXXFLAGS', '-DBOOST_THREAD_PROVIDES_GENERIC_SHARED_MUTEX_ON_WIN')
135         conf.env.append_value('CXXFLAGS', '-mfpmath=sse')
136         conf.env.append_value('CXXFLAGS', '-std=c++11')
137         wxrc = os.popen('wx-config --rescomp').read().split()[1:]
138         conf.env.append_value('WINRCFLAGS', wxrc)
139         if conf.options.enable_debug:
140             conf.env.append_value('CXXFLAGS', ['-mconsole'])
141             conf.env.append_value('LINKFLAGS', ['-mconsole'])
142         conf.check(lib='ws2_32', uselib_store='WINSOCK2', msg="Checking for library winsock2")
143         conf.check(lib='dbghelp', uselib_store='DBGHELP', msg="Checking for library dbghelp")
144         conf.check(lib='shlwapi', uselib_store='SHLWAPI', msg="Checking for library shlwapi")
145         conf.check(lib='mswsock', uselib_store='MSWSOCK', msg="Checking for library mswsock")
146         conf.check(lib='ole32', uselib_store='OLE32', msg="Checking for library ole32")
147         conf.check(lib='dsound', uselib_store='DSOUND', msg="Checking for library dsound")
148         conf.check(lib='winmm', uselib_store='WINMM', msg="Checking for library winmm")
149         conf.check(lib='ksuser', uselib_store='KSUSER', msg="Checking for library ksuser")
150         boost_lib_suffix = '-mt'
151         boost_thread = 'boost_thread_win32-mt'
152         conf.check_cxx(fragment="""
153                                #include <boost/locale.hpp>\n
154                                int main() { std::locale::global (boost::locale::generator().generate ("")); }\n
155                                """,
156                                msg='Checking for boost locale library',
157                                libpath='/usr/local/lib',
158                                lib=['boost_locale%s' % boost_lib_suffix, 'boost_system%s' % boost_lib_suffix],
159                                uselib_store='BOOST_LOCALE')
160
161     # POSIX
162     if conf.env.TARGET_LINUX or conf.env.TARGET_OSX:
163         conf.env.append_value('CXXFLAGS', '-DDCPOMATIC_POSIX')
164         boost_lib_suffix = ''
165         boost_thread = 'boost_thread'
166         conf.env.append_value('LINKFLAGS', '-pthread')
167
168     # Linux
169     if conf.env.TARGET_LINUX:
170         conf.env.append_value('CXXFLAGS', '-mfpmath=sse')
171         conf.env.append_value('CXXFLAGS', '-DLINUX_LOCALE_PREFIX="%s/share/locale"' % conf.env['INSTALL_PREFIX'])
172         conf.env.append_value('CXXFLAGS', '-DLINUX_SHARE_PREFIX="%s/share/dcpomatic2"' % conf.env['INSTALL_PREFIX'])
173         conf.env.append_value('CXXFLAGS', '-DDCPOMATIC_LINUX')
174         conf.env.append_value('CXXFLAGS', ['-Wlogical-op'])
175         if not conf.env.DISABLE_GUI:
176             conf.check_cfg(package='gtk+-2.0', args='--cflags --libs', uselib_store='GTK', mandatory=True)
177
178     # OSX
179     if conf.env.TARGET_OSX:
180         conf.env.append_value('CXXFLAGS', ['-DDCPOMATIC_OSX', '-Wno-unused-function', '-Wno-unused-parameter', '-Wno-unused-local-typedef', '-Wno-potentially-evaluated-expression'])
181         conf.env.append_value('LINKFLAGS', '-headerpad_max_install_names')
182     else:
183         # Avoid the endless warnings about _t uninitialized in optional<>
184         conf.env.append_value('CXXFLAGS', '-Wno-maybe-uninitialized')
185
186     #
187     # Dependencies.
188     #
189
190     # It should be possible to use check_cfg for both dynamic and static linking, but
191     # e.g. pkg-config --libs --static foo returns some libraries that should be statically
192     # linked and others that should be dynamic.  This doesn't work too well with waf
193     # as it wants them separate.
194
195     # libcurl
196     if conf.options.static_curl:
197         conf.env.STLIB_CURL = ['curl']
198         conf.env.LIB_CURL = ['ssh2', 'idn']
199     else:
200         conf.check_cfg(package='libcurl', args='--cflags --libs', atleast_version='7.19.1', uselib_store='CURL', mandatory=True)
201
202     # libicu
203     if conf.check_cfg(package='icu-i18n', args='--cflags --libs', uselib_store='ICU', mandatory=False) is None:
204         if conf.check_cfg(package='icu', args='--cflags --libs', uselib_store='ICU', mandatory=False) is None:
205             conf.check_cxx(fragment="""
206                             #include <unicode/ucsdet.h>
207                             int main(void) {
208                                 UErrorCode status = U_ZERO_ERROR;
209                                 UCharsetDetector* detector = ucsdet_open (&status);
210                                 return 0; }\n
211                             """,
212                        mandatory=True,
213                        msg='Checking for libicu',
214                        okmsg='yes',
215                        libpath=['/usr/local/lib', '/usr/lib', '/usr/lib/x86_64-linux-gnu'],
216                        lib=['icuio', 'icui18n', 'icudata', 'icuuc'],
217                        uselib_store='ICU')
218
219     # libsamplerate
220     conf.check_cfg(package='samplerate', args='--cflags --libs', uselib_store='SAMPLERATE', mandatory=True)
221
222     # glib
223     conf.check_cfg(package='glib-2.0', args='--cflags --libs', uselib_store='GLIB', mandatory=True)
224
225     # libzip
226     conf.check_cfg(package='libzip', args='--cflags --libs', uselib_store='ZIP', mandatory=True)
227     conf.check_cxx(fragment="""
228                             #include <zip.h>
229                             int main() { zip_source_t* foo; }
230                             """,
231                    mandatory=False,
232                    msg="Checking for zip_source_t",
233                    uselib="ZIP",
234                    define_name='DCPOMATIC_HAVE_ZIP_SOURCE_T'
235                    )
236
237     # fontconfig
238     conf.check_cfg(package='fontconfig', args='--cflags --libs', uselib_store='FONTCONFIG', mandatory=True)
239
240     # pangomm
241     conf.check_cfg(package='pangomm-1.4', args='--cflags --libs', uselib_store='PANGOMM', mandatory=True)
242
243     # cairomm
244     conf.check_cfg(package='cairomm-1.0', args='--cflags --libs', uselib_store='CAIROMM', mandatory=True)
245
246     test_cxxflags = ''
247     if have_c11:
248         test_cxxflags = '-std=c++11'
249
250     # See if we have Cairo::ImageSurface::format_stride_for_width; Centos 5 does not
251     conf.check_cxx(fragment="""
252                             #include <cairomm/cairomm.h>
253                             int main(void) {
254                                 Cairo::ImageSurface::format_stride_for_width (Cairo::FORMAT_ARGB32, 1024);\n
255                                 return 0; }\n
256                             """,
257                        mandatory=False,
258                        cxxflags=test_cxxflags,
259                        msg='Checking for format_stride_for_width',
260                        okmsg='yes',
261                        includes=conf.env['INCLUDES_CAIROMM'],
262                        uselib='CAIROMM',
263                        define_name='DCPOMATIC_HAVE_FORMAT_STRIDE_FOR_WIDTH')
264
265     # See if we have Pango::Layout::show_in_cairo_context; Centos 5 does not
266     conf.check_cxx(fragment="""
267                             #include <pangomm.h>
268                             int main(void) {
269                                 Cairo::RefPtr<Cairo::Context> context;
270                                 Glib::RefPtr<Pango::Layout> layout;
271                                 layout->show_in_cairo_context (context);
272                                 return 0; }\n
273                             """,
274                        mandatory=False,
275                        msg='Checking for show_in_cairo_context',
276                        cxxflags=test_cxxflags,
277                        okmsg='yes',
278                        includes=conf.env['INCLUDES_PANGOMM'],
279                        uselib='PANGOMM',
280                        define_name='DCPOMATIC_HAVE_SHOW_IN_CAIRO_CONTEXT')
281
282
283     # libcxml
284     if conf.options.static_cxml:
285         conf.check_cfg(package='libcxml', atleast_version='0.16.0', args='--cflags', uselib_store='CXML', mandatory=True)
286         conf.env.STLIB_CXML = ['cxml']
287     else:
288         conf.check_cfg(package='libcxml', atleast_version='0.16.0', args='--cflags --libs', uselib_store='CXML', mandatory=True)
289
290     # libssh
291     if conf.options.static_ssh:
292         conf.env.STLIB_SSH = ['ssh']
293         if conf.options.workaround_gssapi:
294             conf.env.LIB_SSH = ['gssapi_krb5']
295     else:
296         conf.check_cc(fragment="""
297                                #include <libssh/libssh.h>\n
298                                int main () {\n
299                                ssh_session s = ssh_new ();\n
300                                return 0;\n
301                                }
302                                """,
303                       msg='Checking for library libssh',
304                       mandatory=True,
305                       lib='ssh',
306                       uselib_store='SSH')
307
308     # libdcp
309     if conf.options.static_dcp:
310         conf.check_cfg(package='libdcp-1.0', atleast_version='1.6.9', args='--cflags', uselib_store='DCP', mandatory=True)
311         conf.env.DEFINES_DCP = [f.replace('\\', '') for f in conf.env.DEFINES_DCP]
312         conf.env.STLIB_DCP = ['dcp-1.0', 'asdcp-cth', 'kumu-cth', 'openjp2']
313         conf.env.LIB_DCP = ['glibmm-2.4', 'ssl', 'crypto', 'bz2', 'xslt']
314     else:
315         conf.check_cfg(package='libdcp-1.0', atleast_version='1.6.9', args='--cflags --libs', uselib_store='DCP', mandatory=True)
316         conf.env.DEFINES_DCP = [f.replace('\\', '') for f in conf.env.DEFINES_DCP]
317
318     # libsub
319     if conf.options.static_sub:
320         conf.check_cfg(package='libsub-1.0', atleast_version='1.4.11', args='--cflags', uselib_store='SUB', mandatory=True)
321         conf.env.DEFINES_SUB = [f.replace('\\', '') for f in conf.env.DEFINES_SUB]
322         conf.env.STLIB_SUB = ['sub-1.0']
323     else:
324         conf.check_cfg(package='libsub-1.0', atleast_version='1.4.11', args='--cflags --libs', uselib_store='SUB', mandatory=True)
325         conf.env.DEFINES_SUB = [f.replace('\\', '') for f in conf.env.DEFINES_SUB]
326
327     # libxml++
328     if conf.options.static_xmlpp:
329         conf.env.STLIB_XMLPP = ['xml++-2.6']
330         conf.env.LIB_XMLPP = ['xml2']
331     else:
332         conf.check_cfg(package='libxml++-2.6', args='--cflags --libs', uselib_store='XMLPP', mandatory=True)
333
334     # libxmlsec
335     if conf.options.static_xmlsec:
336         if conf.check_cxx(lib='xmlsec1-openssl', mandatory=False):
337             conf.env.STLIB_XMLSEC = ['xmlsec1-openssl', 'xmlsec1']
338         else:
339             conf.env.STLIB_XMLSEC = ['xmlsec1']
340     else:
341         conf.env.LIB_XMLSEC = ['xmlsec1-openssl', 'xmlsec1']
342
343     # nettle
344     conf.check_cfg(package="nettle", args='--cflags --libs', uselib_store='NETTLE', mandatory=True)
345
346     # libpng
347     conf.check_cfg(package='libpng', args='--cflags --libs', uselib_store='PNG', mandatory=True)
348
349     # FFmpeg
350     if conf.options.static_ffmpeg:
351         names = ['avformat', 'avfilter', 'avcodec', 'avutil', 'swscale', 'postproc', 'swresample']
352         for name in names:
353             static = subprocess.Popen(shlex.split('pkg-config --static --libs lib%s' % name), stdout=subprocess.PIPE).communicate()[0].decode('utf-8')
354             libs = []
355             stlibs = []
356             include = []
357             libpath = []
358             for s in static.split():
359                 if s.startswith('-L'):
360                     libpath.append(s[2:])
361                 elif s.startswith('-I'):
362                     include.append(s[2:])
363                 elif s.startswith('-l'):
364                     if s[2:] not in names:
365                         libs.append(s[2:])
366                     else:
367                         stlibs.append(s[2:])
368
369             conf.env['LIB_%s' % name.upper()] = libs
370             conf.env['STLIB_%s' % name.upper()] = stlibs
371             conf.env['INCLUDES_%s' % name.upper()] = include
372             conf.env['LIBPATH_%s' % name.upper()] = libpath
373     else:
374         conf.check_cfg(package='libavformat', args='--cflags --libs', uselib_store='AVFORMAT', mandatory=True)
375         conf.check_cfg(package='libavfilter', args='--cflags --libs', uselib_store='AVFILTER', mandatory=True)
376         conf.check_cfg(package='libavcodec', args='--cflags --libs', uselib_store='AVCODEC', mandatory=True)
377         conf.check_cfg(package='libavutil', args='--cflags --libs', uselib_store='AVUTIL', mandatory=True)
378         conf.check_cfg(package='libswscale', args='--cflags --libs', uselib_store='SWSCALE', mandatory=True)
379         conf.check_cfg(package='libpostproc', args='--cflags --libs', uselib_store='POSTPROC', mandatory=True)
380         conf.check_cfg(package='libswresample', args='--cflags --libs', uselib_store='SWRESAMPLE', mandatory=True)
381
382     # Check to see if we have our version of FFmpeg that allows us to get at EBUR128 results
383     conf.check_cxx(fragment="""
384                             extern "C" {\n
385                             #include <libavfilter/f_ebur128.h>\n
386                             }\n
387                             int main () { av_ebur128_get_true_peaks (0); }\n
388                             """,
389                    msg='Checking for EBUR128-patched FFmpeg',
390                    uselib='AVCODEC AVFILTER',
391                    define_name='DCPOMATIC_HAVE_EBUR128_PATCHED_FFMPEG',
392                    mandatory=False)
393
394     # Check to see if we have our AVSubtitleRect has a pict member
395     # Older versions (e.g. that shipped with Ubuntu 16.04) do
396     conf.check_cxx(fragment="""
397                             extern "C" {\n
398                             #include <libavcodec/avcodec.h>\n
399                             }\n
400                             int main () { AVSubtitleRect r; r.pict; }\n
401                             """,
402                    msg='Checking for AVSubtitleRect::pict',
403                    cxxflags='-Wno-unused-result -Wno-unused-value -Wdeprecated-declarations -Werror',
404                    uselib='AVCODEC',
405                    define_name='DCPOMATIC_HAVE_AVSUBTITLERECT_PICT',
406                    mandatory=False)
407
408     # Check to see if we have our AVComponentDescriptor has a depth_minus1 member
409     # Older versions (e.g. that shipped with Ubuntu 16.04) do
410     conf.check_cxx(fragment="""
411                             extern "C" {\n
412                             #include <libavutil/pixdesc.h>\n
413                             }\n
414                             int main () { AVComponentDescriptor d; d.depth_minus1; }\n
415                             """,
416                    msg='Checking for AVComponentDescriptor::depth_minus1',
417                    cxxflags='-Wno-unused-result -Wno-unused-value -Wdeprecated-declarations -Werror',
418                    uselib='AVUTIL',
419                    define_name='DCPOMATIC_HAVE_AVCOMPONENTDESCRIPTOR_DEPTH_MINUS1',
420                    mandatory=False)
421
422     # Hack: the previous two check_cxx calls end up copying their (necessary) cxxflags
423     # to these variables.  We don't want to use these for the actual build, so clean them out.
424     conf.env['CXXFLAGS_AVCODEC'] = []
425     conf.env['CXXFLAGS_AVUTIL'] = []
426
427     # Boost
428     if conf.options.static_boost:
429         conf.env.STLIB_BOOST_THREAD = ['boost_thread']
430         conf.env.STLIB_BOOST_FILESYSTEM = ['boost_filesystem%s' % boost_lib_suffix]
431         conf.env.STLIB_BOOST_DATETIME = ['boost_date_time%s' % boost_lib_suffix, 'boost_system%s' % boost_lib_suffix]
432         conf.env.STLIB_BOOST_SIGNALS2 = ['boost_signals2']
433         conf.env.STLIB_BOOST_SYSTEM = ['boost_system']
434         conf.env.STLIB_BOOST_REGEX = ['boost_regex']
435     else:
436         conf.check_cxx(fragment="""
437                             #include <boost/version.hpp>\n
438                             #if BOOST_VERSION < 104500\n
439                             #error boost too old\n
440                             #endif\n
441                             int main(void) { return 0; }\n
442                             """,
443                        mandatory=True,
444                        msg='Checking for boost library >= 1.45',
445                        okmsg='yes',
446                        errmsg='too old\nPlease install boost version 1.45 or higher.')
447
448         conf.check_cxx(fragment="""
449                             #include <boost/thread.hpp>\n
450                             int main() { boost::thread t (); }\n
451                             """,
452                        msg='Checking for boost threading library',
453                        libpath='/usr/local/lib',
454                        lib=[boost_thread, 'boost_system%s' % boost_lib_suffix],
455                        uselib_store='BOOST_THREAD')
456
457         conf.check_cxx(fragment="""
458                             #include <boost/filesystem.hpp>\n
459                             int main() { boost::filesystem::copy_file ("a", "b"); }\n
460                             """,
461                        msg='Checking for boost filesystem library',
462                        libpath='/usr/local/lib',
463                        lib=['boost_filesystem%s' % boost_lib_suffix, 'boost_system%s' % boost_lib_suffix],
464                        uselib_store='BOOST_FILESYSTEM')
465
466         conf.check_cxx(fragment="""
467                             #include <boost/date_time.hpp>\n
468                             int main() { boost::gregorian::day_clock::local_day(); }\n
469                             """,
470                        msg='Checking for boost datetime library',
471                        libpath='/usr/local/lib',
472                        lib=['boost_date_time%s' % boost_lib_suffix, 'boost_system%s' % boost_lib_suffix],
473                        uselib_store='BOOST_DATETIME')
474
475         conf.check_cxx(fragment="""
476                             #include <boost/signals2.hpp>\n
477                             int main() { boost::signals2::signal<void (int)> x; }\n
478                             """,
479                        msg='Checking for boost signals2 library',
480                        uselib_store='BOOST_SIGNALS2')
481
482         conf.check_cxx(fragment="""
483                             #include <boost/regex.hpp>\n
484                             int main() { boost::regex re ("foo"); }\n
485                             """,
486                        msg='Checking for boost regex library',
487                        lib=['boost_regex%s' % boost_lib_suffix],
488                        uselib_store='BOOST_REGEX')
489
490     # libxml++ requires glibmm and versions of glibmm 2.45.31 and later
491     # must be built with -std=c++11 as they use c++11
492     # features and c++11 is not (yet) the default in gcc.
493     glibmm_version = conf.cmd_and_log(['pkg-config', '--modversion', 'glibmm-2.4'], output=Context.STDOUT, quiet=Context.BOTH)
494     s = glibmm_version.split('.')
495     v = (int(s[0]) << 16) | (int(s[1]) << 8) | int(s[2])
496     if v >= 0x022D1F:
497         conf.env.append_value('CXXFLAGS', '-std=c++11')
498
499     # Other stuff
500
501     conf.find_program('msgfmt', var='MSGFMT')
502     conf.check(header_name='valgrind/memcheck.h', mandatory=False)
503
504     datadir = conf.env.DATADIR
505     if not datadir:
506         datadir = os.path.join(conf.env.PREFIX, 'share')
507
508     conf.define('LOCALEDIR', os.path.join(datadir, 'locale'))
509     conf.define('DATADIR', datadir)
510
511     conf.recurse('src')
512     if not conf.env.DISABLE_TESTS:
513         conf.recurse('test')
514
515     Logs.pprint('YELLOW', '')
516     if conf.env.TARGET_WINDOWS:
517         Logs.pprint('YELLOW', '\t' + 'Target'.ljust(25) + ': Windows')
518     elif conf.env.TARGET_LINUX:
519         Logs.pprint('YELLOW', '\t' + 'Target'.ljust(25) + ': Linux')
520     elif conf.env.TARGET_OSX:
521         Logs.pprint('YELLOW', '\t' + 'Target'.ljust(25) + ': OS X')
522
523     def report(name, variable):
524         linkage = ''
525         if variable:
526             linkage = 'static'
527         else:
528             linkage = 'dynamic'
529         Logs.pprint('YELLOW', '\t%s: %s' % (name.ljust(25), linkage))
530
531     report('DCP-o-matic libraries', conf.options.static_dcpomatic)
532     report('Boost', conf.options.static_boost)
533     report('wxWidgets', conf.options.static_wxwidgets)
534     report('FFmpeg', conf.options.static_ffmpeg)
535     report('libxml++', conf.options.static_xmlpp)
536     report('xmlsec', conf.options.static_xmlsec)
537     report('libssh', conf.options.static_ssh)
538     report('libcxml', conf.options.static_cxml)
539     report('libdcp', conf.options.static_dcp)
540     report('libcurl', conf.options.static_curl)
541
542     Logs.pprint('YELLOW', '')
543
544 def download_supporters(can_fail):
545     last_date = subprocess.Popen(shlex.split('git log -1 --format=%%ai %s' % last_version), stdout=subprocess.PIPE).communicate()[0]
546     r = os.system('curl -s -f https://dcpomatic.com/supporters.cc?%s > src/wx/supporters.cc' % urlencode({"until": last_date.strip()}))
547     if (r >> 8) == 0:
548         r = os.system('curl -s -f https://dcpomatic.com/subscribers.cc?%s > src/wx/subscribers.cc' % urlencode({"until": last_date.strip()}))
549     if (r >> 8) != 0:
550         if can_fail:
551             raise Exception("Could not download supporters lists (%d)" % (r >> 8))
552         else:
553             f = open('src/wx/supporters.cc', 'w')
554             print('supported_by.Add(wxT("Debug build - no supporters lists available"));', file=f)
555             f.close()
556             f = open('src/wx/subscribers.cc', 'w')
557             print('subscribers.Add(wxT("Debug build - no subscribers lists available"));', file=f)
558             f.close()
559
560 def build(bld):
561     create_version_cc(VERSION, bld.env.CXXFLAGS)
562     download_supporters(not bld.env.DEBUG)
563
564     bld.recurse('src')
565     bld.recurse('graphics')
566
567     if not bld.env.DISABLE_TESTS:
568         bld.recurse('test')
569     if bld.env.TARGET_WINDOWS:
570         bld.recurse('platform/windows')
571     if bld.env.TARGET_LINUX:
572         bld.recurse('platform/linux')
573     if bld.env.TARGET_OSX:
574         bld.recurse('platform/osx')
575
576     if not bld.env.TARGET_WINDOWS:
577         bld.install_files('${PREFIX}/share/dcpomatic2', 'fonts/LiberationSans-Regular.ttf')
578         bld.install_files('${PREFIX}/share/dcpomatic2', 'fonts/LiberationSans-Italic.ttf')
579         bld.install_files('${PREFIX}/share/dcpomatic2', 'fonts/LiberationSans-Bold.ttf')
580
581     bld.add_post_fun(post)
582
583 def git_revision():
584     if not os.path.exists('.git'):
585         return None
586
587     cmd = "LANG= git log --abbrev HEAD^..HEAD ."
588     output = subprocess.Popen(cmd, shell=True, stderr=subprocess.STDOUT, stdout=subprocess.PIPE).communicate()[0].splitlines()
589     if len(output) == 0:
590         return None
591     o = output[0].decode('utf-8')
592     return o.replace("commit ", "")[0:10]
593
594 def dist(ctx):
595     r = git_revision()
596     if r is not None:
597         f = open('.git_revision', 'w')
598         print >>f,r
599     f.close()
600
601     ctx.excl = """
602                TODO core *~ src/wx/*~ src/lib/*~ builds/*~ doc/manual/*~ src/tools/*~ *.pyc .waf* build .git
603                deps alignment hacks sync *.tar.bz2 *.exe .lock* *build-windows doc/manual/pdf doc/manual/html
604                GRSYMS GRTAGS GSYMS GTAGS compile_commands.json
605                """
606
607 def create_version_cc(version, cxx_flags):
608     commit = git_revision()
609     if commit is None and os.path.exists('.git_revision'):
610         f = open('.git_revision', 'r')
611         commit = f.readline().strip()
612
613     if commit is None:
614         commit = 'release'
615
616     try:
617         text =  '#include "version.h"\n'
618         text += 'char const * dcpomatic_git_commit = \"%s\";\n' % commit
619         text += 'char const * dcpomatic_version = \"%s\";\n' % version
620
621         t = ''
622         for f in cxx_flags:
623             f = f.replace('"', '\\"')
624             t += f + ' '
625         text += 'char const * dcpomatic_cxx_flags = \"%s\";\n' % t[:-1]
626
627         print('Writing version information to src/lib/version.cc')
628         o = open('src/lib/version.cc', 'w')
629         o.write(text)
630         o.close()
631     except IOError:
632         print('Could not open src/lib/version.cc for writing\n')
633         sys.exit(-1)
634
635 def post(ctx):
636     if ctx.cmd == 'install' and ctx.env.TARGET_LINUX:
637         ctx.exec_command('/sbin/ldconfig')
638         # I can't find anything which tells me where things have been installed to,
639         # so here's some nasty hacks to guess.
640         debian = os.path.join(ctx.out_dir, '../debian/dcpomatic/usr/bin/dcpomatic2_uuid')
641         prefix = os.path.join(ctx.env['INSTALL_PREFIX'], 'bin/dcpomatic2_uuid')
642         if os.path.exists(debian):
643             os.chmod(debian, 0o4755)
644         if os.path.exists(prefix):
645             os.chmod(prefix, 0o4755)
646
647 def pot(bld):
648     bld.recurse('src')
649
650 def pot_merge(bld):
651     bld.recurse('src')
652
653 def tags(bld):
654     os.system('etags src/lib/*.cc src/lib/*.h src/wx/*.cc src/wx/*.h src/tools/*.cc')
655
656 def cppcheck(bld):
657     os.system('cppcheck --enable=all --quiet .')