753f6921edad2ec4c8376d376ff586b6d398e1c7
[senf.git] / senfscons / SENFSCons.py
1 ## \file
2 # \brief SENFSCons package
3
4 ## \package senfscons.SENFSCons
5 # \brief Build helpers and utilities
6 #
7 # The SENFSCons package contains a number of build helpers and
8 # utilities which are used to simplify commmon tasks.
9 #
10 # The utitlities of this package are grouped into:
11 # <dl><dt>\ref use</dt><dd>help using complex environments and
12 # configure the construction environmen correspondingly</dd>
13 #
14 # <dt>\ref target</dt><dd>simplify building common targest and include
15 # enhanced functionality like unit-testing.</dd></dl>
16 #
17 # Additionally for external use are
18 # <dl><dt>MakeEnvironment()</dt><dd>Build construction
19 # environment</dd>
20 #
21 # <dt>GlobSources()</dt><dd>Utility to find source files</dd></dl>
22 #
23 # All other functions are for internal use only.
24
25 import os.path, glob
26 import SCons.Options, SCons.Environment, SCons.Script.SConscript, SCons.Node.FS
27 import SCons.Defaults, SCons.Action
28
29 ## \defgroup use Predefined Framework Configurators
30 #
31 # The following framework configurators are used in the top level \c
32 # SConstruct file to simplify more complex configurations.
33 #
34 # Each of the framework configurators introduces additional
35 # configuration parameters to \ref sconfig
36
37 ## \defgroup target Target Helpers
38 #
39 # To specify standard targets, the following helpers can be used. They
40 # automatically integrate several modules (like documentation,
41 # unit-testing etc).
42
43 ## \defgroup builder Builders
44 #
45 # The SENFSCons framework includes a series of builders. Each builder
46 # is defined in it's own package.
47
48 # Tools to load in MakeEnvironment
49 SCONS_TOOLS = [
50     "Doxygen",
51     "Dia2Png",
52     "CopyToDir",
53     "InstallIncludes",
54     "ProgramNoScan",
55 ]
56
57 opts = None
58 finalizers = []
59
60 # This is the directory SENFSCons.py resides
61 basedir = os.path.abspath(os.path.split(__file__)[0])
62
63 ## \brief Initialize configuration options
64 # \internal
65 def InitOpts():
66     global opts
67     if opts is not None: return
68     opts = SCons.Options.Options('SConfig')
69     opts.Add('CXX', 'C++ compiler to use', 'g++')
70     opts.Add('EXTRA_DEFINES', 'Additional preprocessor defines', '')
71     opts.Add('EXTRA_LIBS', 'Additional libraries to link against', '')
72     opts.Add(SCons.Options.BoolOption('final','Enable optimization',0))
73     opts.Add('PREFIX', 'Installation prefix', '/usr/local')
74     opts.Add('LIBINSTALLDIR', 'Library install dir', '$PREFIX/lib')
75     opts.Add('BININSTALLDIR', 'Executable install dir', '$PREFIX/bin')
76     opts.Add('INCLUDEINSTALLDIR', 'Include-file install dir', '$PREFIX/include')
77     opts.Add('OBJINSTALLDIR', 'Static object file install dir', '$LIBINSTALLDIR')
78     opts.Add('DOCINSTALLDIR', 'Documentation install dir', '$PREFIX/doc')
79     opts.Add('CPP_INCLUDE_EXTENSIONS', 'File extensions to include in source install',
80              [ '.h', '.hh', '.ih', '.mpp', '.cci', '.ct', '.cti', '.mpp' ])
81
82 # A finalizer is any callable object. All finalizers will be called
83 # in MakeEnvironment. We use them so every finalizer has knowledge of
84 # all frameworks in use (e.g.: the boost runtime depends on the use of
85 # stlport).
86
87 ## \brief Register finalizer
88 # \internal
89 def Finalizer(f):
90     global finalizers
91     finalizers.append(f)
92
93 ## \brief Initialize the use of the <a href="http://www.boost.org/">Boost</a> library
94 #
95 # Configure the use of the <a href="http://www.boost.org">Boost</a>
96 # libraries. Most of these libraries are header-only, some however
97 # depend on a built library. The library selection is somewhat
98 # involved and depends on the threading model and the type of build
99 # (debug or final).
100 #
101 # \par Configuration Parameters:
102 #     <table class="senf">
103 #     <tr><td>\c BOOST_INCLUDES</td><td>Include directory.</td></tr>
104 #     <tr><td>\c BOOST_LIBDIR</td><td>Library directory</td></tr>
105 #     <tr><td>\c BOOST_VARIANT</td><td>Complete variant specification</td></tr>
106 #     <tr><td>\c BOOST_TOOLSET</td><td>Toolset to use</td></tr>
107 #     <tr><td>\c BOOST_RUNTIME</td><td>Runtime to use</td></tr>
108 #     <tr><td>\c BOOST_DEBUG_RUNTIME</td><td>Explicit debug runtime</td></tr>
109 #     </table>
110 #
111 # You can either specify \c BOOST_VARIANT explicitly or specify \c
112 # BOOST_TOOLSET and \c BOOST_RUNTIME. If you give \c BOOST_TOOLSET, \c
113 # BOOST_RUNTIME defaults to empty and \c BOOST_DEBUG_RUNTIME defaults
114 # to \c gd, If \c BOOST_TOOLSET is specified and you have included
115 # STLPort support (UseSTLPort()), then \c p is appended to both
116 # runtimes.
117 #
118 # The Boost configuration can get realtively complex. If the boost
119 # libraries are provided by the distribution, you probably don't need
120 # to specify any parameters. If your configuration is more complex,
121 # refer to the <a
122 # href="http://www.boost.org/tools/build/v2/index.html">Boost.Build</a>
123 # documentation for a definition of the terms used above (toolset,
124 # variant, runtime ...).
125 #
126 # \ingroup use
127 def UseBoost():
128     global opts
129     InitOpts()
130     opts.Add('BOOST_INCLUDES', 'Boost include directory', '')
131     opts.Add('BOOST_VARIANT', 'The boost variant to use', '')
132     opts.Add('BOOST_TOOLSET', 'The boost toolset to use', '')
133     opts.Add('BOOST_RUNTIME', 'The boost runtime to use', '')
134     opts.Add('BOOST_DEBUG_RUNTIME', 'The boost debug runtime to use', '')
135     opts.Add('BOOST_LIBDIR', 'The directory of the boost libraries', '')
136     Finalizer(FinalizeBoost)
137
138 ## \brief Finalize Boost environment
139 # \internal
140 def FinalizeBoost(env):
141     env.Tool('BoostUnitTests', [basedir])
142
143     if env['BOOST_TOOLSET']:
144         runtime = ""
145         if env['final'] : runtime += env.get('BOOST_RUNTIME','')
146         else            : runtime += env.get('BOOST_DEBUG_RUNTIME','gd')
147         if env['STLPORT_LIB'] : runtime += "p"
148         if runtime: runtime = "-" + runtime
149         env['BOOST_VARIANT'] = "-" + env['BOOST_TOOLSET'] + runtime
150
151     env['BOOSTTESTLIB'] = 'libboost_unit_test_framework' + env['BOOST_VARIANT']
152     env['BOOSTREGEXLIB'] = 'libboost_regex' + env['BOOST_VARIANT']
153
154     env.Append(LIBPATH = [ '$BOOST_LIBDIR' ],
155                CPPPATH = [ '$BOOST_INCLUDES' ])
156
157 ## \brief Use STLPort as STL replacement if available
158 #
159 # Use <a href="http://www.stlport.org">STLPort</a> as a replacement
160 # for the system STL. STLPort has the added feature of providing fully
161 # checked containers and iterators. This can greatly simplify
162 # debugging. However, STLPort and Boost interact in a non-trivial way
163 # so the configuration is relatively complex. This command does not
164 # enforce the use of STLPort, it is only used if available.
165 #
166 # \par Configuration Parameters:
167 #     <table class="senf">
168 #     <tr><td>\c STLPORT_INCLUDES</td><td>Include directory.</td></tr>
169 #     <tr><td>\c STLPORT_LIBDIR</td><td>Library directory</td></tr>
170 #     <tr><td>\c STLPORT_LIB</td><td>Name of STLPort library</td></tr>
171 #     <tr><td>\c STLPORT_DEBUGLIB</td><td>Name of STLPort debug library</td></tr>
172 #     </table>
173 #
174 # If \c STLPORT_LIB is specified, \c STLPORT_DEBUGLIB defaults to \c
175 # STLPORT_LIB with \c _stldebug appended. The STLPort library will
176 # only be used, if \c STLPORT_LIB is set in \c SConfig.
177 #
178 # \ingroup use
179 def UseSTLPort():
180     global opts
181     InitOpts()
182     opts.Add('STLPORT_INCLUDES', 'STLport include directory', '')
183     opts.Add('STLPORT_LIB', 'Name of the stlport library or empty to not use stlport', '')
184     opts.Add('STLPORT_DEBUGLIB', 'Name of the stlport debug library','')
185     opts.Add('STLPORT_LIBDIR', 'The directory of the stlport libraries','')
186     Finalizer(FinalizeSTLPort)
187
188 # \}
189
190 ## \brief Finalize STLPort environment
191 # \internal
192 def FinalizeSTLPort(env):
193     if env['STLPORT_LIB']:
194         if not env['STLPORT_DEBUGLIB']:
195             env['STLPORT_DEBUGLIB'] = env['STLPORT_LIB'] + '_stldebug'
196         env.Append(LIBPATH = [ '$STLPORT_LIBDIR' ],
197                    CPPPATH = [ '$STLPORT_INCLUDES' ])
198         if env['final']:
199             env.Append(LIBS = [ '$STLPORT_LIB' ])
200         else:
201             env.Append(LIBS = [ '$STLPORT_DEBUGLIB' ],
202                        CPPDEFINES = [ '_STLP_DEBUG' ])
203
204 ## \brief Build a configured construction environment
205 #
206 # This function is called after all frameworks are specified to build
207 # a tailored construction environment. You can then use this
208 # construction environment just like an ordinary SCons construction
209 # environment (which it is ...)
210 #
211 # This call will set some default compilation parameters depending on
212 # the \c final command line option: specifying <tt>final=1</tt> will
213 # built a release version of the code.
214 def MakeEnvironment():
215     global opts, finalizers
216     InitOpts()
217     env = SCons.Environment.Environment(options=opts)
218     for opt in opts.options:
219         if SCons.Script.SConscript.Arguments.get(opt.key):
220             env[opt.key] = SCons.Script.SConscript.Arguments.get(opt.key)
221     if SCons.Script.SConscript.Arguments.get('final'):
222         env['final'] = 1
223     env.Help("\nSupported build variables (either in SConfig or on the command line:\n")
224     env.Help(opts.GenerateHelpText(env))
225
226     # We want to pass the SSH_AUTH_SOCK system env-var so we can ssh
227     # into other hosts from within SCons rules. I have used rules like
228     # this e.g. to automatically install stuff on a remote system ...
229     if os.environ.has_key('SSH_AUTH_SOCK'):
230         env.Append( ENV = { 'SSH_AUTH_SOCK': os.environ['SSH_AUTH_SOCK'] } )
231
232     for finalizer in finalizers:
233         finalizer(env)
234
235     for tool in SCONS_TOOLS:
236         env.Tool(tool, [basedir])
237
238     # These are the default compilation parameters. We should probably
239     # make these configurable
240     env.Append(CXXFLAGS = [ '-Wall', '-Woverloaded-virtual', '-Wno-long-long' ],
241                LOCALLIBDIR = [ '#' ],
242                LIBPATH = [ '$LOCALLIBDIR' ])
243
244     if env['final']:
245         env.Append(CXXFLAGS = [ '-O3' ],
246                    CPPDEFINES = [ 'NDEBUG' ])
247     else:
248         env.Append(CXXFLAGS = [ '-O0', '-g', '-fno-inline' ],
249     # The boost-regex library is not compiled with _GLIBCXX_DEBUG so this fails.
250     #               CPPDEFINES = [ '_GLIBCXX_DEBUG' ],
251                    LINKFLAGS = [ '-g' ])
252
253     env.Append(CPPDEFINES = [ '$EXTRA_DEFINES' ],
254                LIBS = [ '$EXTRA_LIBS' ],
255                ALLLIBS = [])
256
257     return env
258
259 ## \brief Find normal and test C++ sources
260 #
261 # GlobSources() will return a list of all C++ source files (named
262 # "*.cc") as well as a list of all unit-test files (named "*.test.cc")
263 # in the current directory. The sources will be returned as a tuple of
264 # sources, test-sources. The target helpers all accept such a tuple as
265 # their source argument.
266 def GlobSources(exclude=[], subdirs=[]):
267     testSources = glob.glob("*.test.cc")
268     sources = [ x for x in glob.glob("*.cc") if x not in testSources and x not in exclude ]
269     for subdir in subdirs:
270         testSources += glob.glob(os.path.join(subdir,"*.test.cc"))
271         sources += [ x for x in glob.glob(os.path.join(subdir,"*.cc"))
272                      if x not in testSources and x not in exclude ]
273     return (sources, testSources)
274
275 ## \brief Add generic standard targets for every module
276 #
277 # This target helper should be called in the top-level \c SConstruct file
278 # as well as in every module \c SConscipt file. It adds general
279 # targets. Right now, these are
280 # \li clean up \c .sconsign, \c .sconf_temp and \c config.log on
281 #   <tt>scons -c all</tt>
282 #
283 # \ingroup target
284 def StandardTargets(env):
285     env.Clean(env.Alias('all'), [ '.sconsign', '.sconf_temp', 'config.log' ])
286
287 ## \brief Add generic global targets
288 #
289 # This target helper should be called in the top-level \c SConstruct
290 # file. It adds general global targets. Right now theese are
291 # \li Make <tt>scons all</tt> build all targets.
292 #
293 # \ingroup target
294 def GlobalTargets(env):
295     env.Alias('all', [ 'default', 'all_tests', 'all_docs' ])
296
297 ## \brief Return path of a built library within $LOCALLIBDIR
298 # \internal
299 def LibPath(lib): return '$LOCALLIBDIR/lib%s.a' % lib
300
301 ## \brief Build object files
302 #
303 # This target helper will build object files from the given
304 # sources.
305 #
306 # If \a testSources are given, a unit test will be built using the <a
307 # href="http://www.boost.org/libs/test/doc/index.html">Boost.Test</a>
308 # library. \a LIBS may specify any additional library modules <em>from
309 # the same project</em> on which the test depends. Those libraries
310 # will be linked into the final test executable. The test will
311 # automatically be run if the \c test or \c all_tests targets are
312 # given.
313 #
314 # If \a sources is a 2-tuple as returned by GlobSources(), it will
315 # provide both \a sources and \a testSources.
316 #
317 # \ingroup target
318 def Objects(env, sources, testSources = None, LIBS = [], OBJECTS = []):
319     if type(sources) == type(()):
320         testSources = sources[1]
321         sources = sources[0]
322     if type(sources) is not type([]):
323         sources = [ sources ]
324
325     objects = None
326     if sources:
327         objects = env.Object([
328             source
329             for source in sources
330             if not str(source).endswith('.o') ]) + [
331             source
332             for source in sources
333             if str(source).endswith('.o') ]
334         
335
336     if testSources:
337         test = env.BoostUnitTests(
338             target = 'test',
339             objects = objects,
340             test_sources = testSources,
341             LIBS = LIBS,
342             OBJECTS = OBJECTS,
343             DEPENDS = [ env.File(LibPath(x)) for x in LIBS ])
344         env.Alias('all_tests', test)
345         # Hmm ... here I'd like to use an Alias instead of a file
346         # however the alias does not seem to live in the subdirectory
347         # which breaks 'scons -u test'
348         env.Alias(env.File('test'), test)
349
350     return objects
351
352 def InstallIncludeFiles(env, files):
353     # Hrmpf ... why do I need this in 0.97??
354     if env.GetOption('clean'):
355         return
356     target = env.Dir(env['INCLUDEINSTALLDIR'])
357     base = env.Dir(env['INSTALL_BASE'])
358     for f in files:
359         src = env.File(f)
360         env.Alias('install_all', env.Install(target.Dir(src.dir.get_path(base)), src))
361
362 def InstallWithSources(env, targets, dir, sources, testSources = [], no_includes = False):
363     if type(sources) is type(()):
364         sources, testSources = sources
365     if type(sources) is not type([]):
366         sources = [ sources ]
367     if type(testSources) is not type([]):
368         testSources = [ testSources ]
369
370     installs = [ env.Install(dir, targets) ]
371
372     if not no_includes:
373         target = env.Dir(env['INCLUDEINSTALLDIR']).Dir(
374             env.Dir('.').get_path(env.Dir(env['INSTALL_BASE'])))
375         source = targets
376         if testSources:
377             source.append( env.File('.test.bin') )
378             installs.append(env.InstallIncludes(
379                 target = target,
380                 source = targets,
381                 INSTALL_BASE = env.Dir('.') ))
382
383     return installs
384
385 ## \brief Build documentation with doxygen
386 #
387 # The doxygen target helper will build software documentation using
388 # the given \a doxyfile (which defaults to \c Doxyfile). The Doxygen
389 # builder used supports automatic dependency generation (dependencies
390 # are automatically generated from the parameters specified in the \a
391 # doxyfile), automatic target emitters (the exact targets created are
392 # found parsing the \a doxyfile) and lots of other features. See the
393 # Doxygen builder documentation
394 #
395 # If \a extra_sources are given, the generated documentation will
396 # depend on them. This can be used to build images or other
397 # supplementary files.
398 #
399 # The doxygen target helper extends the builder with additional
400 # functionality:
401 #
402 # \li Fix tagfiles by removing namespace entries. These entries only
403 #     work for namespaces completely defined in a single module. As
404 #     soon as another module (which references the tagfile) has it's
405 #     own members in that namespace, the crosslinking will break.
406 # \li If \c DOXY_HTML_XSL is defined as a construction environment
407 #     variable, preprocess all generated html files (if html files are
408 #     generated) by the given XSLT stylesheet. Since the HTML
409 #     generated by doxygen is broken, we first filter the code through
410 #     HTML-\c tidy and filter out some error messages.
411 # \li If xml output is generated we create files \c bug.xmli and \c
412 #     todo.xmli which contain all bugs and todo items specified in the
413 #     sources. The format of these files is much more suited to
414 #     postprocessing and is a more database like format as the doxygen
415 #     generated files (which are more presentation oriented). if \c
416 #     DOXY_XREF_TYPES is given, it will specify the cross reference
417 #     types to support (defaults to \c bug and \c todo). See <a
418 #     href="http://www.stack.nl/~dimitri/doxygen/commands.html#cmdxrefitem">\xrefitem</a>
419 #     in the doxygen documentation.
420 #
421 # \ingroup target
422 def Doxygen(env, doxyfile = "Doxyfile", extra_sources = []):
423     # ARGHHH !!! without the [:] we are changing the target list
424     #        ||| WITHIN THE DOXYGEN BUILDER
425     docs = env.Doxygen(doxyfile)[:]
426     xmlnode = None
427     htmlnode = None
428     tagnode = None
429     for doc in docs:
430         if isinstance(doc,SCons.Node.FS.Dir): continue
431         if doc.name == 'xml.stamp' : xmlnode = doc
432         if doc.name == 'html.stamp' : htmlnode = doc
433         if doc.name == 'search.idx' : continue
434         if os.path.splitext(doc.name)[1] == '.stamp' : continue # ignore other file stamps
435         # otherwise it must be the tag file
436         tagnode = doc
437
438     if tagnode:
439         # Postprocess the tag file to remove the (broken) namespace
440         # references
441         env.AddPostAction(
442             docs,
443             SCons.Action.Action("xsltproc --nonet -o %(target)s.temp %(template)s %(target)s && mv %(target)s.temp %(target)s"
444                        % { 'target': tagnode.abspath,
445                            'template': os.path.join(basedir,"tagmunge.xsl") }))
446
447     if htmlnode and env.get('DOXY_HTML_XSL'):
448         xslfile = env.File(env['DOXY_HTML_XSL'])
449         reltopdir = '../' * len(htmlnode.dir.abspath[len(env.Dir('#').abspath)+1:].split('/'))
450         if reltopdir : reltopdir = reltopdir[:-1]
451         else         : reltopdir = '.'
452         env.AddPostAction(
453             docs,
454             SCons.Action.Action(("for html in %s/*.html; do " +
455                         "    echo $$html;" +
456                         "    sed -e 's/id=\"current\"/class=\"current\"/' $${html}" +
457                         "        | tidy -ascii -q --show-warnings no --fix-uri no " +
458                         "        | xsltproc --nonet --html --stringparam topdir %s -o $${html}.new %s - 2>&1" +
459                         "        | grep '^-'" +
460                         "        | grep -v 'ID .* already defined';" +
461                         "    mv $${html}.new $${html}; " +
462                         "done")
463                        % (htmlnode.dir.abspath, reltopdir, xslfile.abspath)))
464         for doc in docs:
465             env.Depends(doc, xslfile)
466
467     if xmlnode:
468         xrefs = []
469         for type in env.get("DOXY_XREF_TYPES",[ "bug", "todo" ]):
470             xref = os.path.join(xmlnode.dir.abspath,type+".xml")
471             xref_pp = env.Command(xref+'i', [ xref, os.path.join(basedir,'xrefxtract.xslt'), xmlnode ],
472                                   [ "test -s $SOURCE && xsltproc -o $TARGET" +
473                                     " --stringparam module $MODULE" +
474                                     " --stringparam type $TYPE" +
475                                     " ${SOURCES[1]} $SOURCE || touch $TARGET" ],
476                                   MODULE = xmlnode.dir.dir.dir.abspath[
477                                                len(env.Dir('#').abspath)+1:],
478                                   TYPE = type)
479             env.SideEffect(xref, xmlnode)
480             env.AddPreAction(docs, "rm -f %s" % (xref,))
481             env.AddPostAction(docs, "test -r %s || touch %s" % (xref,xref))
482             xrefs.extend(xref_pp)
483         docs.extend(xrefs)
484
485     if extra_sources and htmlnode:
486         env.Depends(docs,
487                     [ env.CopyToDir( source=source, target=htmlnode.dir )
488                       for source in extra_sources ])
489
490     if extra_sources and xmlnode:
491         env.Depends(docs,
492                     [ env.CopyToDir( source=source, target=xmlnode.dir )
493                       for source in extra_sources ])
494
495     if not htmlnode and not xmlnode:
496         env.Depends(docs, extra_sources)
497
498     for doc in docs :
499         env.Alias('all_docs', doc)
500         env.Clean('all_docs', doc)
501         env.Clean('all', doc)
502
503     l = len(env.Dir('#').abspath)
504     if htmlnode:
505         env.Alias('install_all',
506                   env.Command('$DOCINSTALLDIR' + htmlnode.dir.abspath[l:], htmlnode.dir,
507                               [ SCons.Defaults.Copy('$TARGET','$SOURCE') ]))
508     if tagnode:
509         env.Alias('install_all',
510                   env.Install( '$DOCINSTALLDIR' + tagnode.dir.abspath[l:],
511                                tagnode ))
512
513     return docs
514
515 ## \brief Build combined doxygen cross-reference
516 #
517 # This command will build a complete cross-reference of \c xrefitems
518 # accross all modules.
519 #
520 # Right now, this command is very project specific. It needs to be
521 # generalized.
522 #
523 # \ingroup target
524 def DoxyXRef(env, docs=None,
525              HTML_HEADER = None, HTML_FOOTER = None,
526              TITLE = "Cross-reference of action points"):
527     if docs is None:
528         docs = env.Alias('all_docs')[0].sources
529     xrefs = [ doc for doc in docs if os.path.splitext(doc.name)[1] == ".xmli" ]
530     xref = env.Command("doc/html/xref.xml", xrefs,
531                        [ "echo '<?xml version=\"1.0\"?>' > $TARGET",
532                          "echo '<xref>' >> $TARGET",
533                          "cat $SOURCES >> $TARGET",
534                          "echo '</xref>' >>$TARGET" ])
535
536     # Lastly we create the html file
537     sources = [ xref, "%s/xrefhtml.xslt" % basedir ]
538     if HTML_HEADER : sources.append(HTML_HEADER)
539     if HTML_FOOTER : sources.append(HTML_FOOTER)
540
541     commands = []
542     if HTML_HEADER:
543         commands.append("sed" +
544                         " -e 's/\\$$title/$TITLE/g'" +
545                         " -e 's/\\$$projectname/Overview/g'" +
546                         " ${SOURCES[2]} > $TARGET")
547     commands.append("xsltproc" +
548                     " --stringparam title '$TITLE'" +
549                     " --stringparam types '$DOXY_XREF_TYPES'" +
550                     " ${SOURCES[1]} $SOURCE >> $TARGET")
551     if HTML_FOOTER:
552         commands.append(
553             "sed -e 's/\\$$title/$TITLE/g' -e 's/\\$$projectname/Overview/g' ${SOURCES[%d]} >> $TARGET"
554             % (HTML_HEADER and 3 or 2))
555
556     if env.get('DOXY_HTML_XSL'):
557         xslfile = env.File(env['DOXY_HTML_XSL'])
558         reltopdir = '../' * len(xref[0].dir.abspath[len(env.Dir('#').abspath)+1:].split('/'))
559         if reltopdir : reltopdir = reltopdir[:-1]
560         else         : reltopdir = '.'
561         commands.append(("xsltproc -o ${TARGET}.tmp" +
562                          " --nonet --html" +
563                          " --stringparam topdir %s" +
564                          " ${SOURCES[-1]} $TARGET 2>/dev/null")
565                         % reltopdir)
566         commands.append("mv ${TARGET}.tmp ${TARGET}")
567         sources.append(xslfile)
568         
569     xref = env.Command("doc/html/xref.html", sources, commands,
570                        TITLE = TITLE)
571
572     env.Alias('all_docs',xref)
573     return xref
574
575
576 ## \brief Build library
577 #
578 # This target helper will build the given library. The library will be
579 # called lib<i>library</i>.a as is customary on UNIX systems. \a
580 # sources, \a testSources and \a LIBS are directly forwarded to the
581 # Objects build helper.
582 #
583 # The library is added to the list of default targets.
584 #
585 #\ingroup target
586 def Lib(env, library, sources, testSources = None, LIBS = [], OBJECTS = [], no_includes = False):
587     objects = Objects(env,sources,testSources,LIBS=LIBS,OBJECTS=OBJECTS)
588     lib = None
589     if objects:
590         lib = env.Library(env.File(LibPath(library)),objects)
591         env.Default(lib)
592         env.Append(ALLLIBS = library)
593         env.Alias('default', lib)
594         install = InstallWithSources(env, lib, '$LIBINSTALLDIR', sources, testSources, no_includes)
595         env.Alias('install_all', install)
596     return lib
597
598 ## \brief Build Object from multiple sources
599 def Object(env, target, sources, testSources = None, LIBS = [], OBJECTS = [], no_includes = False):
600     objects = Objects(env,sources,testSources,LIBS=LIBS,OBJECTS=OBJECTS)
601     ob = None
602     if objects:
603         ob = env.Command(target+".o", objects, "ld -r -o $TARGET $SOURCES")
604         env.Default(ob)
605         env.Alias('default', ob)
606         install = InstallWithSources(env, ob, '$OBJINSTALLDIR', sources, testSources, no_includes)
607         env.Alias('install_all', install)
608     return ob
609
610 ## \brief Build executable
611 #
612 # This target helper will build the given binary.  The \a sources, \a
613 # testSources and \a LIBS arguments are forwarded to the Objects
614 # builder. The final program will be linked against all the library
615 # modules specified in \a LIBS (those are libraries which are built as
616 # part of the same proejct). To specify non-module libraries, use the
617 # construction environment parameters or the framework helpers.
618 #
619 # \ingroup target
620 def Binary(env, binary, sources, testSources = None, LIBS = [], OBJECTS = [], no_includes = False):
621     objects = Objects(env,sources,testSources,LIBS=LIBS,OBJECTS=OBJECTS)
622     program = None
623     if objects:
624         progEnv = env.Copy()
625         progEnv.Prepend(LIBS = LIBS)
626         program = progEnv.ProgramNoScan(target=binary,source=objects+OBJECTS)
627         env.Default(program)
628         env.Depends(program, [ env.File(LibPath(x)) for x in LIBS ])
629         env.Alias('default', program)
630         install = InstallWithSources(env, program, '$BININSTALLDIR', sources, testSources,
631                                      no_includes)
632         env.Alias('install_all', install)
633     return program
634
635 def AllIncludesHH(env, headers):
636     headers.sort()
637     target = env.File("all_includes.hh")
638     file(target.abspath,"w").write("".join([ '#include "%s"\n' % f
639                                              for f in headers ]))
640     env.Clean('all', target)