debian: Update build depends
[senf.git] / SConstruct
1 # -*- python -*-
2
3 import sys, glob, os.path, datetime, pwd, time, fnmatch
4 sys.path.append('senfscons')
5 import SENFSCons
6
7 ###########################################################################
8
9 # This hack is needed for SCons V 0.96.1 compatibility. In current SCons versions
10 # we can just use 'env.AlwaysBuild(env.Alias(target), [], action)'
11 def PhonyTarget(env, target, action, sources=[]):
12     env.AlwaysBuild(env.Command(target + '.phony', [ 'SConstruct' ] + sources, env.Action(action)))
13     env.Alias(target, target + '.phony')
14
15 def updateRevision(target, source, env):
16     rev = env['ENV']['REVISION'][1:]
17     if ':' in rev:
18         print
19         print "Working copy not clean. Run 'svn update'"
20         print
21         return 1
22     if 'm' in rev and not ARGUMENTS.get('force_deb'):
23         print
24         print "Working copy contains local changes. Commit first"
25         print
26         return 1
27     if 's' in rev:
28         rev = rev[:-1]
29     if 'm' in rev:
30         rev = rev[:-1]
31     changelog = file('debian/changelog.template').read() % {
32         'rev': rev,
33         'user': pwd.getpwuid(os.getuid()).pw_gecos.split(',')[0].strip(),
34         'date': time.strftime("%a, %d %b %Y %H:%M:%S +0000", time.gmtime()) }
35     file('debian/changelog','w').write(changelog)
36
37 def nonemptyFile(f):
38     try: return os.stat(f).st_size > 0
39     except OSError: return False
40
41 def checkLocalConf(target, source, env):
42     if [ True for f in env['LOCAL_CONFIG_FILES'] if nonemptyFile(f) ]:
43         print
44         print "You have made local modifications to one of the following local configuration"
45         print "files:"
46         for f in env['LOCAL_CONFIG_FILES']:
47             print "    ",f
48         print
49         print "Building a debian package would remove those files."
50         print
51         print "To continue, remove the offending file(s) and try again. Alternatively,"
52         print "build a source package using 'scons debsrc' and may then build debian"
53         print "binary packages from this source-package without disrupting your local"
54         print "configuration."
55         print
56         return 1
57
58 def getLibDepends(script):
59     # OUCH ...
60     return os.popen("perl -0777 -n -e '$,=\" \"; print $1=~m/'\"'\"'([^'\"'\"']*)'\"'\"'/g if /LIBS\s*=\s*\[([^\]]*)\]/' %s" % script).read().split()
61
62 # Original topological sort code written by Ofer Faigon
63 # (www.bitformation.com) and used with permission
64 def topological_sort(items, partial_order):
65     """Perform topological sort.
66        items is a list of items to be sorted.
67        partial_order is a list of pairs. If pair (a,b) is in it, it means
68        that item a should appear before item b.
69        Returns a list of the items in one of the possible orders, or None
70        if partial_order contains a loop.
71     """
72     def add_node(graph, node):
73         if not graph.has_key(node):
74             graph[node] = [0] 
75     def add_arc(graph, fromnode, tonode):
76         graph[fromnode].append(tonode)
77         graph[tonode][0] = graph[tonode][0] + 1
78     graph = {}
79     for v in items:
80         add_node(graph, v)
81     for a,b in partial_order:
82         add_arc(graph, a, b)
83     roots = [node for (node,nodeinfo) in graph.items() if nodeinfo[0] == 0]
84     while len(roots) != 0:
85         root = roots.pop()
86         yield root
87         for child in graph[root][1:]:
88             graph[child][0] = graph[child][0] - 1
89             if graph[child][0] == 0:
90                 roots.append(child)
91         del graph[root]
92     if len(graph.items()) != 0:
93         raise RuntimeError, "Loop detected in partial_order"
94
95 ###########################################################################
96 # Load utilities and setup libraries and configure build
97
98 SENFSCons.UseBoost()
99 SENFSCons.UseSTLPort()
100 env = SENFSCons.MakeEnvironment()
101
102 env.Help("""
103 Additional top-level build targets:
104
105 prepare      Create all source files not part of the repository
106 all_tests    Build and run unit tests for all modules
107 all_docs     Build documentation for all modules
108 all          Build everything
109 install_all  Install SENF into $PREFIX
110 deb          Build debian source and binary package
111 debsrc       Build debian source package
112 debbin       Build debian binary package
113 linklint     Check links of doxygen documentation with 'linklint'
114 fixlinks     Fix broken links in doxygen documentation
115 valgrind     Run all tests under valgrind/memcheck
116 """)
117
118 if os.environ.get('debian_build'):
119     rev = os.popen("dpkg-parsechangelog | awk '/^Version:/{print $2}'").read().strip()
120 else:
121     rev = 'r' + os.popen("svnversion").read().strip().lower()
122
123 logname = os.environ.get('LOGNAME')
124 if not logname:
125     logname = pwd.getpwuid(os.getuid()).pw_name
126
127 def configFilesOpts(target, source, env, for_signature):
128     return [ '-I%s' % os.path.split(f)[1] for f in env['LOCAL_CONFIG_FILES'] ]
129
130 env.Append(
131    CPPPATH = [ '#/include' ],
132    LIBS = [ 'iberty', '$BOOSTREGEXLIB' ],
133    TEST_EXTRA_LIBS = [ '$BOOSTFSLIB' ],
134    DOXY_XREF_TYPES = [ 'bug', 'fixme', 'todo', 'idea' ],
135    DOXY_HTML_XSL = '#/doclib/html-munge.xsl',
136    ENV = { 'TODAY' : str(datetime.date.today()),
137            'REVISION' : rev,
138            'LOGNAME' : logname, # needed by the debian build scripts
139            'CONCURRENCY_LEVEL' : env.GetOption('num_jobs') or "1",
140            'SCONS' : 1,
141            'PATH' : os.environ.get('PATH')
142          },
143    LOCAL_CONFIG_FILES = [ 'Doxyfile.local', 'SConfig', 'local_config.hh' ],
144    CONFIG_FILES_OPTS = configFilesOpts,
145    CLEAN_PATTERNS = [ '*~', '#*#', '*.pyc', 'semantic.cache', '.sconsign', '.sconsign.dblite' ],
146    BUILDPACKAGE_COMMAND = "dpkg-buildpackage -us -uc -rfakeroot -I.svn -I_templates $CONFIG_FILES_OPTS",
147    TOP_INCLUDES = [ 'Packets', 'PPI', 'Scheduler', 'Socket', 'Utils',
148                     'config.hh', 'local_config.hh' ],
149 )
150
151 env.SetDefault(
152        LIBSENF = "senf"
153 )
154
155 Export('env')
156
157 # Create Doxyfile.local otherwise doxygen will barf on this non-existent file
158 # Create it even when cleaning, to silence the doxygen builder warnings
159 if not os.path.exists("Doxyfile.local"):
160     Execute(Touch("Doxyfile.local"))
161
162 # Create local_config.h
163 if not env.GetOption('clean') and not os.path.exists("local_config.hh"):
164     Execute(Touch("local_config.hh"))
165
166 ###########################################################################
167 # Define build targets
168
169 # Before defining any targets, check wether this is the first build in
170 # pristine directory tree. If so, call 'scons prepare' so the dependencies
171 # created later are correct
172
173 if not env.GetOption('clean') and not os.path.exists(".prepare-stamp") \
174    and not os.environ.get("SCONS") and COMMAND_LINE_TARGETS != [ 'prepare' ]:
175     env.Execute([ "scons prepare" ])
176
177 env.Clean('all', '.prepare-stamp')
178
179 # Not nice, but until we get to fixing the dependency jungle
180 # concerning generated sources ...
181 scripts = []
182 dependencies = []
183
184 for script in glob.glob("*/SConscript"):
185     depends = getLibDepends(script)
186     script = script.split('/',1)[0]
187     scripts.append(script)
188     dependencies += [ (dep, script) for dep in depends ]
189
190 for subdir in topological_sort(scripts, dependencies):
191     SConscript(os.path.join(subdir, "SConscript"))
192     
193 SENFSCons.StandardTargets(env)
194 SENFSCons.GlobalTargets(env)
195 SENFSCons.Doxygen(env)
196 SENFSCons.DoxyXRef(env,
197                    HTML_HEADER = '#/doclib/doxy-header.html',
198                    HTML_FOOTER = '#/doclib/doxy-footer.html')
199
200 SENFSCons.InstallIncludeFiles(env, [ 'config.hh' ])
201
202 # Build combined library 'libsenf'
203 libsenf = env.Library(
204     'senf${LIBADDSUFFIX}',
205     Flatten([ env.File(SENFSCons.LibPath(lib)).sources for lib in env['ALLLIBS'] ]))
206 env.Default(libsenf)
207 env.Clean('all', libsenf)
208 env.Alias('default', libsenf)
209
210 env.Alias('install_all', env.Install('$LIBINSTALLDIR', libsenf))
211
212 env.Clean('all', [ os.path.join(path,f)
213                    for path, subdirs, files in os.walk('.')
214                    for pattern in env['CLEAN_PATTERNS']
215                    for f in fnmatch.filter(files,pattern) ])
216
217 PhonyTarget(env, 'deb', [
218     checkLocalConf,
219     updateRevision,
220     "$BUILDPACKAGE_COMMAND",
221     "fakeroot ./debian/rules debclean"
222 ])
223
224 PhonyTarget(env, 'debsrc', [
225     updateRevision,
226     "$BUILDPACKAGE_COMMAND -S",
227 ])
228
229 PhonyTarget(env, 'debbin', [
230     checkLocalConf,
231     updateRevision,
232     "$BUILDPACKAGE_COMMAND -b",
233     "fakeroot ./debian/rules debclean"
234 ])
235
236 PhonyTarget(env, 'linklint', [
237     'rm -rf linklint',
238     'linklint -doc linklint -limit 99999999 `find -type d -name html -printf "/%P/@ "`',
239     '[ ! -r linklint/errorX.html ] || python doclib/linklint_addnames.py <linklint/errorX.html >linklint/errorX.html.new',
240     '[ ! -r linklint/errorX.html.new ] || mv linklint/errorX.html.new linklint/errorX.html',
241     '[ ! -r linklint/errorAX.html ] || python doclib/linklint_addnames.py <linklint/errorAX.html >linklint/errorAX.html.new',
242     '[ ! -r linklint/errorAX.html.new ] || mv linklint/errorAX.html.new linklint/errorAX.html',
243     'echo -e "\\nLokal link check results: linklint/index.html\\nRemote link check results: linklint/urlindex.html\\n"',
244 ])
245
246 PhonyTarget(env, 'fixlinks', [
247     'python doclib/fix-links.py -v -s .svn -s linklint -s debian linklint/errorX.txt linklint/errorAX.txt',
248 ])
249
250 PhonyTarget(env, 'prepare', [])
251
252 PhonyTarget(env, 'valgrind', [
253     'find -name .test.bin | while read test; do echo; echo "Running $$test"; echo; valgrind --tool=memcheck --error-exitcode=99 --suppressions=valgrind.sup $$test $BOOSTTESTARGS; [ $$? -ne 99 ] || exit 1; done'
254     ], [ 'all_tests' ])
255
256 env.Clean('all', env.Dir('linklint'))
257
258 env.Clean('all','.prepare-stamp')
259 if not env.GetOption('clean') and not os.path.exists(".prepare-stamp"):
260     Execute(Touch(".prepare-stamp"))