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