author | yiluzhu |
Tue, 23 Feb 2010 11:55:49 +0000 | |
branch | fix |
changeset 246 | b9b473d0d6df |
parent 245 | cbc11ebd788f |
child 268 | 692d9a4eefc4 |
child 278 | c38bfd29ee57 |
permissions | -rw-r--r-- |
3 | 1 |
# |
246
b9b473d0d6df
Release note: Raptor cannot report error or warning message in wrong implib project
yiluzhu
parents:
245
diff
changeset
|
2 |
# Copyright (c) 2007-2010 Nokia Corporation and/or its subsidiary(-ies). |
3 | 3 |
# All rights reserved. |
4 |
# This component and the accompanying materials are made available |
|
5 |
# under the terms of the License "Eclipse Public License v1.0" |
|
6 |
# which accompanies this distribution, and is available |
|
7 |
# at the URL "http://www.eclipse.org/legal/epl-v10.html". |
|
8 |
# |
|
9 |
# Initial Contributors: |
|
10 |
# Nokia Corporation - initial contribution. |
|
11 |
# |
|
12 |
# Contributors: |
|
13 |
# |
|
14 |
# Description: |
|
15 |
# This module includes classes that process bld.inf and .mmp files to |
|
16 |
# generate Raptor build specifications |
|
17 |
# |
|
18 |
||
19 |
import copy |
|
20 |
import re |
|
21 |
import os.path |
|
22 |
import shutil |
|
23 |
import stat |
|
24 |
import hashlib |
|
25 |
import base64 |
|
26 |
||
27 |
import raptor |
|
28 |
import raptor_data |
|
29 |
import raptor_utilities |
|
30 |
import raptor_xml |
|
31 |
import generic_path |
|
32 |
import subprocess |
|
33 |
import zipfile |
|
212
18372202b584
escape filenames in <member> tags
Richard Taylor <richard.i.taylor@nokia.com>
parents:
160
diff
changeset
|
34 |
from xml.sax.saxutils import escape |
3 | 35 |
from mmpparser import * |
36 |
||
37 |
import time |
|
38 |
||
39 |
||
40 |
PiggyBackedBuildPlatforms = {'ARMV5':['GCCXML']} |
|
41 |
||
42 |
PlatformDefaultDefFileDir = {'WINSCW':'bwins', |
|
43 |
'ARMV5' :'eabi', |
|
44 |
'ARMV5SMP' :'eabi', |
|
45 |
'GCCXML':'eabi', |
|
46 |
'ARMV6':'eabi', |
|
47 |
'ARMV7' : 'eabi', |
|
48 |
'ARMV7SMP' : 'eabi'} |
|
49 |
||
50 |
def getVariantCfgDetail(aEPOCROOT, aVariantCfgFile): |
|
51 |
"""Obtain pertinent build related detail from the Symbian variant.cfg file. |
|
52 |
||
53 |
This variant.cfg file, usually located relative to $(EPOCROOT), contains: |
|
54 |
(1) The $(EPOCROOT) relative location of the primary .hrh file used to configure the specific OS variant build |
|
55 |
(2) A flag determining whether ARMV5 represents an ABIV1 or ABIV2 build (currently unused by Raptor).""" |
|
56 |
||
57 |
variantCfgDetails = {} |
|
58 |
variantCfgFile = None |
|
59 |
||
60 |
try: |
|
61 |
variantCfgFile = open(str(aVariantCfgFile)) |
|
62 |
except IOError, (number, message): |
|
63 |
raise MetaDataError("Could not read variant configuration file "+str(aVariantCfgFile)+" ("+message+")") |
|
64 |
||
65 |
for line in variantCfgFile.readlines(): |
|
66 |
if re.search('^(\s$|\s*#)', line): |
|
67 |
continue |
|
68 |
# Note that this detection of the .hrh file matches the command line build i.e. ".hrh" somewhere |
|
69 |
# in the specified line |
|
70 |
elif re.search('\.hrh', line, re.I): |
|
71 |
variantHrh = line.strip() |
|
72 |
if variantHrh.startswith('\\') or variantHrh.startswith('/'): |
|
73 |
variantHrh = variantHrh[1:] |
|
74 |
variantHrh = aEPOCROOT.Append(variantHrh) |
|
75 |
variantCfgDetails['VARIANT_HRH'] = variantHrh |
|
76 |
else: |
|
77 |
lineContent = line.split() |
|
78 |
||
79 |
if len(lineContent) == 1: |
|
80 |
variantCfgDetails[lineContent.pop(0)] = 1 |
|
81 |
else: |
|
82 |
variantCfgDetails[lineContent.pop(0)] = lineContent |
|
83 |
||
84 |
variantCfgFile.close() |
|
85 |
||
86 |
if not variantCfgDetails.has_key('VARIANT_HRH'): |
|
87 |
raise MetaDataError("No variant file specified in "+str(aVariantCfgFile)) |
|
88 |
if not variantHrh.isFile(): |
|
89 |
raise MetaDataError("Variant file "+str(variantHrh)+" does not exist") |
|
90 |
||
91 |
return variantCfgDetails |
|
92 |
||
93 |
def getOsVerFromKifXml(aPathToKifXml): |
|
94 |
"""Obtain the OS version from the kif.xml file located at $EPOCROOT/epoc32/data/kif.xml. |
|
95 |
||
96 |
If successful, the function returns a string such as "v95" to indicate 9.5; None is |
|
97 |
returned if for any reason the function cannot determine the OS version.""" |
|
98 |
||
99 |
releaseTagName = "ki:release" |
|
100 |
osVersion = None |
|
101 |
||
102 |
import xml.dom.minidom |
|
103 |
||
104 |
try: |
|
105 |
# Parsed document object |
|
106 |
kifDom = xml.dom.minidom.parse(str(aPathToKifXml)) |
|
107 |
||
108 |
# elements - the elements whose names are releaseTagName |
|
109 |
elements = kifDom.getElementsByTagName(releaseTagName) |
|
110 |
||
111 |
# There should be exactly one of the elements whose name is releaseTagName |
|
112 |
# If more than one, osVersion is left as None, since the version should be |
|
113 |
# unique to the kif.xml file |
|
114 |
if len(elements) == 1: |
|
115 |
osVersionTemp = elements[0].getAttribute("version") |
|
116 |
osVersion = "v" + osVersionTemp.replace(".", "") |
|
117 |
||
118 |
kifDom.unlink() # Clean up |
|
119 |
||
120 |
except: |
|
121 |
# There's no documentation on which exceptions are raised by these functions. |
|
122 |
# We catch everything and assume any exception means there was a failure to |
|
123 |
# determine OS version. None is returned, and the code will fall back |
|
124 |
# to looking at the buildinfo.txt file. |
|
125 |
pass |
|
126 |
||
127 |
return osVersion |
|
128 |
||
129 |
def getOsVerFromBuildInfoTxt(aPathToBuildInfoTxt): |
|
130 |
"""Obtain the OS version from the buildinfo.txt file located at $EPOCROOT/epoc32/data/buildinfo.txt. |
|
131 |
||
132 |
If successful, the function returns a string such as "v95" to indicate 9.5; None is |
|
133 |
returned if for any reason the function cannot determine the OS version. |
|
134 |
||
135 |
The file $EPOCROOT/epoc32/data/buildinfo.txt is presumed to exist. The client code should |
|
136 |
handle existance/non-existance.""" |
|
137 |
||
138 |
pathToBuildInfoTxt = str(aPathToBuildInfoTxt) # String form version of path to buildinfo.txt |
|
139 |
||
140 |
# Open the file for reading; throw an exception if it could not be read - note that |
|
141 |
# it should exist at this point. |
|
142 |
try: |
|
143 |
buildInfoTxt = open(pathToBuildInfoTxt) |
|
144 |
except IOError, (number, message): |
|
145 |
raise MetaDataError("Could not read buildinfo.txt file at" + pathToBuildInfoTxt + ": (" + message + ")") |
|
146 |
||
147 |
# Example buildinfo.txt contents: |
|
148 |
# |
|
149 |
# DeviceFamily 100 |
|
150 |
# DeviceFamilyRev 0x900 |
|
151 |
# ManufacturerSoftwareBuild M08765_Symbian_OS_v9.5 |
|
152 |
# |
|
153 |
# Regexp to match the line containing the OS version |
|
154 |
# Need to match things like M08765_Symbian_OS_v9.5 and M08765_Symbian_OS_vFuture |
|
155 |
# So for the version, match everything except whitespace after v. Whitespace |
|
156 |
# signifies the end of the regexp. |
|
157 |
osVersionMatcher = re.compile('.*_Symbian_OS_v([^\s]*)', re.I) |
|
158 |
osVersion = None |
|
159 |
||
160 |
# Search for a regexp match over all the times in the file |
|
161 |
# Note: if two or more lines match the search pattern then |
|
162 |
# the latest match will overwrite the osVersion string. |
|
163 |
for line in buildInfoTxt: |
|
164 |
matchResult = osVersionMatcher.match(line) |
|
165 |
if matchResult: |
|
166 |
result = matchResult.groups() |
|
167 |
osVersion = "v" + str(reduce(lambda x, y: x + y, result)) |
|
168 |
osVersion = osVersion.replace(".", "") |
|
169 |
||
170 |
buildInfoTxt.close() # Clean-up |
|
171 |
||
172 |
return osVersion |
|
173 |
||
174 |
def getBuildableBldInfBuildPlatforms(aBldInfBuildPlatforms, |
|
175 |
aDefaultOSBuildPlatforms, |
|
176 |
aBaseDefaultOSBuildPlatforms, |
|
177 |
aBaseUserDefaultOSBuildPlatforms): |
|
178 |
"""Obtain a set of build platform names supported by a bld.inf file |
|
179 |
||
180 |
Build platform deduction is based on both the contents of the PRJ_PLATFORMS section of |
|
181 |
a bld.inf file together with a hard-coded set of default build platforms supported by |
|
182 |
the build system itself.""" |
|
183 |
||
184 |
expandedBldInfBuildPlatforms = [] |
|
185 |
removePlatforms = set() |
|
186 |
||
187 |
for bldInfBuildPlatform in aBldInfBuildPlatforms: |
|
188 |
if bldInfBuildPlatform.upper() == "DEFAULT": |
|
189 |
expandedBldInfBuildPlatforms.extend(aDefaultOSBuildPlatforms.split()) |
|
190 |
elif bldInfBuildPlatform.upper() == "BASEDEFAULT": |
|
191 |
expandedBldInfBuildPlatforms.extend(aBaseDefaultOSBuildPlatforms.split()) |
|
192 |
elif bldInfBuildPlatform.upper() == "BASEUSERDEFAULT": |
|
193 |
expandedBldInfBuildPlatforms.extend(aBaseUserDefaultOSBuildPlatforms.split()) |
|
194 |
elif bldInfBuildPlatform.startswith("-"): |
|
195 |
removePlatforms.add(bldInfBuildPlatform.lstrip("-").upper()) |
|
196 |
else: |
|
197 |
expandedBldInfBuildPlatforms.append(bldInfBuildPlatform.upper()) |
|
198 |
||
199 |
if len(expandedBldInfBuildPlatforms) == 0: |
|
200 |
expandedBldInfBuildPlatforms.extend(aDefaultOSBuildPlatforms.split()) |
|
201 |
||
202 |
# make a set of platforms that can be built |
|
203 |
buildableBldInfBuildPlatforms = set(expandedBldInfBuildPlatforms) |
|
204 |
||
205 |
# Add platforms that are buildable by virtue of the presence of another |
|
206 |
for piggyBackedPlatform in PiggyBackedBuildPlatforms: |
|
207 |
if piggyBackedPlatform in buildableBldInfBuildPlatforms: |
|
208 |
buildableBldInfBuildPlatforms.update(PiggyBackedBuildPlatforms.get(piggyBackedPlatform)) |
|
209 |
||
210 |
# Remove platforms that were negated |
|
211 |
buildableBldInfBuildPlatforms -= removePlatforms |
|
212 |
||
213 |
return buildableBldInfBuildPlatforms |
|
214 |
||
215 |
||
216 |
def getPreProcessorCommentDetail (aPreProcessorComment): |
|
217 |
"""Takes a preprocessor comment and returns an array containing the filename and linenumber detail.""" |
|
218 |
||
219 |
commentDetail = [] |
|
220 |
commentMatch = re.search('# (?P<LINENUMBER>\d+) "(?P<FILENAME>.*)"', aPreProcessorComment) |
|
221 |
||
222 |
if commentMatch: |
|
223 |
filename = commentMatch.group('FILENAME') |
|
224 |
filename = os.path.abspath(filename) |
|
225 |
filename = re.sub(r'\\\\', r'\\', filename) |
|
226 |
filename = re.sub(r'//', r'/', filename) |
|
227 |
filename = generic_path.Path(filename) |
|
228 |
linenumber = int (commentMatch.group('LINENUMBER')) |
|
229 |
||
230 |
commentDetail.append(filename) |
|
231 |
commentDetail.append(linenumber) |
|
232 |
||
233 |
return commentDetail |
|
234 |
||
235 |
||
5 | 236 |
def getSpecName(aFileRoot, fullPath=False): |
237 |
"""Returns a build spec name: this is the file root (full path |
|
238 |
or simple file name) made safe for use as a file name.""" |
|
239 |
||
240 |
if fullPath: |
|
241 |
specName = str(aFileRoot).replace("/","_") |
|
242 |
specName = specName.replace(":","") |
|
243 |
else: |
|
244 |
specName = aFileRoot.File() |
|
245 |
||
246 |
return specName.lower() |
|
247 |
||
248 |
||
3 | 249 |
# Classes |
250 |
||
251 |
class MetaDataError(Exception): |
|
252 |
"""Fatal error wrapper, to be thrown directly back to whatever is calling.""" |
|
253 |
||
254 |
def __init__(self, aText): |
|
255 |
self.Text = aText |
|
256 |
def __str__(self): |
|
257 |
return repr(self.Text) |
|
258 |
||
259 |
||
260 |
class PreProcessedLine(str): |
|
261 |
"""Custom string class that accepts filename and line number information from |
|
262 |
a preprocessed context.""" |
|
263 |
||
264 |
def __new__(cls, value, *args, **keywargs): |
|
265 |
return str.__new__(cls, value) |
|
266 |
||
267 |
def __init__(self, value, aFilename, aLineNumber): |
|
268 |
self.filename = aFilename |
|
269 |
self.lineNumber = aLineNumber |
|
270 |
||
271 |
def getFilename (self): |
|
272 |
return self.filename |
|
273 |
||
274 |
def getLineNumber (self): |
|
275 |
return self.lineNumber |
|
276 |
||
277 |
class PreProcessor(raptor_utilities.ExternalTool): |
|
278 |
"""Preprocessor wrapper suitable for Symbian metadata file processing.""" |
|
279 |
||
280 |
def __init__(self, aPreProcessor, |
|
281 |
aStaticOptions, |
|
282 |
aIncludeOption, |
|
283 |
aMacroOption, |
|
284 |
aPreIncludeOption, |
|
285 |
aRaptor): |
|
286 |
raptor_utilities.ExternalTool.__init__(self, aPreProcessor) |
|
287 |
self.__StaticOptions = aStaticOptions |
|
288 |
self.__IncludeOption = aIncludeOption |
|
289 |
self.__MacroOption = aMacroOption |
|
290 |
self.__PreIncludeOption = aPreIncludeOption |
|
291 |
||
292 |
self.filename = "" |
|
293 |
self.__Macros = [] |
|
294 |
self.__IncludePaths = [] |
|
295 |
self.__PreIncludeFile = "" |
|
296 |
self.raptor = aRaptor |
|
297 |
||
298 |
def call(self, aArgs, sourcefilename): |
|
299 |
""" Override call so that we can do our own error handling.""" |
|
300 |
tool = self._ExternalTool__Tool |
|
32
fdfc59a2ae7e
fix for broken cpp location
Richard Taylor <richard.i.taylor@nokia.com>
parents:
29
diff
changeset
|
301 |
commandline = tool + " " + aArgs + " " + str(sourcefilename) |
3 | 302 |
try: |
303 |
# the actual call differs between Windows and Unix |
|
304 |
if raptor_utilities.getOSFileSystem() == "unix": |
|
305 |
p = subprocess.Popen(commandline, \ |
|
306 |
shell=True, bufsize=65535, \ |
|
307 |
stdin=subprocess.PIPE, \ |
|
308 |
stdout=subprocess.PIPE, \ |
|
309 |
stderr=subprocess.PIPE, \ |
|
310 |
close_fds=True) |
|
311 |
else: |
|
312 |
p = subprocess.Popen(commandline, \ |
|
313 |
bufsize=65535, \ |
|
314 |
stdin=subprocess.PIPE, \ |
|
315 |
stdout=subprocess.PIPE, \ |
|
316 |
stderr=subprocess.PIPE, \ |
|
317 |
universal_newlines=True) |
|
318 |
||
319 |
# run the command and wait for all the output |
|
320 |
(self._ExternalTool__Output, errors) = p.communicate() |
|
321 |
||
322 |
if self.raptor.debugOutput: |
|
323 |
self.raptor.Debug("Preprocessing Start %s", str(sourcefilename)) |
|
324 |
self.raptor.Debug("Output:\n%s", self._ExternalTool__Output) |
|
325 |
self.raptor.Debug("Errors:\n%s", errors) |
|
326 |
self.raptor.Debug("Preprocessing End %s", str(sourcefilename)) |
|
327 |
||
328 |
incRE = re.compile("In file included from") |
|
329 |
fromRE = re.compile(r"\s+from") |
|
330 |
warningRE = re.compile("warning:|pasting.+token|from.+:") |
|
331 |
remarkRE = re.compile("no newline at end of file|does not give a valid preprocessing token") |
|
332 |
||
333 |
actualErr = False |
|
334 |
if errors != "": |
|
335 |
for error in errors.splitlines(): |
|
336 |
if incRE.search(error) or fromRE.search(error): |
|
337 |
continue |
|
338 |
if not remarkRE.search(error): |
|
339 |
if warningRE.search(error): |
|
340 |
self.raptor.Warn("%s: %s", tool, error) |
|
341 |
else: |
|
342 |
self.raptor.Error("%s: %s", tool, error) |
|
343 |
actualErr = True |
|
344 |
if actualErr: |
|
345 |
raise MetaDataError("Errors in %s" % str(sourcefilename)) |
|
346 |
||
347 |
except Exception,e: |
|
32
fdfc59a2ae7e
fix for broken cpp location
Richard Taylor <richard.i.taylor@nokia.com>
parents:
29
diff
changeset
|
348 |
raise MetaDataError("Preprocessor exception: '%s' : in command : '%s'" % (str(e), commandline)) |
3 | 349 |
|
350 |
return 0 # all OK |
|
351 |
||
352 |
def setMacros(self, aMacros): |
|
353 |
self.__Macros = aMacros |
|
354 |
||
355 |
def addMacro(self, aMacro): |
|
356 |
self.__Macros.append(aMacro) |
|
357 |
||
358 |
def addMacros(self, aMacros): |
|
359 |
self.__Macros.extend(aMacros) |
|
360 |
||
361 |
def getMacros(self): |
|
362 |
return self.__Macros |
|
363 |
||
364 |
||
365 |
def addIncludePath(self, aIncludePath): |
|
366 |
p = str(aIncludePath) |
|
367 |
if p == "": |
|
368 |
self.raptor.Warn("attempt to set an empty preprocessor include path for %s" % str(self.filename)) |
|
369 |
else: |
|
370 |
self.__IncludePaths.append(p) |
|
371 |
||
372 |
def addIncludePaths(self, aIncludePaths): |
|
373 |
for path in aIncludePaths: |
|
374 |
self.addIncludePath(path) |
|
375 |
||
376 |
def setIncludePaths(self, aIncludePaths): |
|
377 |
self.__IncludePaths = [] |
|
378 |
self.addIncludePaths(aIncludePaths) |
|
379 |
||
380 |
def setPreIncludeFile(self, aPreIncludeFile): |
|
381 |
self.__PreIncludeFile = aPreIncludeFile |
|
382 |
||
383 |
def preprocess(self): |
|
384 |
preProcessorCall = self.__constructPreProcessorCall() |
|
385 |
returnValue = self.call(preProcessorCall, self.filename) |
|
386 |
||
387 |
return self.getOutput() |
|
388 |
||
389 |
def __constructPreProcessorCall(self): |
|
390 |
||
391 |
call = self.__StaticOptions |
|
392 |
||
393 |
if self.__PreIncludeFile: |
|
394 |
call += " " + self.__PreIncludeOption |
|
395 |
call += " " + str(self.__PreIncludeFile) |
|
396 |
||
397 |
for macro in self.__Macros: |
|
398 |
call += " " + self.__MacroOption + macro |
|
399 |
||
400 |
for includePath in self.__IncludePaths: |
|
401 |
call += " " + self.__IncludeOption |
|
402 |
call += " " + str(includePath) |
|
403 |
||
404 |
return call |
|
405 |
||
406 |
||
407 |
class MetaDataFile(object): |
|
408 |
"""A generic representation of a Symbian metadata file |
|
409 |
||
410 |
Symbian metadata files are subject to preprocessing, primarily with macros based |
|
411 |
on the selected build platform. This class provides a generic means of wrapping |
|
412 |
up the preprocessing of such files.""" |
|
413 |
||
5 | 414 |
def __init__(self, aFilename, gnucpp, depfiles, aRootLocation=None, log=None): |
3 | 415 |
""" |
416 |
@param aFilename An MMP, bld.inf or other preprocessable build spec file |
|
417 |
@param aDefaultPlatform Default preprocessed version of this file |
|
418 |
@param aCPP location of GNU CPP |
|
5 | 419 |
@param depfiles list to add dependency file tuples to |
420 |
@param aRootLocation where the file is |
|
3 | 421 |
@param log A class with Debug(<string>), Info(<string>) and Error(<string>) methods |
422 |
""" |
|
423 |
self.filename = aFilename |
|
424 |
self.__RootLocation = aRootLocation |
|
425 |
# Dictionary with key of build platform and a text string of processed output as values |
|
426 |
self.__PreProcessedContent = {} |
|
427 |
self.log = log |
|
5 | 428 |
self.depfiles = depfiles |
3 | 429 |
|
430 |
self.__gnucpp = gnucpp |
|
431 |
if gnucpp is None: |
|
432 |
raise ValueError('gnucpp must be set') |
|
433 |
||
434 |
def depspath(self, platform): |
|
435 |
""" Where does dependency information go relative to platform's SBS_BUILD_DIR? |
|
436 |
Subclasses should redefine this |
|
437 |
""" |
|
438 |
return str(platform['SBS_BUILD_DIR']) + "/" + str(self.__RootLocation) + "." + platform['key_md5'] + ".d" |
|
439 |
||
440 |
def getContent(self, aBuildPlatform): |
|
441 |
||
442 |
key = aBuildPlatform['key'] |
|
443 |
||
444 |
config_macros = [] |
|
445 |
||
446 |
adepfilename = self.depspath(aBuildPlatform) |
|
447 |
generateDepsOptions = "" |
|
448 |
if adepfilename: |
|
449 |
||
450 |
if raptor_utilities.getOSPlatform().startswith("win"): |
|
451 |
metatarget = "$(PARSETARGET)" |
|
452 |
else: |
|
453 |
metatarget = "'$(PARSETARGET)'" |
|
454 |
generateDepsOptions = "-MD -MF%s -MT%s" % (adepfilename, metatarget) |
|
5 | 455 |
self.depfiles.append((adepfilename, metatarget)) |
3 | 456 |
try: |
457 |
os.makedirs(os.path.dirname(adepfilename)) |
|
458 |
except Exception, e: |
|
459 |
self.log.Debug("Couldn't make bldinf outputpath for dependency generation") |
|
460 |
||
461 |
config_macros = (aBuildPlatform['PLATMACROS']).split() |
|
462 |
||
463 |
if not key in self.__PreProcessedContent: |
|
464 |
||
465 |
preProcessor = PreProcessor(self.__gnucpp, '-undef -nostdinc ' + generateDepsOptions + ' ', |
|
466 |
'-I', '-D', '-include', self.log) |
|
467 |
preProcessor.filename = self.filename |
|
468 |
||
469 |
# always have the current directory on the include path |
|
470 |
preProcessor.addIncludePath('.') |
|
471 |
||
472 |
# the SYSTEMINCLUDE directories defined in the build config |
|
473 |
# should be on the include path. This is added mainly to support |
|
474 |
# Feature Variation as SYSTEMINCLUDE is usually empty at this point. |
|
475 |
systemIncludes = aBuildPlatform['SYSTEMINCLUDE'] |
|
476 |
if systemIncludes: |
|
477 |
preProcessor.addIncludePaths(systemIncludes.split()) |
|
478 |
||
479 |
preInclude = aBuildPlatform['VARIANT_HRH'] |
|
480 |
||
481 |
# for non-Feature Variant builds, the directory containing the HRH should |
|
482 |
# be on the include path |
|
483 |
if not aBuildPlatform['ISFEATUREVARIANT']: |
|
484 |
preProcessor.addIncludePath(preInclude.Dir()) |
|
485 |
||
486 |
# and EPOCROOT/epoc32/include |
|
487 |
preProcessor.addIncludePath(aBuildPlatform['EPOCROOT'].Append('epoc32/include')) |
|
488 |
||
489 |
# and the directory containing the bld.inf file |
|
490 |
if self.__RootLocation is not None and str(self.__RootLocation) != "": |
|
491 |
preProcessor.addIncludePath(self.__RootLocation) |
|
492 |
||
493 |
# and the directory containing the file we are processing |
|
494 |
preProcessor.addIncludePath(self.filename.Dir()) |
|
495 |
||
496 |
# there is always a pre-include file |
|
497 |
preProcessor.setPreIncludeFile(preInclude) |
|
498 |
||
499 |
macros = ["SBSV2"] |
|
500 |
||
501 |
if config_macros: |
|
502 |
macros.extend(config_macros) |
|
503 |
||
504 |
if macros: |
|
505 |
for macro in macros: |
|
506 |
preProcessor.addMacro(macro + "=_____" +macro) |
|
507 |
||
508 |
# extra "raw" macros that do not need protecting |
|
509 |
preProcessor.addMacro("__GNUC__=3") |
|
510 |
||
511 |
preProcessorOutput = preProcessor.preprocess() |
|
512 |
||
513 |
# Resurrect preprocessing replacements |
|
514 |
pattern = r'([\\|/]| |) ?_____(('+macros[0]+')' |
|
515 |
for macro in macros[1:]: |
|
516 |
pattern += r'|('+macro+r')' |
|
517 |
||
518 |
pattern += r'\s*)' |
|
519 |
# Work on all Macros in one substitution. |
|
520 |
text = re.sub(pattern, r"\1\2", preProcessorOutput) |
|
521 |
text = re.sub(r"\n[\t ]*", r"\n", text) |
|
522 |
||
523 |
self.__PreProcessedContent[key] = text |
|
524 |
||
525 |
return self.__PreProcessedContent[key] |
|
526 |
||
527 |
class MMPFile(MetaDataFile): |
|
528 |
"""A generic representation of a Symbian metadata file |
|
529 |
||
530 |
Symbian metadata files are subject to preprocessing, primarily with macros based |
|
531 |
on the selected build platform. This class provides a generic means of wrapping |
|
532 |
up the preprocessing of such files.""" |
|
533 |
||
5 | 534 |
def __init__(self, aFilename, gnucpp, bldinf, depfiles, log=None): |
3 | 535 |
""" |
536 |
@param aFilename An MMP, bld.inf or other preprocessable build spec file |
|
537 |
@param gnucpp location of GNU CPP |
|
5 | 538 |
@param bldinf the bld.inf file this mmp was specified in |
539 |
@param depfiles list to fill with mmp dependency files |
|
540 |
@param log A class with Debug(<string>), Info(<string>) and Error(<string>) methods |
|
3 | 541 |
""" |
5 | 542 |
super(MMPFile, self).__init__(aFilename, gnucpp, depfiles, str(bldinf.filename.Dir()), log) |
3 | 543 |
self.__bldinf = bldinf |
5 | 544 |
self.depfiles = depfiles |
3 | 545 |
|
546 |
self.__gnucpp = gnucpp |
|
547 |
if gnucpp is None: |
|
548 |
raise ValueError('gnucpp must be set') |
|
549 |
||
550 |
def depspath(self, platform): |
|
551 |
""" Where does dependency information go relative to platform's SBS_BUILD_DIR? |
|
552 |
Subclasses should redefine this |
|
553 |
""" |
|
554 |
return self.__bldinf.outputpath(platform) + "/" + self.filename.File() + '.' + platform['key_md5'] + ".d" |
|
555 |
||
556 |
class Export(object): |
|
557 |
"""Single processed PRJ_EXPORTS or PRJ_TESTEXPORTS entry from a bld.inf file""" |
|
558 |
||
559 |
def getPossiblyQuotedStrings(cls,spec): |
|
560 |
""" Split a string based on whitespace |
|
561 |
but keep double quoted substrings together. |
|
562 |
""" |
|
563 |
inquotes=False |
|
564 |
intokengap=False |
|
565 |
sourcedest=[] |
|
566 |
word = 0 |
|
567 |
for c in spec: |
|
568 |
if c == '"': |
|
569 |
if inquotes: |
|
570 |
inquotes = False |
|
571 |
word += 1 |
|
572 |
intokengap = True |
|
573 |
else: |
|
574 |
inquotes = True |
|
575 |
intokengap = False |
|
576 |
pass |
|
577 |
elif c == ' ' or c == '\t': |
|
578 |
if inquotes: |
|
579 |
if len(sourcedest) == word: |
|
580 |
sourcedest.append(c) |
|
581 |
else: |
|
582 |
sourcedest[word] += c |
|
583 |
else: |
|
584 |
if intokengap: |
|
585 |
# gobble unquoted spaces |
|
586 |
pass |
|
587 |
else: |
|
588 |
word += 1 |
|
589 |
intokengap=True |
|
590 |
pass |
|
591 |
else: |
|
592 |
intokengap = False |
|
593 |
if len(sourcedest) == word: |
|
594 |
sourcedest.append(c) |
|
595 |
else: |
|
596 |
sourcedest[word] += c |
|
597 |
||
598 |
return sourcedest |
|
599 |
||
600 |
getPossiblyQuotedStrings = classmethod(getPossiblyQuotedStrings) |
|
601 |
||
602 |
||
603 |
def __init__(self, aBldInfFile, aExportsLine, aType): |
|
604 |
""" |
|
605 |
Rules from the OS library for convenience: |
|
606 |
||
607 |
For PRJ_TESTEXPORTS |
|
608 |
source_file_1 [destination_file] |
|
609 |
source_file_n [destination_file] |
|
610 |
If the source file is listed with a relative path, the path will |
|
611 |
be considered relative to the directory containing the bld.inf file. |
|
612 |
If a destination file is not specified, the source file will be copied |
|
613 |
to the directory containing the bld.inf file. |
|
614 |
If a relative path is specified with the destination file, the path |
|
615 |
will be considered relative to directory containing the bld.inf file. |
|
616 |
||
617 |
For PRJ_EXPORTS |
|
618 |
source_file_1 [destination_file] |
|
619 |
source_file_n [destination_file] |
|
620 |
:zip zip_file [destination_path] |
|
621 |
||
622 |
Note that: |
|
623 |
If a source file is listed with a relative path, the path will be |
|
624 |
considered relative to the directory containing the bld.inf file. |
|
625 |
||
626 |
If a destination file is not specified, the source file will be copied |
|
627 |
to epoc32\include\. |
|
628 |
||
629 |
If a destination file is specified with the relative path, the path will |
|
630 |
be considered relative to directory epoc32\include\. |
|
631 |
||
632 |
If a destination begins with a drive letter, then the file is copied to |
|
633 |
epoc32\data\<drive_letter>\<path>. For example, |
|
634 |
||
635 |
mydata.dat e:\appdata\mydata.dat |
|
636 |
copies mydata.dat to epoc32\data\e\appdata\mydata.dat. |
|
637 |
You can use any driveletter between A and Z. |
|
638 |
||
639 |
A line can start with the preface :zip. This instructs the build tools |
|
640 |
to unzip the specified zip file to the specified destination path. If a |
|
641 |
destination path is not specified, the source file will be unzipped in |
|
642 |
the root directory. |
|
643 |
||
644 |
||
645 |
""" |
|
646 |
||
647 |
# Work out what action is required - unzip or copy? |
|
648 |
action = "copy" |
|
649 |
typematch = re.match(r'^\s*(?P<type>:zip\s+)?(?P<spec>[^\s].*[^\s])\s*$',aExportsLine, re.I) |
|
650 |
||
651 |
spec = typematch.group('spec') |
|
652 |
if spec == None: |
|
653 |
raise ValueError('must specify at least a source file for an export') |
|
654 |
||
655 |
if typematch.group('type') is not None: |
|
656 |
action = "unzip" |
|
657 |
||
658 |
# Split the spec into source and destination but take care |
|
659 |
# to allow filenames with quoted strings. |
|
660 |
exportEntries = Export.getPossiblyQuotedStrings(spec) |
|
661 |
||
662 |
# Get the source path as specified by the bld.inf |
|
663 |
source_spec = exportEntries.pop(0).replace(' ','%20') |
|
664 |
||
665 |
# Resolve the source file |
|
666 |
sourcepath = generic_path.Path(raptor_utilities.resolveSymbianPath(str(aBldInfFile), source_spec)) |
|
667 |
||
668 |
# Find it if the case of the filename is wrong: |
|
669 |
# Carry on even if we don't find it |
|
670 |
foundfile = sourcepath.FindCaseless() |
|
671 |
if foundfile != None: |
|
672 |
source = str(foundfile).replace(' ','%20') |
|
673 |
else: |
|
674 |
source = str(sourcepath).replace(' ','%20') |
|
675 |
||
676 |
||
677 |
# Get the destination path as specified by the bld.inf |
|
678 |
if len(exportEntries) > 0: |
|
679 |
dest_spec = exportEntries.pop(0).replace(' ','%20') |
|
680 |
else: |
|
681 |
dest_spec = None |
|
682 |
# Destination list - list of destinations. For the WINSCW resource building stage, |
|
683 |
# files exported to the emulated drives and there are several locations, for example, |
|
684 |
# PRJ_[TEST]EXPORTS |
|
685 |
# 1234ABCD.SPD z:/private/10009876/policy/1234ABCD.spd |
|
686 |
# needs to end up copied in |
|
687 |
# epoc32/data/z/private/10009876/policy/1234ABCD.spd *and* in |
|
688 |
# epoc32/release/winscw/udeb/z/private/10009876/policy/1234ABCD.spd *and* in |
|
689 |
# epoc32/release/winscw/urel/z/private/10009876/policy/1234ABCD.spd |
|
690 |
dest_list = [] |
|
691 |
||
692 |
# Resolve the destination if one is specified |
|
693 |
if dest_spec: |
|
694 |
# check for troublesome characters |
|
695 |
if ':' in dest_spec and not re.search('^[a-z]:', dest_spec, re.I): |
|
696 |
raise ValueError("invalid filename " + dest_spec) |
|
697 |
||
698 |
dest_spec = dest_spec.replace(' ','%20') |
|
699 |
aSubType="" |
|
700 |
if action == "unzip": |
|
701 |
aSubType=":zip" |
|
702 |
dest_spec = dest_spec.rstrip("\\/") |
|
703 |
||
704 |
# Get the export destination(s) - note this can be a list of strings or just a string. |
|
705 |
dest_list = raptor_utilities.resolveSymbianPath(str(aBldInfFile), dest_spec, aType, aSubType) |
|
706 |
||
707 |
def process_dest(aDest): |
|
708 |
if dest_spec.endswith('/') or dest_spec.endswith('\\'): |
|
709 |
m = generic_path.Path(source) |
|
710 |
aDest += '/'+m.File() |
|
711 |
return aDest |
|
712 |
||
713 |
if isinstance(dest_list, list): |
|
714 |
# Process each file in the list |
|
715 |
dest_list = map(process_dest, dest_list) |
|
716 |
else: |
|
717 |
# Process the single destination |
|
718 |
dest_list = process_dest(dest_list) |
|
719 |
||
720 |
else: |
|
721 |
# No destination was specified so we assume an appropriate one |
|
722 |
||
723 |
dest_filename=generic_path.Path(source).File() |
|
724 |
||
725 |
if aType == "PRJ_EXPORTS": |
|
726 |
if action == "copy": |
|
727 |
destination = '$(EPOCROOT)/epoc32/include/'+dest_filename |
|
728 |
elif action == "unzip": |
|
729 |
destination = '$(EPOCROOT)' |
|
730 |
elif aType == "PRJ_TESTEXPORTS": |
|
731 |
d = aBldInfFile.Dir() |
|
732 |
if action == "copy": |
|
733 |
destination = str(d.Append(dest_filename)) |
|
734 |
elif action == "unzip": |
|
735 |
destination = "$(EPOCROOT)" |
|
736 |
else: |
|
737 |
raise ValueError("Export type should be 'PRJ_EXPORTS' or 'PRJ_TESTEXPORTS'. It was: "+str(aType)) |
|
738 |
||
739 |
||
740 |
self.__Source = source |
|
741 |
if len(dest_list) > 0: # If the list has length > 0, this means there are several export destinations. |
|
742 |
self.__Destination = dest_list |
|
743 |
else: # Otherwise the list has length zero, so there is only a single export destination. |
|
744 |
self.__Destination = destination |
|
745 |
self.__Action = action |
|
746 |
||
747 |
def getSource(self): |
|
748 |
return self.__Source |
|
749 |
||
750 |
def getDestination(self): |
|
751 |
return self.__Destination # Note that this could be either a list, or a string, depending on the export destination |
|
752 |
||
753 |
def getAction(self): |
|
754 |
return self.__Action |
|
755 |
||
756 |
class ExtensionmakefileEntry(object): |
|
757 |
def __init__(self, aGnuLine, aBldInfFile, tmp): |
|
758 |
||
759 |
self.__BldInfFile = aBldInfFile |
|
760 |
bldInfLocation = self.__BldInfFile.Dir() |
|
761 |
biloc = str(bldInfLocation) |
|
762 |
extInfLocation = tmp.filename.Dir() |
|
763 |
eiloc = str(extInfLocation) |
|
764 |
||
765 |
if eiloc is None or eiloc == "": |
|
766 |
eiloc="." # Someone building with a relative raptor path |
|
767 |
if biloc is None or biloc == "": |
|
768 |
biloc="." # Someone building with a relative raptor path |
|
769 |
||
770 |
self.__StandardVariables = {} |
|
771 |
# Relative step-down to the root - let's try ignoring this for now, as it |
|
772 |
# should amount to the same thing in a world where absolute paths are king |
|
773 |
self.__StandardVariables['TO_ROOT'] = "" |
|
774 |
# Top-level bld.inf location |
|
775 |
self.__StandardVariables['TO_BLDINF'] = biloc |
|
776 |
self.__StandardVariables['EXTENSION_ROOT'] = eiloc |
|
777 |
||
778 |
# Get the directory and filename from the full path containing the extension makefile |
|
779 |
self.__FullPath = generic_path.Join(eiloc,aGnuLine) |
|
780 |
self.__FullPath = self.__FullPath.GetLocalString() |
|
781 |
self.__Filename = os.path.split(self.__FullPath)[1] |
|
782 |
self.__Directory = os.path.split(self.__FullPath)[0] |
|
783 |
||
784 |
def getMakefileName(self): |
|
785 |
return self.__Filename |
|
786 |
||
787 |
def getMakeDirectory(self): |
|
788 |
return self.__Directory |
|
789 |
||
790 |
def getStandardVariables(self): |
|
791 |
return self.__StandardVariables |
|
792 |
||
793 |
class Extension(object): |
|
794 |
"""Single processed PRJ_EXTENSIONS or PRJ_TESTEXTENSIONS START EXTENSIONS...END block |
|
795 |
from a bld.inf file""" |
|
796 |
||
797 |
def __init__(self, aBldInfFile, aStartLine, aOptionLines, aBuildPlatform, aRaptor): |
|
798 |
self.__BldInfFile = aBldInfFile |
|
799 |
self.__Options = {} |
|
800 |
self.interface = "" |
|
801 |
self.__Raptor = aRaptor |
|
802 |
||
803 |
makefile = "" |
|
804 |
makefileMatch = re.search(r'^\s*START EXTENSION\s+(?P<MAKEFILE>\S+)\s*(?P<NAMETAG>\S*)$', aStartLine, re.I) |
|
805 |
||
806 |
self.__RawMakefile = "" |
|
807 |
||
808 |
if (makefileMatch): |
|
809 |
self.__RawMakefile = makefileMatch.group('MAKEFILE') |
|
810 |
self.nametag = makefileMatch.group('NAMETAG').lower() |
|
811 |
||
812 |
# Ensure all \'s are translated into /'s if required |
|
813 |
self.interface = self.__RawMakefile |
|
814 |
self.interface = self.interface.replace("\\", "/").replace("/", ".") |
|
815 |
||
816 |
# To support standalone testing, '$(' prefixed TEMs are assumed to start with |
|
817 |
# a makefile variable and hence be fully located in FLM operation |
|
818 |
if self.__RawMakefile.startswith("$("): |
|
819 |
self.__Makefile = self.__RawMakefile + ".mk" |
|
820 |
else: |
|
821 |
self.__Makefile = '$(MAKEFILE_TEMPLATES)/' + self.__RawMakefile + ".mk" |
|
822 |
||
823 |
for optionLine in aOptionLines: |
|
824 |
optionMatch = re.search(r'^\s*(OPTION\s+)?(?P<VARIABLE>\S+)\s+(?P<VALUE>\S+.*)$',optionLine, re.I) |
|
825 |
if optionMatch: |
|
826 |
self.__Options[optionMatch.group('VARIABLE').upper()] = optionMatch.group('VALUE') |
|
827 |
||
828 |
bldInfLocation = self.__BldInfFile.Dir() |
|
829 |
||
830 |
biloc = str(bldInfLocation) |
|
831 |
if biloc is None or biloc == "": |
|
832 |
biloc="." # Someone building with a relative raptor path |
|
833 |
||
834 |
extInfLocation = aStartLine.filename.Dir() |
|
835 |
||
836 |
eiloc = str(extInfLocation) |
|
837 |
if eiloc is None or eiloc == "": |
|
838 |
eiloc="." # Someone building with a relative raptor path |
|
839 |
||
840 |
self.__StandardVariables = {} |
|
841 |
# Relative step-down to the root - let's try ignoring this for now, as it |
|
842 |
# should amount to the same thing in a world where absolute paths are king |
|
843 |
self.__StandardVariables['TO_ROOT'] = "" |
|
844 |
# Top-level bld.inf location |
|
845 |
self.__StandardVariables['TO_BLDINF'] = biloc |
|
846 |
# Location of bld.inf file containing the current EXTENSION block |
|
847 |
self.__StandardVariables['EXTENSION_ROOT'] = eiloc |
|
848 |
||
849 |
# If the interface exists, this means it's not a Template Extension Makefile so don't look for a .meta file for it; |
|
850 |
# so do nothing if it's not a template extension makefile |
|
851 |
try: |
|
852 |
self.__Raptor.cache.FindNamedInterface(str(self.interface), aBuildPlatform['CACHEID']) |
|
853 |
except KeyError: # This means that this Raptor doesn't have the interface self.interface, so we are in a TEM |
|
854 |
# Read extension meta file and get default options from it. The use of TEM meta file is compulsory if TEM is used |
|
855 |
metaFilename = "%s/epoc32/tools/makefile_templates/%s.meta" % (aBuildPlatform['EPOCROOT'], self.__RawMakefile) |
|
856 |
metaFile = None |
|
857 |
try: |
|
858 |
metaFile = open(metaFilename, "r") |
|
859 |
except IOError, e: |
|
860 |
self.__warn("Extension: %s - cannot open Meta file: %s" % (self.__RawMakefile, metaFilename)) |
|
861 |
||
862 |
if metaFile: |
|
863 |
for line in metaFile.readlines(): |
|
864 |
defaultOptionMatch = re.search(r'^OPTION\s+(?P<VARIABLE>\S+)\s+(?P<VALUE>\S+.*)$',line, re.I) |
|
865 |
if defaultOptionMatch and defaultOptionMatch.group('VARIABLE').upper() not in self.__Options.keys(): |
|
866 |
self.__Options[defaultOptionMatch.group('VARIABLE').upper()] = defaultOptionMatch.group('VALUE') |
|
867 |
||
868 |
metaFile.close() |
|
869 |
||
870 |
def __warn(self, format, *extras): |
|
871 |
if (self.__Raptor): |
|
872 |
self.__Raptor.Warn(format, *extras) |
|
873 |
||
874 |
def getIdentifier(self): |
|
875 |
return re.sub (r'\\|\/|\$|\(|\)', '_', self.__RawMakefile) |
|
876 |
||
877 |
def getMakefile(self): |
|
878 |
return self.__Makefile |
|
879 |
||
880 |
def getOptions(self): |
|
881 |
return self.__Options |
|
882 |
||
883 |
def getStandardVariables(self): |
|
884 |
return self.__StandardVariables |
|
885 |
||
886 |
class MMPFileEntry(object): |
|
887 |
def __init__(self, aFilename, aTestOption, aARMOption): |
|
888 |
self.filename = aFilename |
|
889 |
self.testoption = aTestOption |
|
890 |
if aARMOption: |
|
891 |
self.armoption = True |
|
892 |
else: |
|
893 |
self.armoption = False |
|
894 |
||
895 |
||
896 |
class BldInfFile(MetaDataFile): |
|
897 |
"""Representation of a Symbian bld.inf file""" |
|
898 |
||
5 | 899 |
def __init__(self, aFilename, gnucpp, depfiles, log=None): |
900 |
MetaDataFile.__init__(self, aFilename, gnucpp, depfiles, None, log) |
|
3 | 901 |
self.__Raptor = log |
902 |
self.testManual = 0 |
|
903 |
self.testAuto = 0 |
|
904 |
# Generic |
|
905 |
||
906 |
def getBuildPlatforms(self, aBuildPlatform): |
|
907 |
platformList = [] |
|
908 |
||
909 |
for platformLine in self.__getSection(aBuildPlatform, 'PRJ_PLATFORMS'): |
|
910 |
for platformEntry in platformLine.split(): |
|
911 |
platformList.append(platformEntry) |
|
912 |
||
913 |
return platformList |
|
914 |
||
915 |
# Build Platform Specific |
|
916 |
def getMMPList(self, aBuildPlatform, aType="PRJ_MMPFILES"): |
|
917 |
mmpFileList=[] |
|
918 |
gnuList = [] |
|
919 |
makefileList = [] |
|
920 |
extFound = False |
|
921 |
m = None |
|
922 |
||
923 |
hashValue = {'mmpFileList': [] , 'gnuList': [], 'makefileList' : []} |
|
924 |
||
925 |
for mmpFileEntry in self.__getSection(aBuildPlatform, aType): |
|
926 |
||
927 |
actualBldInfRoot = mmpFileEntry.getFilename() |
|
928 |
n = re.match('\s*(?P<makefiletype>(GNUMAKEFILE|N?MAKEFILE))\s+(?P<extmakefile>[^ ]+)\s*(support|manual)?\s*(?P<invalid>\S+.*)?\s*$',mmpFileEntry,re.I) |
|
929 |
if n: |
|
930 |
||
931 |
if (n.groupdict()['invalid']): |
|
932 |
self.log.Error("%s (%d) : invalid .mmp file qualifier \"%s\"", mmpFileEntry.filename, mmpFileEntry.getLineNumber(), n.groupdict()['invalid']) |
|
933 |
if raptor_utilities.getOSFileSystem() == "unix": |
|
934 |
self.log.Warn("NMAKEFILE/GNUMAKEFILE/MAKEFILE keywords not supported on Linux") |
|
935 |
else: |
|
936 |
extmakefilearg = n.groupdict()['extmakefile'] |
|
937 |
bldInfDir = actualBldInfRoot.Dir() |
|
938 |
extmakefilename = bldInfDir.Append(extmakefilearg) |
|
939 |
extmakefile = ExtensionmakefileEntry(extmakefilearg, self.filename, mmpFileEntry) |
|
940 |
||
941 |
if (n.groupdict()['makefiletype']).upper() == "GNUMAKEFILE": |
|
942 |
gnuList.append(extmakefile) |
|
943 |
else: |
|
944 |
makefileList.append(extmakefile) |
|
945 |
else: |
|
946 |
# Currently there is only one possible option - build as arm. |
|
947 |
# For TESTMMPFILES, the supported options are support, tidy, ignore, manual and build as arm |
|
948 |
if aType.upper()=="PRJ_TESTMMPFILES": |
|
949 |
if re.match('\s*(?P<name>[^ ]+)\s*(?P<baa>build_as_arm)?\s*(?P<support>support)?\s*(?P<ignore>ignore)?\s*(?P<tidy>tidy)?\s*(?P<manual>manual)?\s*(?P<invalid>\S+.*)?\s*$', mmpFileEntry, re.I): |
|
950 |
m = re.match('\s*(?P<name>[^ ]+)\s*(?P<baa>build_as_arm)?\s*(?P<support>support)?\s*(?P<ignore>ignore)?\s*(?P<tidy>tidy)?\s*(?P<manual>manual)?\s*(?P<invalid>\S+.*)?\s*$', mmpFileEntry, re.I) |
|
951 |
else: |
|
952 |
if re.match('\s*(?P<name>[^ ]+)\s*(?P<baa>build_as_arm)?\s*(?P<invalid>\S+.*)?\s*$', mmpFileEntry, re.I): |
|
953 |
m = re.match('\s*(?P<name>[^ ]+)\s*(?P<baa>build_as_arm)?\s*(?P<invalid>\S+.*)?\s*$', mmpFileEntry, re.I) |
|
954 |
||
955 |
if m: |
|
956 |
if (m.groupdict()['invalid']): |
|
957 |
self.log.Error("%s (%d) : invalid .mmp file qualifier \"%s\"", mmpFileEntry.filename, mmpFileEntry.getLineNumber(), m.groupdict()['invalid']) |
|
958 |
||
959 |
mmpFileName = m.groupdict()['name'] |
|
960 |
testmmpoption = "auto" # Setup tests to be automatic by default |
|
961 |
tokens = m.groupdict() |
|
962 |
for key,item in tokens.iteritems(): |
|
963 |
if key=="manual" and item=="manual": |
|
964 |
testmmpoption = "manual" |
|
965 |
elif key=="support" and item=="support": |
|
966 |
testmmpoption = "support" |
|
967 |
elif key=="ignore" and item=="ignore": |
|
968 |
testmmpoption = "ignore" |
|
969 |
||
970 |
buildasarm = False |
|
971 |
if m.groupdict()['baa']: |
|
972 |
if m.groupdict()['baa'].lower() == 'build_as_arm': |
|
973 |
buildasarm = True |
|
974 |
||
975 |
if not mmpFileName.lower().endswith('.mmp'): |
|
976 |
mmpFileName += '.mmp' |
|
977 |
bldInfDir = actualBldInfRoot.Dir() |
|
978 |
try: |
|
979 |
mmpFileName = bldInfDir.Append(mmpFileName) |
|
980 |
mmpfe = MMPFileEntry(mmpFileName, testmmpoption, buildasarm) |
|
981 |
mmpFileList.append(mmpfe) |
|
982 |
except ValueError, e: |
|
983 |
self.log.Error("invalid .mmp file name: %s" % str(e)) |
|
984 |
||
985 |
m = None |
|
986 |
||
987 |
||
988 |
hashValue['mmpFileList'] = mmpFileList |
|
989 |
hashValue['gnuList'] = gnuList |
|
990 |
hashValue['makefileList'] = makefileList |
|
991 |
||
992 |
return hashValue |
|
993 |
||
994 |
# Return a list of gnumakefiles used in the bld.inf |
|
995 |
def getExtensionmakefileList(self, aBuildPlatform, aType="PRJ_MMPFILES",aString = ""): |
|
996 |
extMakefileList=[] |
|
997 |
m = None |
|
998 |
for extmakeFileEntry in self.__getSection(aBuildPlatform, aType): |
|
999 |
||
1000 |
actualBldInfRoot = extmakeFileEntry.filename |
|
1001 |
if aType.upper()=="PRJ_TESTMMPFILES": |
|
1002 |
m = re.match('\s*GNUMAKEFILE\s+(?P<extmakefile>[^ ]+)\s*(?P<support>support)?\s*(?P<ignore>ignore)?\s*(?P<tidy>tidy)?\s*(?P<manual>manual)?\s*(?P<invalid>\S+.*)?\s*$',extmakeFileEntry,re.I) |
|
1003 |
else: |
|
1004 |
if aString == "gnumakefile": |
|
1005 |
m = re.match('\s*GNUMAKEFILE\s+(?P<extmakefile>[^ ]+)\s*(?P<invalid>\S+.*)?\s*$',extmakeFileEntry,re.I) |
|
1006 |
elif aString == "nmakefile": |
|
1007 |
m = re.match('\s*NMAKEFILE\s+(?P<extmakefile>[^ ]+)\s*(?P<invalid>\S+.*)?\s*$',extmakeFileEntry,re.I) |
|
1008 |
elif aString == "makefile": |
|
1009 |
m = re.match('\s*MAKEFILE\s+(?P<extmakefile>[^ ]+)\s*(?P<invalid>\S+.*)?\s*$',extmakeFileEntry,re.I) |
|
1010 |
if m: |
|
1011 |
if (m.groupdict()['invalid']): |
|
1012 |
self.log.Error("%s (%d) : invalid extension makefile qualifier \"%s\"", extmakeFileEntry.filename, extmakeFileEntry.getLineNumber(), m.groupdict()['invalid']) |
|
1013 |
||
1014 |
extmakefilearg = m.groupdict()['extmakefile'] |
|
1015 |
bldInfDir = actualBldInfRoot.Dir() |
|
1016 |
extmakefilename = bldInfDir.Append(extmakefilearg) |
|
1017 |
extmakefile = ExtensionmakefileEntry(extmakefilearg, self.filename, extmakeFileEntry) |
|
1018 |
extMakefileList.append(extmakefile) |
|
1019 |
m = None |
|
1020 |
||
1021 |
return extMakefileList |
|
1022 |
||
1023 |
def getTestExtensionmakefileList(self,aBuildPlatform,aString=""): |
|
1024 |
return self.getExtensionmakefileList(aBuildPlatform,"PRJ_TESTMMPFILES",aString) |
|
1025 |
||
1026 |
def getTestMMPList(self, aBuildPlatform): |
|
1027 |
return self.getMMPList(aBuildPlatform, "PRJ_TESTMMPFILES") |
|
1028 |
||
1029 |
def getRomTestType(self, aBuildPlatform): |
|
1030 |
testMMPList = self.getTestMMPList(aBuildPlatform) |
|
1031 |
for testMMPFileEntry in testMMPList['mmpFileList']: |
|
1032 |
if aBuildPlatform["TESTCODE"]: |
|
1033 |
# Calculate test type (manual or auto) |
|
1034 |
if testMMPFileEntry.testoption == "manual": |
|
1035 |
self.testManual += 1 |
|
1036 |
if not (testMMPFileEntry.testoption == "support" or testMMPFileEntry.testoption == "manual" or testMMPFileEntry.testoption == "ignore"): |
|
1037 |
self.testAuto += 1 |
|
1038 |
if self.testManual and self.testAuto: |
|
1039 |
return 'BOTH' |
|
1040 |
elif self.testAuto: |
|
1041 |
return 'AUTO' |
|
1042 |
elif self.testManual: |
|
1043 |
return 'MANUAL' |
|
1044 |
else: |
|
1045 |
return 'NONE' |
|
1046 |
||
1047 |
def getExports(self, aBuildPlatform, aType="PRJ_EXPORTS"): |
|
1048 |
exportList = [] |
|
1049 |
||
1050 |
for exportLine in self.__getSection(aBuildPlatform, aType): |
|
1051 |
||
1052 |
if not re.match(r'\S+', exportLine): |
|
1053 |
continue |
|
1054 |
||
1055 |
try: |
|
1056 |
exportList.append(Export(exportLine.getFilename(), exportLine, aType)) |
|
1057 |
except ValueError,e: |
|
1058 |
self.log.Error(str(e)) |
|
1059 |
||
1060 |
return exportList |
|
1061 |
||
1062 |
def getTestExports(self, aBuildPlatform): |
|
1063 |
return self.getExports(aBuildPlatform, "PRJ_TESTEXPORTS") |
|
1064 |
||
1065 |
def getExtensions(self, aBuildPlatform, aType="PRJ_EXTENSIONS"): |
|
1066 |
extensionObjects = [] |
|
1067 |
start = "" |
|
1068 |
options = [] |
|
1069 |
||
1070 |
for extensionLine in self.__getSection(aBuildPlatform, aType): |
|
1071 |
if (re.search(r'^\s*START ',extensionLine, re.I)): |
|
1072 |
start = extensionLine |
|
1073 |
elif re.search(r'^\s*END\s*$',extensionLine, re.I): |
|
1074 |
extensionObjects.append(Extension(self.filename, start, options, aBuildPlatform, self.__Raptor)) |
|
1075 |
start = "" |
|
1076 |
options = [] |
|
1077 |
elif re.search(r'^\s*$',extensionLine, re.I): |
|
1078 |
continue |
|
1079 |
elif start: |
|
1080 |
options.append(extensionLine) |
|
1081 |
||
1082 |
return extensionObjects |
|
1083 |
||
1084 |
def getTestExtensions(self, aBuildPlatform): |
|
1085 |
return self.getExtensions(aBuildPlatform, "PRJ_TESTEXTENSIONS") |
|
1086 |
||
1087 |
def __getSection(self, aBuildPlatform, aSection): |
|
1088 |
||
1089 |
activeSection = False |
|
1090 |
sectionContent = [] |
|
1091 |
lineContent = re.split(r'\n', self.getContent(aBuildPlatform)); |
|
1092 |
||
1093 |
currentBldInfFile = self.filename |
|
1094 |
currentLineNumber = 0 |
|
1095 |
||
1096 |
for line in lineContent: |
|
1097 |
if line.startswith("#"): |
|
1098 |
commentDetail = getPreProcessorCommentDetail(line) |
|
1099 |
currentBldInfFile = commentDetail[0] |
|
1100 |
currentLineNumber = commentDetail[1]-1 |
|
1101 |
continue |
|
1102 |
||
1103 |
currentLineNumber += 1 |
|
1104 |
||
1105 |
if not re.match(r'.*\S+', line): |
|
1106 |
continue |
|
1107 |
elif re.match(r'\s*' + aSection + r'\s*$', line, re.I): |
|
1108 |
activeSection = True |
|
1109 |
elif re.match(r'\s*PRJ_\w+\s*$', line, re.I): |
|
1110 |
activeSection = False |
|
1111 |
elif activeSection: |
|
1112 |
sectionContent.append(PreProcessedLine(line, currentBldInfFile, currentLineNumber)) |
|
1113 |
||
1114 |
return sectionContent |
|
1115 |
||
1116 |
@staticmethod |
|
1117 |
def outputPathFragment(bldinfpath): |
|
1118 |
"""Return a relative path that uniquely identifies this bldinf file |
|
1119 |
whilst being short so that it can be appended to epoc32/build. |
|
1120 |
The build product of a particular bld.inf may be placed in here. |
|
1121 |
This affects its TEMs and its MMPs""" |
|
1122 |
||
1123 |
absroot_str = os.path.abspath(str(bldinfpath)).lower().replace("\\","/") |
|
1124 |
||
1125 |
uniqueid = hashlib.md5() |
|
1126 |
uniqueid.update(absroot_str) |
|
1127 |
||
1128 |
specnamecomponents = (re.sub("^[A-Za-z]:", "", absroot_str)).split('/') # split, removing any drive identifier (if present) |
|
1129 |
||
1130 |
pathlist=[] |
|
1131 |
while len(specnamecomponents) > 0: |
|
1132 |
top = specnamecomponents.pop() |
|
1133 |
if top.endswith('.inf'): |
|
1134 |
continue |
|
1135 |
elif top == 'group': |
|
1136 |
continue |
|
1137 |
else: |
|
1138 |
pathlist = [top] |
|
1139 |
break |
|
1140 |
||
1141 |
pathlist.append("c_"+uniqueid.hexdigest()[:16]) |
|
1142 |
return "/".join(pathlist) |
|
1143 |
||
1144 |
def outputpath(self, platform): |
|
1145 |
""" The full path where product from this bldinf is created.""" |
|
1146 |
return str(platform['SBS_BUILD_DIR']) + "/" + BldInfFile.outputPathFragment(self.filename) |
|
1147 |
||
1148 |
def depspath(self, platform): |
|
1149 |
""" Where does dependency information go relative to platform's SBS_BUILD_DIR? |
|
1150 |
Subclasses should redefine this |
|
1151 |
""" |
|
1152 |
return self.outputpath(platform) + "/bldinf." + platform['key_md5'] + ".d" |
|
1153 |
||
1154 |
||
1155 |
||
1156 |
class MMPRaptorBackend(MMPBackend): |
|
1157 |
"""A parser "backend" for the MMP language |
|
1158 |
||
1159 |
This is used to map recognised MMP syntax onto a buildspec """ |
|
1160 |
||
1161 |
# Support priorities, with case-fixed mappings for use |
|
1162 |
epoc32priorities = { |
|
1163 |
'low':'Low', |
|
1164 |
'background':'Background', |
|
1165 |
'foreground':'Foreground', |
|
1166 |
'high':'High', |
|
1167 |
'windowserver':'WindowServer', |
|
1168 |
'fileserver':'FileServer', |
|
1169 |
'realtimeserver':'RealTimeServer', |
|
1170 |
'supervisor':'SuperVisor' |
|
1171 |
} |
|
1172 |
||
1173 |
# Known capability flags with associated bitwise operations |
|
1174 |
supportedCapabilities = { |
|
1175 |
'tcb':(1<<0), |
|
1176 |
'commdd':(1<<1), |
|
1177 |
'powermgmt':(1<<2), |
|
1178 |
'multimediadd':(1<<3), |
|
1179 |
'readdevicedata':(1<<4), |
|
1180 |
'writedevicedata':(1<<5), |
|
1181 |
'drm':(1<<6), |
|
1182 |
'trustedui':(1<<7), |
|
1183 |
'protserv':(1<<8), |
|
1184 |
'diskadmin':(1<<9), |
|
1185 |
'networkcontrol':(1<<10), |
|
1186 |
'allfiles':(1<<11), |
|
1187 |
'swevent':(1<<12), |
|
1188 |
'networkservices':(1<<13), |
|
1189 |
'localservices':(1<<14), |
|
1190 |
'readuserdata':(1<<15), |
|
1191 |
'writeuserdata':(1<<16), |
|
1192 |
'location':(1<<17), |
|
1193 |
'surroundingsdd':(1<<18), |
|
1194 |
'userenvironment':(1<<19), |
|
1195 |
# Old capability names have zero value |
|
1196 |
'root':0, |
|
1197 |
'mediadd':0, |
|
1198 |
'readsystemdata':0, |
|
1199 |
'writesystemdata':0, |
|
1200 |
'sounddd':0, |
|
1201 |
'uidd':0, |
|
1202 |
'killanyprocess':0, |
|
1203 |
'devman':0, |
|
1204 |
'phonenetwork':0, |
|
1205 |
'localnetwork':0 |
|
1206 |
} |
|
1207 |
||
1208 |
library_re = re.compile(r"^(?P<name>[^{]+?)(?P<version>{(?P<major>[0-9]+)\.(?P<minor>[0-9]+)})?(\.(lib|dso))?$",re.I) |
|
1209 |
||
1210 |
||
1211 |
def __init__(self, aRaptor, aMmpfilename, aBldInfFilename): |
|
1212 |
super(MMPRaptorBackend,self).__init__() |
|
1213 |
self.platformblock = None |
|
1214 |
self.__Raptor = aRaptor |
|
5 | 1215 |
self.__debug("-----+++++ %s " % aMmpfilename) |
1216 |
self.BuildVariant = raptor_data.Variant(name = "mmp") |
|
9 | 1217 |
self.ApplyVariants = [] |
3 | 1218 |
self.ResourceVariants = [] |
1219 |
self.BitmapVariants = [] |
|
1220 |
self.StringTableVariants = [] |
|
1221 |
self.__bldInfFilename = aBldInfFilename |
|
1222 |
self.__targettype = "UNKNOWN" |
|
1223 |
self.__currentMmpFile = aMmpfilename |
|
1224 |
self.__defFileRoot = self.__currentMmpFile |
|
1225 |
self.__currentLineNumber = 0 |
|
1226 |
self.__sourcepath = raptor_utilities.resolveSymbianPath(self.__currentMmpFile, "") |
|
1227 |
self.__userinclude = "" |
|
1228 |
self.__systeminclude = "" |
|
1229 |
self.__bitmapSourcepath = self.__sourcepath |
|
1230 |
self.__current_resource = "" |
|
9 | 1231 |
self.__resourceFiles = [] |
3 | 1232 |
self.__pageConflict = [] |
1233 |
self.__debuggable = "" |
|
9 | 1234 |
self.__compressionKeyword = "" |
3 | 1235 |
self.sources = [] |
5 | 1236 |
self.capabilities = [] |
3 | 1237 |
|
1238 |
self.__TARGET = "" |
|
1239 |
self.__TARGETEXT = "" |
|
1240 |
self.deffile = "" |
|
1241 |
self.__LINKAS = "" |
|
1242 |
self.nostrictdef = False |
|
1243 |
self.featureVariant = False |
|
1244 |
||
1245 |
self.__currentResourceVariant = None |
|
1246 |
self.__currentStringTableVariant = None |
|
1247 |
self.__explicitversion = False |
|
1248 |
self.__versionhex = "" |
|
1249 |
||
1250 |
# "ALL" capability calculated based on the total capabilities currently supported |
|
1251 |
allCapabilities = 0 |
|
1252 |
for supportedCapability in MMPRaptorBackend.supportedCapabilities.keys(): |
|
1253 |
allCapabilities = allCapabilities | MMPRaptorBackend.supportedCapabilities[supportedCapability] |
|
1254 |
MMPRaptorBackend.supportedCapabilities['all'] = allCapabilities |
|
1255 |
||
1256 |
# Permit unit-testing output without a Raptor context |
|
1257 |
def __debug(self, format, *extras): |
|
1258 |
if (self.__Raptor): |
|
1259 |
self.__Raptor.Debug(format, *extras) |
|
1260 |
||
1261 |
def __warn(self, format, *extras): |
|
1262 |
if (self.__Raptor): |
|
1263 |
self.__Raptor.Warn(format, *extras) |
|
1264 |
||
1265 |
def doPreProcessorComment(self,s,loc,toks): |
|
1266 |
commentDetail = getPreProcessorCommentDetail(toks[0]) |
|
1267 |
self.__currentMmpFile = commentDetail[0].GetLocalString() |
|
1268 |
self.__currentLineNumber = commentDetail[1] |
|
1269 |
self.__debug("Current file %s, line number %s\n" % (self.__currentMmpFile,str(self.__currentLineNumber))) |
|
1270 |
return "OK" |
|
1271 |
||
1272 |
def doBlankLine(self,s,loc,toks): |
|
1273 |
self.__currentLineNumber += 1 |
|
1274 |
||
1275 |
def doStartPlatform(self,s,loc,toks): |
|
1276 |
self.__currentLineNumber += 1 |
|
1277 |
self.__debug( "Start Platform block "+toks[0]) |
|
1278 |
self.platformblock = toks[0] |
|
1279 |
return "OK" |
|
1280 |
||
1281 |
def doEndPlatform(self,s,loc,toks): |
|
1282 |
self.__currentLineNumber += 1 |
|
1283 |
self.__debug( "Finalise platform " + self.platformblock) |
|
1284 |
return "OK" |
|
1285 |
||
1286 |
def doSetSwitch(self,s,loc,toks): |
|
1287 |
self.__currentLineNumber += 1 |
|
1288 |
prefix="" |
|
1289 |
varname = toks[0].upper() |
|
1290 |
||
1291 |
# A bright spark made the optionname the same as |
|
1292 |
# the env variable. One will override the other if we pass this |
|
1293 |
# on to make. Add a prefix to prevent the clash. |
|
1294 |
if varname=='ARMINC': |
|
1295 |
prefix="SET_" |
|
1296 |
self.__debug( "Set switch "+toks[0]+" ON") |
|
1297 |
self.BuildVariant.AddOperation(raptor_data.Set(prefix+varname, "1")) |
|
1298 |
||
1299 |
elif varname=='NOSTRICTDEF': |
|
1300 |
self.nostrictdef = True |
|
1301 |
self.__debug( "Set switch "+toks[0]+" ON") |
|
1302 |
self.BuildVariant.AddOperation(raptor_data.Set(prefix+varname, "1")) |
|
1303 |
||
1304 |
elif varname == 'PAGED': |
|
1305 |
self.BuildVariant.AddOperation(raptor_data.Set(varname, "1")) |
|
1306 |
self.__debug( "Set switch PAGE ON") |
|
1307 |
self.BuildVariant.AddOperation(raptor_data.Set("PAGEDCODE_OPTION", "paged")) |
|
1308 |
self.__debug( "Set switch PAGEDCODE ON") |
|
1309 |
self.BuildVariant.AddOperation(raptor_data.Set("PAGEDDATA_OPTION", "paged")) |
|
1310 |
self.__debug( "Set data PAGEDDATA ON") |
|
1311 |
self.__pageConflict.append("PAGEDCODE") |
|
1312 |
self.__pageConflict.append("PAGEDDATA") |
|
1313 |
||
1314 |
elif varname == 'UNPAGED': |
|
1315 |
self.BuildVariant.AddOperation(raptor_data.Set("PAGED", "0")) |
|
1316 |
self.__debug( "Set switch PAGED OFF") |
|
1317 |
self.BuildVariant.AddOperation(raptor_data.Set("PAGEDCODE_OPTION", "unpaged")) |
|
1318 |
self.__debug( "Set switch PAGEDCODE OFF") |
|
1319 |
self.BuildVariant.AddOperation(raptor_data.Set("PAGEDDATA_OPTION", "unpaged")) |
|
1320 |
self.__debug( "Set data PAGEDDATA OFF") |
|
1321 |
self.__pageConflict.append("UNPAGEDCODE") |
|
1322 |
self.__pageConflict.append("UNPAGEDDATA") |
|
1323 |
||
1324 |
elif varname == 'PAGEDCODE': |
|
1325 |
self.BuildVariant.AddOperation(raptor_data.Set("PAGEDCODE_OPTION", "paged")) |
|
1326 |
self.__debug( "Set switch " + varname + " ON") |
|
1327 |
self.__pageConflict.append(varname) |
|
1328 |
||
1329 |
elif varname == 'PAGEDDATA': |
|
1330 |
self.BuildVariant.AddOperation(raptor_data.Set("PAGEDDATA_OPTION", "paged")) |
|
1331 |
self.__debug( "Set switch " + varname + " ON") |
|
1332 |
self.__pageConflict.append(varname) |
|
1333 |
||
1334 |
elif varname == 'UNPAGEDCODE': |
|
1335 |
self.BuildVariant.AddOperation(raptor_data.Set("PAGEDCODE_OPTION", "unpaged")) |
|
1336 |
self.__debug( "Set switch " + varname + " ON") |
|
1337 |
self.__pageConflict.append(varname) |
|
1338 |
elif varname == 'UNPAGEDDATA': |
|
1339 |
self.BuildVariant.AddOperation(raptor_data.Set("PAGEDDATA_OPTION", "unpaged")) |
|
1340 |
self.__debug( "Set switch " + varname + " ON") |
|
1341 |
self.__pageConflict.append(varname) |
|
1342 |
||
1343 |
elif varname == 'NOLINKTIMECODEGENERATION': |
|
1344 |
self.BuildVariant.AddOperation(raptor_data.Set("LTCG","")) |
|
1345 |
self.__debug( "Set switch " + varname + " OFF") |
|
1346 |
elif varname == 'NOMULTIFILECOMPILATION': |
|
1347 |
self.BuildVariant.AddOperation(raptor_data.Set("MULTIFILE_ENABLED","")) |
|
1348 |
self.__debug( "Set switch " + varname + " OFF") |
|
1349 |
||
1350 |
elif varname == 'DEBUGGABLE': |
|
1351 |
if self.__debuggable != "udeb": |
|
1352 |
self.__debuggable = "udeb urel" |
|
1353 |
else: |
|
1354 |
self.__Raptor.Warn("DEBUGGABLE keyword ignored as DEBUGGABLE_UDEBONLY is already specified") |
|
1355 |
elif varname == 'DEBUGGABLE_UDEBONLY': |
|
1356 |
if self.__debuggable != "": |
|
1357 |
self.__Raptor.Warn("DEBUGGABLE keyword has no effect as DEBUGGABLE or DEBUGGABLE_UDEBONLY is already set") |
|
1358 |
self.__debuggable = "udeb" |
|
1359 |
elif varname == 'FEATUREVARIANT': |
|
1360 |
self.BuildVariant.AddOperation(raptor_data.Set(varname,"1")) |
|
1361 |
self.featureVariant = True |
|
9 | 1362 |
elif varname in ['COMPRESSTARGET', 'NOCOMPRESSTARGET', 'INFLATECOMPRESSTARGET', 'BYTEPAIRCOMPRESSTARGET']: |
1363 |
if self.__compressionKeyword: |
|
1364 |
self.__Raptor.Warn("%s keyword in %s overrides earlier use of %s" % (varname, self.__currentMmpFile, self.__compressionKeyword)) |
|
1365 |
self.BuildVariant.AddOperation(raptor_data.Set(self.__compressionKeyword,"")) |
|
1366 |
self.__debug( "Set switch " + varname + " OFF") |
|
1367 |
self.BuildVariant.AddOperation(raptor_data.Set(varname,"1")) |
|
1368 |
self.__debug( "Set switch " + varname + " ON") |
|
1369 |
self.__compressionKeyword = varname |
|
3 | 1370 |
else: |
1371 |
self.__debug( "Set switch "+toks[0]+" ON") |
|
1372 |
self.BuildVariant.AddOperation(raptor_data.Set(prefix+varname, "1")) |
|
1373 |
||
1374 |
return "OK" |
|
1375 |
||
1376 |
def doAssignment(self,s,loc,toks): |
|
1377 |
self.__currentLineNumber += 1 |
|
1378 |
varname = toks[0].upper() |
|
1379 |
if varname=='TARGET': |
|
1380 |
(self.__TARGET, self.__TARGETEXT) = os.path.splitext(toks[1]) |
|
1381 |
self.__TARGETEXT = self.__TARGETEXT.lstrip('.') |
|
1382 |
||
1383 |
self.BuildVariant.AddOperation(raptor_data.Set("REQUESTEDTARGETEXT", self.__TARGETEXT.lower())) |
|
1384 |
||
1385 |
lowercase_TARGET = self.__TARGET.lower() |
|
1386 |
self.__debug("Set "+toks[0]+" to " + lowercase_TARGET) |
|
1387 |
self.__debug("Set REQUESTEDTARGETEXT to " + self.__TARGETEXT.lower()) |
|
1388 |
||
1389 |
self.BuildVariant.AddOperation(raptor_data.Set("TARGET", self.__TARGET)) |
|
1390 |
self.BuildVariant.AddOperation(raptor_data.Set("TARGET_lower", lowercase_TARGET)) |
|
1391 |
if lowercase_TARGET != self.__TARGET: |
|
1392 |
self.__debug("TARGET is not lowercase: '%s' - might cause BC problems." % self.__TARGET) |
|
1393 |
elif varname=='TARGETTYPE': |
|
1394 |
self.__debug("Set "+toks[0]+" to " + str(toks[1])) |
|
1395 |
self.__targettype=toks[1] |
|
1396 |
if self.__targettype.lower() == "none": |
|
1397 |
self.BuildVariant.AddOperation(raptor_data.Set("TARGET", "")) |
|
1398 |
self.BuildVariant.AddOperation(raptor_data.Set("TARGET_lower","")) |
|
1399 |
self.BuildVariant.AddOperation(raptor_data.Set("REQUESTEDTARGETEXT", "")) |
|
1400 |
self.BuildVariant.AddOperation(raptor_data.Set(varname,toks[1].lower())) |
|
1401 |
||
1402 |
elif varname=='TARGETPATH': |
|
1403 |
value = toks[1].lower().replace('\\','/') |
|
1404 |
self.__debug("Set "+varname+" to " + value) |
|
1405 |
self.BuildVariant.AddOperation(raptor_data.Set(varname, value)) |
|
1406 |
||
1407 |
elif varname=='OPTION' or varname=='LINKEROPTION': |
|
1408 |
self.__debug("Set "+toks[1]+varname+" to " + str(toks[2])) |
|
1409 |
self.BuildVariant.AddOperation(raptor_data.Append(varname+"_"+toks[1].upper()," ".join(toks[2]))) |
|
1410 |
||
1411 |
# Warn about OPTION ARMASM |
|
1412 |
if "armasm" in toks[1].lower(): |
|
1413 |
self.__Raptor.Warn(varname+" ARMASM has no effect (use OPTION ARMCC).") |
|
1414 |
||
1415 |
elif varname=='OPTION_REPLACE': |
|
1416 |
# Warn about OPTION_REPLACE ARMASM |
|
1417 |
if "armasm" in toks[1].lower(): |
|
1418 |
self.__Raptor.Warn("OPTION_REPLACE ARMASM has no effect (use OPTION_REPLACE ARMCC).") |
|
1419 |
else: |
|
1420 |
args = " ".join(toks[2]) |
|
1421 |
||
1422 |
searchReplacePairs = self.resolveOptionReplace(args) |
|
1423 |
||
1424 |
for searchReplacePair in searchReplacePairs: |
|
1425 |
self.__debug("Append %s to OPTION_REPLACE_%s", searchReplacePair, toks[1].upper()) |
|
1426 |
self.BuildVariant.AddOperation(raptor_data.Append(varname+"_"+toks[1].upper(),searchReplacePair)) |
|
1427 |
||
1428 |
elif varname=='SYSTEMINCLUDE' or varname=='USERINCLUDE': |
|
1429 |
for path in toks[1]: |
|
1430 |
resolved = raptor_utilities.resolveSymbianPath(self.__currentMmpFile, path) |
|
1431 |
self.BuildVariant.AddOperation(raptor_data.Append(varname,resolved)) |
|
1432 |
||
1433 |
if varname=='SYSTEMINCLUDE': |
|
1434 |
self.__systeminclude += ' ' + resolved |
|
1435 |
self.__debug(" %s = %s",varname, self.__systeminclude) |
|
1436 |
else: |
|
1437 |
self.__userinclude += ' ' + resolved |
|
1438 |
self.__debug(" %s = %s",varname, self.__userinclude) |
|
1439 |
||
1440 |
self.__debug("Appending %s to %s",resolved, varname) |
|
1441 |
||
1442 |
self.__systeminclude = self.__systeminclude.strip() |
|
1443 |
self.__systeminclude = self.__systeminclude.rstrip('\/') |
|
1444 |
self.__userinclude = self.__userinclude.strip() |
|
1445 |
self.__userinclude = self.__userinclude.rstrip('\/') |
|
1446 |
||
1447 |
elif varname=='EXPORTLIBRARY': |
|
1448 |
# Remove extension from the EXPORTLIBRARY name |
|
1449 |
libName = toks[1].rsplit(".", 1)[0] |
|
1450 |
self.__debug("Set "+varname+" to " + libName) |
|
1451 |
self.BuildVariant.AddOperation(raptor_data.Set(varname,"".join(libName))) |
|
1452 |
||
1453 |
elif varname=='CAPABILITY': |
|
1454 |
for cap in toks[1]: |
|
151
d4605037b3b2
set file format of raptor_meta.py to unix when on unix
timothy.murphy@nokia.com
parents:
144
diff
changeset
|
1455 |
cap = cap.lower() |
3 | 1456 |
self.__debug("Setting "+toks[0]+": " + cap) |
160 | 1457 |
if not cap.startswith("-"): |
1458 |
if not cap.startswith("+"): |
|
1459 |
cap = "+" + cap |
|
5 | 1460 |
self.capabilities.append(cap) |
3 | 1461 |
elif varname=='DEFFILE': |
1462 |
self.__defFileRoot = self.__currentMmpFile |
|
1463 |
self.deffile = toks[1] |
|
1464 |
elif varname=='LINKAS': |
|
1465 |
self.__debug("Set "+toks[0]+" OPTION to " + str(toks[1])) |
|
1466 |
self.__LINKAS = toks[1] |
|
1467 |
self.BuildVariant.AddOperation(raptor_data.Set(varname, toks[1])) |
|
1468 |
elif varname=='SECUREID' or varname=='VENDORID': |
|
1469 |
hexoutput = MMPRaptorBackend.canonicalUID(toks[1]) |
|
1470 |
self.__debug("Set "+toks[0]+" OPTION to " + hexoutput) |
|
1471 |
self.BuildVariant.AddOperation(raptor_data.Set(varname, hexoutput)) |
|
1472 |
elif varname=='VERSION': |
|
1473 |
if toks[-1] == "EXPLICIT": |
|
1474 |
self.__explicitversion = True |
|
1475 |
self.BuildVariant.AddOperation(raptor_data.Set("EXPLICITVERSION", "1")) |
|
1476 |
||
1477 |
vm = re.match(r'^(\d+)(\.(\d+))?$', toks[1]) |
|
1478 |
if vm is not None: |
|
1479 |
version = vm.groups() |
|
1480 |
# the major version number |
|
1481 |
major = int(version[0],10) |
|
1482 |
||
1483 |
# add in the minor number |
|
1484 |
minor = 0 |
|
1485 |
if version[1] is not None: |
|
1486 |
minor = int(version[2],10) |
|
1487 |
else: |
|
1488 |
self.__Raptor.Warn("VERSION (%s) missing '.minor' in %s, using '.0'" % (toks[1],self.__currentMmpFile)) |
|
1489 |
||
1490 |
self.__versionhex = "%04x%04x" % (major, minor) |
|
1491 |
self.BuildVariant.AddOperation(raptor_data.Set(varname, "%d.%d" %(major, minor))) |
|
1492 |
self.BuildVariant.AddOperation(raptor_data.Set(varname+"HEX", self.__versionhex)) |
|
1493 |
self.__debug("Set "+toks[0]+" OPTION to " + toks[1]) |
|
1494 |
self.__debug("Set "+toks[0]+"HEX OPTION to " + "%04x%04x" % (major,minor)) |
|
1495 |
||
1496 |
else: |
|
1497 |
self.__Raptor.Warn("Invalid version supplied to VERSION (%s), using default value" % toks[1]) |
|
1498 |
||
1499 |
elif varname=='EPOCHEAPSIZE': |
|
1500 |
# Standardise on sending hex numbers to the FLMS. |
|
1501 |
||
1502 |
if toks[1].lower().startswith('0x'): |
|
1503 |
min = long(toks[1],16) |
|
1504 |
else: |
|
1505 |
min = long(toks[1],10) |
|
1506 |
||
1507 |
if toks[2].lower().startswith('0x'): |
|
1508 |
max = long(toks[2],16) |
|
1509 |
else: |
|
1510 |
max = long(toks[2],10) |
|
1511 |
||
1512 |
self.BuildVariant.AddOperation(raptor_data.Set(varname+"MIN", "%x" % min)) |
|
1513 |
self.__debug("Set "+varname+"MIN OPTION to '%x' (hex)" % min ) |
|
1514 |
self.BuildVariant.AddOperation(raptor_data.Set(varname+"MAX", "%x" % max)) |
|
1515 |
self.__debug("Set "+varname+"MAX OPTION to '%x' (hex)" % max ) |
|
1516 |
||
1517 |
# Some toolchains require decimal versions of the min/max values, converted to KB and |
|
1518 |
# rounded up to the next 1KB boundary |
|
1519 |
min_dec_kb = (int(min) + 1023) / 1024 |
|
1520 |
max_dec_kb = (int(max) + 1023) / 1024 |
|
1521 |
self.BuildVariant.AddOperation(raptor_data.Set(varname+"MIN_DEC_KB", "%d" % min_dec_kb)) |
|
1522 |
self.__debug("Set "+varname+"MIN OPTION KB to '%d' (dec)" % min_dec_kb ) |
|
1523 |
self.BuildVariant.AddOperation(raptor_data.Set(varname+"MAX_DEC_KB", "%d" % max_dec_kb)) |
|
1524 |
self.__debug("Set "+varname+"MAX OPTION KB to '%d' (dec)" % max_dec_kb ) |
|
1525 |
||
1526 |
elif varname=='EPOCSTACKSIZE': |
|
1527 |
if toks[1].lower().startswith('0x'): |
|
1528 |
stack = long(toks[1],16) |
|
1529 |
else: |
|
1530 |
stack = long(toks[1],10) |
|
1531 |
self.BuildVariant.AddOperation(raptor_data.Set(varname, "%x" % stack)) |
|
1532 |
self.__debug("Set "+varname+" OPTION to '%x' (hex)" % stack ) |
|
1533 |
elif varname=='EPOCPROCESSPRIORITY': |
|
1534 |
# low, background, foreground, high, windowserver, fileserver, realtimeserver or supervisor |
|
1535 |
# These are case insensitive in metadata entries, but must be mapped to a static case pattern for use |
|
1536 |
prio = toks[1].lower() |
|
1537 |
||
1538 |
# NOTE: Original validation here didn't actually work. This has been corrected to provide an error, but probably needs re-examination. |
|
1539 |
if not MMPRaptorBackend.epoc32priorities.has_key(prio): |
|
1540 |
self.__Raptor.Error("Priority setting '%s' is not a valid priority - should be one of %s.", prio, MMPRaptorBackend.epoc32priorities.values()) |
|
1541 |
else: |
|
1542 |
self.__debug("Set "+toks[0]+" to " + MMPRaptorBackend.epoc32priorities[prio]) |
|
1543 |
self.BuildVariant.AddOperation(raptor_data.Set(varname,MMPRaptorBackend.epoc32priorities[prio])) |
|
1544 |
elif varname=='ROMTARGET' or varname=='RAMTARGET': |
|
1545 |
if len(toks) == 1: |
|
1546 |
self.__debug("Set "+toks[0]+" to <none>" ) |
|
1547 |
self.BuildVariant.AddOperation(raptor_data.Set(varname,"<none>")) |
|
1548 |
else: |
|
1549 |
toks1 = str(toks[1]).replace("\\","/") |
|
1550 |
if toks1.find(","): |
|
1551 |
toks1 = re.sub("[,'\[\]]", "", toks1).replace("//","/") |
|
1552 |
self.__debug("Set "+toks[0]+" to " + toks1) |
|
1553 |
self.BuildVariant.AddOperation(raptor_data.Set(varname,toks1)) |
|
9 | 1554 |
elif varname=='APPLY': |
1555 |
self.ApplyVariants.append(toks[1]) |
|
3 | 1556 |
else: |
1557 |
self.__debug("Set "+toks[0]+" to " + str(toks[1])) |
|
1558 |
self.BuildVariant.AddOperation(raptor_data.Set(varname,"".join(toks[1]))) |
|
1559 |
||
1560 |
if varname=='LINKAS': |
|
1561 |
self.__LINKAS = toks[1] |
|
1562 |
||
1563 |
return "OK" |
|
1564 |
||
1565 |
def doAppend(self,s,loc,toks): |
|
1566 |
self.__currentLineNumber += 1 |
|
1567 |
"""MMP command |
|
1568 |
""" |
|
1569 |
name=toks[0].upper() |
|
1570 |
if len(toks) == 1: |
|
1571 |
# list can be empty e.g. MACRO _FRED_ when fred it defined in the HRH |
|
1572 |
# causes us to see just "MACRO" in the input - it is valid to ignore this |
|
1573 |
self.__debug("Empty append list for " + name) |
|
1574 |
return "OK" |
|
1575 |
self.__debug("Append to "+name+" the values: " +str(toks[1])) |
|
1576 |
||
1577 |
if name=='MACRO': |
|
1578 |
name='MMPDEFS' |
|
1579 |
elif name=='LANG': |
|
1580 |
# don't break the environment variable |
|
1581 |
name='LANGUAGES' |
|
1582 |
||
1583 |
for item in toks[1]: |
|
1584 |
if name=='MMPDEFS': |
|
1585 |
# Unquote any macros since the FLM does it anyhow |
|
1586 |
if item.startswith('"') and item.endswith('"') \ |
|
1587 |
or item.startswith("'") and item.endswith("'"): |
|
1588 |
item = item.strip("'\"") |
|
1589 |
if name=='LIBRARY' or name=='DEBUGLIBRARY': |
|
1590 |
im = MMPRaptorBackend.library_re.match(item) |
|
1591 |
if not im: |
|
1592 |
self.__error("LIBRARY: %s Seems to have an invalid name.\nExpected xxxx.lib or xxxx.dso\n where xxxx might be\n\tname or \n\tname(n,m) where n is a major version number and m is a minor version number\n" %item) |
|
1593 |
d = im.groupdict() |
|
1594 |
||
1595 |
item = d['name'] |
|
1596 |
if d['version'] is not None: |
|
1597 |
item += "{%04x%04x}" % (int(d['major']), int(d['minor'])) |
|
1598 |
item += ".dso" |
|
1599 |
elif name=='STATICLIBRARY': |
|
1600 |
# the FLM will decide on the ending appropriate to the platform |
|
1601 |
item = re.sub(r"^(.*)\.[Ll][Ii][Bb]$",r"\1", item) |
|
1602 |
elif name=="LANGUAGES": |
|
1603 |
item = item.lower() |
|
1604 |
elif (name=="WIN32_LIBRARY" and (item.startswith(".") or re.search(r'[\\|/]',item))) \ |
|
1605 |
or (name=="WIN32_RESOURCE"): |
|
1606 |
# Relatively pathed win32 libraries, and all win32 resources, are resolved in relation |
|
1607 |
# to the wrapper bld.inf file in which their .mmp file is specified. This equates to |
|
1608 |
# the current working directory in ABLD operation. |
|
1609 |
item = raptor_utilities.resolveSymbianPath(self.__bldInfFilename, item) |
|
1610 |
||
1611 |
self.BuildVariant.AddOperation(raptor_data.Append(name,item," ")) |
|
1612 |
||
1613 |
# maintain a debug library list, the same as LIBRARY but with DEBUGLIBRARY values |
|
1614 |
# appended as they are encountered |
|
1615 |
if name=='LIBRARY' or name=='DEBUGLIBRARY': |
|
1616 |
self.BuildVariant.AddOperation(raptor_data.Append("LIBRARY_DEBUG",item," ")) |
|
1617 |
||
1618 |
return "OK" |
|
1619 |
||
1620 |
def canonicalUID(number): |
|
1621 |
""" convert a UID string into an 8 digit hexadecimal string without leading 0x """ |
|
1622 |
if number.lower().startswith("0x"): |
|
1623 |
n = int(number,16) |
|
1624 |
else: |
|
1625 |
n = int(number,10) |
|
1626 |
||
1627 |
return "%08x" % n |
|
1628 |
||
1629 |
canonicalUID = staticmethod(canonicalUID) |
|
1630 |
||
1631 |
def doUIDAssignment(self,s,loc,toks): |
|
1632 |
"""A single UID command results in a number of spec variables""" |
|
1633 |
self.__currentLineNumber += 1 |
|
1634 |
||
1635 |
hexoutput = MMPRaptorBackend.canonicalUID(toks[1][0]) |
|
1636 |
self.__debug( "Set UID2 to %s" % hexoutput ) |
|
1637 |
self.BuildVariant.AddOperation(raptor_data.Set("UID2", hexoutput)) |
|
1638 |
||
1639 |
if len(toks[1]) > 1: |
|
1640 |
hexoutput = MMPRaptorBackend.canonicalUID(toks[1][1]) |
|
1641 |
self.__debug( "Set UID3 to %s" % hexoutput) |
|
1642 |
self.BuildVariant.AddOperation(raptor_data.Set("UID3", hexoutput)) |
|
1643 |
||
1644 |
self.__debug( "done set UID") |
|
1645 |
return "OK" |
|
1646 |
||
1647 |
def doSourcePathAssignment(self,s,loc,toks): |
|
1648 |
self.__currentLineNumber += 1 |
|
1649 |
self.__sourcepath = raptor_utilities.resolveSymbianPath(self.__currentMmpFile, toks[1]) |
|
1650 |
self.__debug( "Remembering self.sourcepath state: "+str(toks[0])+" is now " + self.__sourcepath) |
|
1651 |
self.__debug("selfcurrentMmpFile: " + self.__currentMmpFile) |
|
1652 |
return "OK" |
|
1653 |
||
1654 |
||
1655 |
def doSourceAssignment(self,s,loc,toks): |
|
1656 |
self.__currentLineNumber += 1 |
|
1657 |
self.__debug( "Setting "+toks[0]+" to " + str(toks[1])) |
|
1658 |
for file in toks[1]: |
|
1659 |
# file is always relative to sourcepath but some MMP files |
|
1660 |
# have items that begin with a slash... |
|
1661 |
file = file.lstrip("/") |
|
1662 |
source = generic_path.Join(self.__sourcepath, file) |
|
1663 |
||
1664 |
# If the SOURCEPATH itself begins with a '/', then dont look up the caseless version, since |
|
1665 |
# we don't know at this time what $(EPOCROOT) will evaluate to. |
|
1666 |
if source.GetLocalString().startswith('$(EPOCROOT)'): |
|
1667 |
self.sources.append(str(source)) |
|
1668 |
self.__debug("Append SOURCE " + str(source)) |
|
1669 |
||
1670 |
else: |
|
1671 |
foundsource = source.FindCaseless() |
|
1672 |
if foundsource == None: |
|
1673 |
# Hope that the file will be generated later |
|
1674 |
self.__debug("Sourcefile not found: %s" % source) |
|
1675 |
foundsource = source |
|
1676 |
||
1677 |
self.sources.append(str(foundsource)) |
|
1678 |
self.__debug("Append SOURCE " + str(foundsource)) |
|
1679 |
||
1680 |
||
1681 |
self.__debug(" sourcepath: " + self.__sourcepath) |
|
1682 |
return "OK" |
|
1683 |
||
1684 |
# Resource |
|
1685 |
||
1686 |
def doOldResourceAssignment(self,s,loc,toks): |
|
1687 |
# Technically deprecated, but still used, so... |
|
1688 |
self.__currentLineNumber += 1 |
|
1689 |
self.__debug("Processing old-style "+toks[0]+" "+str(toks[1])) |
|
1690 |
||
1691 |
sysRes = (toks[0].lower() == "systemresource") |
|
1692 |
||
1693 |
for rss in toks[1]: |
|
1694 |
variant = raptor_data.Variant() |
|
1695 |
||
1696 |
source = generic_path.Join(self.__sourcepath, rss) |
|
1697 |
variant.AddOperation(raptor_data.Set("SOURCE", str(source))) |
|
1698 |
self.__resourceFiles.append(str(source)) |
|
1699 |
||
1700 |
target = source.File().rsplit(".", 1)[0] # remove the extension |
|
1701 |
variant.AddOperation(raptor_data.Set("TARGET", target)) |
|
1702 |
variant.AddOperation(raptor_data.Set("TARGET_lower", target.lower())) |
|
1703 |
||
1704 |
header = target.lower() + ".rsg" # filename policy |
|
1705 |
variant.AddOperation(raptor_data.Set("HEADER", header)) |
|
1706 |
||
1707 |
if sysRes: |
|
1708 |
dsrtp = self.getDefaultSystemResourceTargetPath() |
|
1709 |
variant.AddOperation(raptor_data.Set("TARGETPATH", dsrtp)) |
|
1710 |
||
1711 |
self.ResourceVariants.append(variant) |
|
1712 |
||
1713 |
return "OK" |
|
1714 |
||
1715 |
def getDefaultSystemResourceTargetPath(self): |
|
1716 |
# the default systemresource TARGETPATH value should come from the |
|
1717 |
# configuration rather than being hard-coded here. Then again, this |
|
1718 |
# should really be deprecated away into oblivion... |
|
1719 |
return "system/data" |
|
1720 |
||
1721 |
||
1722 |
def getDefaultResourceTargetPath(self, targettype): |
|
1723 |
# the different default TARGETPATH values should come from the |
|
1724 |
# configuration rather than being hard-coded here. |
|
1725 |
if targettype == "plugin": |
|
1726 |
return "resource/plugins" |
|
1727 |
if targettype == "pdl": |
|
1728 |
return "resource/printers" |
|
1729 |
return "" |
|
1730 |
||
1731 |
def resolveOptionReplace(self, content): |
|
1732 |
""" |
|
1733 |
Constructs search/replace pairs based on .mmp OPTION_REPLACE entries for use on tool command lines |
|
1734 |
within FLMS. |
|
1735 |
||
1736 |
Depending on what's supplied to OPTION_REPLACE <TOOL>, the core part of the <TOOL> command line |
|
1737 |
in the relevant FLM will have search and replace actions performed on it post-expansion (but pre- |
|
1738 |
any OPTION <TOOL> additions). |
|
1739 |
||
1740 |
In terms of logic, we try to follow what ABLD does, as the current behaviour is undocumented. |
|
1741 |
What happens is a little inconsistent, and best described by some generic examples: |
|
1742 |
||
1743 |
OPTION_REPLACE TOOL existing_option replacement_value |
|
1744 |
||
1745 |
Replace all instances of "option existing_value" with "option replacement_value" |
|
1746 |
||
1747 |
OPTION_REPLACE TOOL existing_option replacement_option |
|
1748 |
||
1749 |
Replace all instances of "existing_option" with "replacement_option". |
|
1750 |
||
1751 |
If "existing_option" is present in isolation then a removal is performed. |
|
1752 |
||
1753 |
Any values encountered that don't follow an option are ignored. |
|
1754 |
Options are identified as being prefixed with either '-' or '--'. |
|
1755 |
||
1756 |
The front-end processes each OPTION_REPLACE entry and then appends one or more search/replace pairs |
|
1757 |
to an OPTION_REPLACE_<TOOL> variable in the following format: |
|
1758 |
||
1759 |
search<->replace |
|
1760 |
""" |
|
1761 |
# Note that, for compatibility reasons, the following is mostly a port to Python of the corresponding |
|
1762 |
# ABLD Perl, and hence maintains ABLD's idiosyncrasies in what it achieves |
|
1763 |
||
1764 |
searchReplacePairs = [] |
|
1765 |
matches = re.findall("-{1,2}\S+\s*(?!-)\S*",content) |
|
1766 |
||
1767 |
if matches: |
|
1768 |
# reverse so we can process as a stack whilst retaining original order |
|
1769 |
matches.reverse() |
|
1770 |
||
1771 |
while (len(matches)): |
|
1772 |
match = matches.pop() |
|
1773 |
||
1774 |
standaloneMatch = re.match('^(?P<option>\S+)\s+(?P<value>\S+)$', match) |
|
1775 |
||
1776 |
if (standaloneMatch): |
|
1777 |
# Option listed standalone with a replacement value |
|
1778 |
# Example: |
|
1779 |
# OPTION_REPLACE ARMCC --cpu 6 |
|
1780 |
# Intention: |
|
1781 |
# Replace instances of "--cpu <something>" with "--cpu 6" |
|
1782 |
||
1783 |
# Substitute any existing "option <existing_value>" instances with a single word |
|
1784 |
# "@@<existing_value>" for later replacement |
|
1785 |
searchReplacePairs.append('%s <->@@' % standaloneMatch.group('option')) |
|
1786 |
||
1787 |
# Replace "@@<existing_value>" entries from above with "option <new_value>" entries |
|
1788 |
# A pattern substitution is used to cover pre-existing values |
|
1789 |
searchReplacePairs.append('@@%%<->%s %s' % (standaloneMatch.group('option'), standaloneMatch.group('value'))) |
|
1790 |
else: |
|
1791 |
# Options specified in search/replace pairs with optional values |
|
1792 |
# Example: |
|
1793 |
# OPTION_REPLACE ARMCC --O2 --O3 |
|
1794 |
# Intention: |
|
1795 |
# Replace instances of "--O2" with "--O3" |
|
1796 |
||
1797 |
# At this point we will be looking at just the search option - there may or may not |
|
1798 |
# be a replacement to consider |
|
1799 |
search = match |
|
1800 |
replace = "" |
|
1801 |
if len(matches): |
|
1802 |
replace = matches.pop() |
|
5 | 1803 |
|
3 | 1804 |
searchReplacePairs.append('%s<->%s' % (search, replace)) |
1805 |
||
1806 |
# Replace spaces to maintain word-based grouping in downstream makefile lists |
|
1807 |
for i in range(0,len(searchReplacePairs)): |
|
1808 |
searchReplacePairs[i] = searchReplacePairs[i].replace(' ','%20') |
|
1809 |
||
1810 |
return searchReplacePairs |
|
1811 |
||
1812 |
def doStartResource(self,s,loc,toks): |
|
1813 |
self.__currentLineNumber += 1 |
|
1814 |
self.__debug("Start RESOURCE "+toks[1]) |
|
1815 |
||
1816 |
self.__current_resource = generic_path.Path(self.__sourcepath, toks[1]) |
|
1817 |
self.__current_resource = str(self.__current_resource) |
|
1818 |
||
1819 |
self.__debug("sourcepath: " + self.__sourcepath) |
|
1820 |
self.__debug("self.__current_resource source: " + toks[1]) |
|
1821 |
self.__debug("adjusted self.__current_resource source=" + self.__current_resource) |
|
1822 |
||
1823 |
self.__currentResourceVariant = raptor_data.Variant() |
|
1824 |
self.__currentResourceVariant.AddOperation(raptor_data.Set("SOURCE", self.__current_resource)) |
|
1825 |
self.__resourceFiles.append(self.__current_resource) |
|
1826 |
||
1827 |
# The target name is the basename of the resource without the extension |
|
1828 |
# e.g. "/fred/129ab34f.rss" would have a target name of "129ab34f" |
|
1829 |
target = self.__current_resource.rsplit("/",1)[-1] |
|
1830 |
target = target.rsplit(".",1)[0] |
|
1831 |
self.__currentResourceVariant.AddOperation(raptor_data.Set("TARGET", target)) |
|
1832 |
self.__currentResourceVariant.AddOperation(raptor_data.Set("TARGET_lower", target.lower())) |
|
1833 |
self.__headerspecified = False |
|
1834 |
self.__headeronlyspecified = False |
|
1835 |
self.__current_resource_header = target.lower() + ".rsg" |
|
1836 |
||
1837 |
return "OK" |
|
1838 |
||
1839 |
def doResourceAssignment(self,s,loc,toks): |
|
1840 |
""" Assign variables for resource files """ |
|
1841 |
self.__currentLineNumber += 1 |
|
1842 |
varname = toks[0].upper() # the mmp keyword |
|
1843 |
varvalue = "".join(toks[1]) |
|
1844 |
||
1845 |
# Get rid of any .rsc extension because the build system |
|
1846 |
# needs to have it stripped off to calculate other names |
|
1847 |
# for other purposes and # we aren't going to make it |
|
1848 |
# optional anyhow. |
|
1849 |
if varname == "TARGET": |
|
1850 |
target_withext = varvalue.rsplit("/\\",1)[-1] |
|
1851 |
target = target_withext.rsplit(".",1)[0] |
|
1852 |
self.__current_resource_header = target.lower() + ".rsg" |
|
1853 |
self.__currentResourceVariant.AddOperation(raptor_data.Set("TARGET_lower", target.lower())) |
|
1854 |
self.__debug("Set resource "+varname+" to " + target) |
|
1855 |
self.__currentResourceVariant.AddOperation(raptor_data.Set(varname,target)) |
|
1856 |
if varname == "TARGETPATH": |
|
1857 |
varvalue=varvalue.replace('\\','/') |
|
1858 |
self.__debug("Set resource "+varname+" to " + varvalue) |
|
1859 |
self.__currentResourceVariant.AddOperation(raptor_data.Set(varname,varvalue)) |
|
1860 |
else: |
|
1861 |
self.__debug("Set resource "+varname+" to " + varvalue) |
|
1862 |
self.__currentResourceVariant.AddOperation(raptor_data.Set(varname,varvalue)) |
|
1863 |
return "OK" |
|
1864 |
||
1865 |
def doResourceAppend(self,s,loc,toks): |
|
1866 |
self.__currentLineNumber += 1 |
|
1867 |
self.__debug("Append resource to "+toks[0]+" the values: " +str(toks[1])) |
|
1868 |
varname = toks[0].upper() |
|
1869 |
||
1870 |
# we cannot use LANG as it interferes with the environment |
|
1871 |
if varname == "LANG": |
|
1872 |
varname = "LANGUAGES" |
|
1873 |
||
1874 |
for item in toks[1]: |
|
1875 |
if varname == "LANGUAGES": |
|
1876 |
item = item.lower() |
|
1877 |
self.__currentResourceVariant.AddOperation(raptor_data.Append(varname,item)) |
|
1878 |
return "OK" |
|
1879 |
||
1880 |
def doResourceSetSwitch(self,s,loc,toks): |
|
1881 |
self.__currentLineNumber += 1 |
|
1882 |
name = toks[0].upper() |
|
1883 |
||
1884 |
if name == "HEADER": |
|
1885 |
self.__headerspecified = True |
|
1886 |
||
1887 |
elif name == "HEADERONLY": |
|
1888 |
self.__headeronlyspecified = True |
|
1889 |
||
1890 |
else: |
|
1891 |
value = "1" |
|
1892 |
self.__debug( "Set resource switch " + name + " " + value) |
|
1893 |
self.__currentResourceVariant.AddOperation(raptor_data.Set(name, value)) |
|
1894 |
||
1895 |
return "OK" |
|
1896 |
||
1897 |
def doEndResource(self,s,loc,toks): |
|
1898 |
self.__currentLineNumber += 1 |
|
1899 |
||
1900 |
# Header name can change, depening if there was a TARGET defined or not, so it must be appended at the end |
|
1901 |
if self.__headerspecified: |
|
1902 |
self.__debug("Set resource switch HEADER " + self.__current_resource_header) |
|
1903 |
self.__currentResourceVariant.AddOperation(raptor_data.Set("HEADER", self.__current_resource_header)) |
|
1904 |
||
1905 |
if self.__headeronlyspecified: |
|
1906 |
self.__debug("Set resource switch HEADERONLY " + self.__current_resource_header) |
|
1907 |
self.__currentResourceVariant.AddOperation(raptor_data.Set("HEADER", self.__current_resource_header)) |
|
1908 |
self.__currentResourceVariant.AddOperation(raptor_data.Set("HEADERONLY", "True")) |
|
1909 |
||
1910 |
self.__debug("End RESOURCE") |
|
1911 |
self.ResourceVariants.append(self.__currentResourceVariant) |
|
1912 |
self.__currentResourceVariant = None |
|
1913 |
self.__current_resource = "" |
|
1914 |
return "OK" |
|
1915 |
||
1916 |
# Bitmap |
|
1917 |
||
1918 |
def doStartBitmap(self,s,loc,toks): |
|
1919 |
self.__currentLineNumber += 1 |
|
1920 |
self.__debug("Start BITMAP "+toks[1]) |
|
1921 |
||
5 | 1922 |
self.__currentBitmapVariant = raptor_data.Variant(name = toks[1].replace('.','_')) |
3 | 1923 |
# Use BMTARGET and BMTARGET_lower because that prevents |
1924 |
# confusion with the TARGET and TARGET_lower of our parent MMP |
|
1925 |
# when setting the OUTPUTPATH. This in turn allows us to |
|
1926 |
# not get tripped up by multiple mbms being generated with |
|
1927 |
# the same name to the same directory. |
|
1928 |
self.__currentBitmapVariant.AddOperation(raptor_data.Set("BMTARGET", toks[1])) |
|
1929 |
self.__currentBitmapVariant.AddOperation(raptor_data.Set("BMTARGET_lower", toks[1].lower())) |
|
1930 |
self.__currentBitmapVariant.AddOperation(raptor_data.Set("SOURCE", "")) |
|
1931 |
return "OK" |
|
1932 |
||
1933 |
def doBitmapAssignment(self,s,loc,toks): |
|
1934 |
self.__currentLineNumber += 1 |
|
1935 |
self.__debug("Set bitmap "+toks[0]+" to " + str(toks[1])) |
|
1936 |
name = toks[0].upper() |
|
1937 |
value = "".join(toks[1]) |
|
1938 |
if name == "TARGETPATH": |
|
1939 |
value = value.replace('\\','/') |
|
1940 |
||
1941 |
self.__currentBitmapVariant.AddOperation(raptor_data.Set(name,value)) |
|
1942 |
return "OK" |
|
1943 |
||
1944 |
def doBitmapSourcePathAssignment(self,s,loc,toks): |
|
1945 |
self.__currentLineNumber += 1 |
|
1946 |
self.__debug("Previous bitmap sourcepath:" + self.__bitmapSourcepath) |
|
1947 |
self.__bitmapSourcepath = raptor_utilities.resolveSymbianPath(self.__currentMmpFile, toks[1]) |
|
1948 |
self.__debug("New bitmap sourcepath: " + self.__bitmapSourcepath) |
|
1949 |
||
1950 |
def doBitmapSourceAssignment(self,s,loc,toks): |
|
1951 |
self.__currentLineNumber += 1 |
|
1952 |
self.__debug( "Setting "+toks[0]+" to " + str(toks[1])) |
|
1953 |
# The first "source" is the colour depth for all the others. |
|
1954 |
# The depth format is b[,m] where b is the bitmap depth and m is |
|
1955 |
# the mask depth. |
|
1956 |
# Valid values for b are: 1 2 4 8 c4 c8 c12 c16 c24 c32 c32a (?) |
|
1957 |
# Valid values for m are: 1 8 (any number?) |
|
1958 |
# |
|
1959 |
# If m is specified then the bitmaps are in pairs: b0 m0 b1 m1... |
|
1960 |
# If m is not specified then there are no masks, just bitmaps: b0 b1... |
|
1961 |
colordepth = toks[1][0].lower() |
|
1962 |
if "," in colordepth: |
|
1963 |
(bitmapdepth, maskdepth) = colordepth.split(",") |
|
1964 |
else: |
|
1965 |
bitmapdepth = colordepth |
|
1966 |
maskdepth = 0 |
|
1967 |
||
1968 |
sources="" |
|
1969 |
mask = False |
|
1970 |
for file in toks[1][1:]: |
|
1971 |
path = generic_path.Join(self.__bitmapSourcepath, file) |
|
1972 |
if sources: |
|
1973 |
sources += " " |
|
1974 |
if mask: |
|
1975 |
sources += "DEPTH=" + maskdepth + " FILE=" + str(path) |
|
1976 |
else: |
|
1977 |
sources += "DEPTH=" + bitmapdepth + " FILE=" + str(path) |
|
1978 |
if maskdepth: |
|
1979 |
mask = not mask |
|
1980 |
self.__debug("sources: " + sources) |
|
1981 |
self.__currentBitmapVariant.AddOperation(raptor_data.Append("SOURCE", sources)) |
|
1982 |
return "OK" |
|
1983 |
||
1984 |
def doBitmapSetSwitch(self,s,loc,toks): |
|
1985 |
self.__currentLineNumber += 1 |
|
1986 |
self.__debug( "Set bitmap switch "+toks[0]+" ON") |
|
1987 |
self.__currentBitmapVariant.AddOperation(raptor_data.Set(toks[0].upper(), "1")) |
|
1988 |
return "OK" |
|
1989 |
||
1990 |
def doEndBitmap(self,s,loc,toks): |
|
1991 |
self.__currentLineNumber += 1 |
|
1992 |
self.__bitmapSourcepath = self.__sourcepath |
|
1993 |
self.BitmapVariants.append(self.__currentBitmapVariant) |
|
1994 |
self.__currentBitmapVariant = None |
|
1995 |
self.__debug("End BITMAP") |
|
1996 |
return "OK" |
|
1997 |
||
1998 |
# Stringtable |
|
1999 |
||
2000 |
def doStartStringTable(self,s,loc,toks): |
|
2001 |
self.__currentLineNumber += 1 |
|
2002 |
self.__debug( "Start STRINGTABLE "+toks[1]) |
|
2003 |
||
2004 |
specstringtable = generic_path.Join(self.__sourcepath, toks[1]) |
|
2005 |
uniqname = specstringtable.File().replace('.','_') # corrected, filename only |
|
2006 |
source = str(specstringtable.FindCaseless()) |
|
2007 |
||
2008 |
self.__debug("sourcepath: " + self.__sourcepath) |
|
2009 |
self.__debug("stringtable: " + toks[1]) |
|
2010 |
self.__debug("adjusted stringtable source=" + source) |
|
2011 |
||
5 | 2012 |
self.__currentStringTableVariant = raptor_data.Variant(name = uniqname) |
3 | 2013 |
self.__currentStringTableVariant.AddOperation(raptor_data.Set("SOURCE", source)) |
2014 |
self.__currentStringTableVariant.AddOperation(raptor_data.Set("EXPORTPATH", "")) |
|
2015 |
self.__stringtableExported = False |
|
2016 |
||
2017 |
# The target name by default is the name of the stringtable without the extension |
|
2018 |
# e.g. the stringtable "/fred/http.st" would have a default target name of "http" |
|
2019 |
stringtable_withext = specstringtable.File() |
|
2020 |
self.__stringtable = stringtable_withext.rsplit(".",1)[0].lower() |
|
2021 |
self.__currentStringTableVariant.AddOperation(raptor_data.Set("TARGET", self.__stringtable)) |
|
2022 |
||
2023 |
self.__stringtableHeaderonlyspecified = False |
|
2024 |
||
2025 |
return "OK" |
|
2026 |
||
2027 |
def doStringTableAssignment(self,s,loc,toks): |
|
2028 |
""" Assign variables for stringtables """ |
|
2029 |
self.__currentLineNumber += 1 |
|
2030 |
varname = toks[0].upper() # the mmp keyword |
|
2031 |
varvalue = "".join(toks[1]) |
|
2032 |
||
2033 |
# Get rid of any .rsc extension because the build system |
|
2034 |
# needs to have it stripped off to calculate other names |
|
2035 |
# for other purposes and # we aren't going to make it |
|
2036 |
# optional anyhow. |
|
2037 |
if varname == "EXPORTPATH": |
|
2038 |
finalvalue = raptor_utilities.resolveSymbianPath(self.__currentMmpFile, varvalue) |
|
2039 |
self.__stringtableExported = True |
|
2040 |
else: |
|
2041 |
finalvalue = varvalue |
|
2042 |
||
2043 |
self.__debug("Set stringtable "+varname+" to " + finalvalue) |
|
2044 |
self.__currentStringTableVariant.AddOperation(raptor_data.Set(varname,finalvalue)) |
|
2045 |
return "OK" |
|
2046 |
||
2047 |
def doStringTableSetSwitch(self,s,loc,toks): |
|
2048 |
self.__currentLineNumber += 1 |
|
2049 |
if toks[0].upper()== "HEADERONLY": |
|
2050 |
self.__stringtableHeaderonlyspecified = True |
|
2051 |
self.__debug( "Set stringtable switch "+toks[0]+" ON") |
|
2052 |
self.__currentStringTableVariant.AddOperation(raptor_data.Set(toks[0].upper(), "1")) |
|
2053 |
return "OK" |
|
2054 |
||
2055 |
def doEndStringTable(self,s,loc,toks): |
|
2056 |
self.__currentLineNumber += 1 |
|
2057 |
||
2058 |
if not self.__stringtableExported: |
|
2059 |
# There was no EXPORTPATH specified for this stringtable |
|
2060 |
# so for our other code to be able to reference it we |
|
2061 |
# must add the path of the generated location to the userinclude path |
|
2062 |
||
2063 |
ipath = "$(OUTPUTPATH)" |
|
2064 |
self.BuildVariant.AddOperation(raptor_data.Append("USERINCLUDE",ipath)) |
|
2065 |
self.__userinclude += ' ' + ipath |
|
2066 |
self.__debug(" USERINCLUDE = %s", self.__userinclude) |
|
2067 |
self.__userinclude.strip() |
|
2068 |
||
2069 |
self.StringTableVariants.append(self.__currentStringTableVariant) |
|
2070 |
self.__currentStringTableVariant = None |
|
2071 |
self.__debug("End STRINGTABLE") |
|
2072 |
if not self.__stringtableHeaderonlyspecified: |
|
2073 |
# Have to assume that this is where the cpp file will be. This has to be maintained |
|
2074 |
# in sync with the FLM's idea of where this file should be. We need a better way. |
|
2075 |
# Interfaces also need outputs that allow other interfaces to refer to their outputs |
|
2076 |
# without having to "know" where they will be. |
|
2077 |
self.sources.append('$(OUTPUTPATH)/' + self.__stringtable + '.cpp') |
|
2078 |
return "OK" |
|
2079 |
||
2080 |
||
2081 |
def doUnknownStatement(self,s,loc,toks): |
|
2082 |
self.__warn("%s (%d) : Unrecognised Keyword %s", self.__currentMmpFile, self.__currentLineNumber, str(toks)) |
|
2083 |
self.__currentLineNumber += 1 |
|
2084 |
return "OK" |
|
2085 |
||
2086 |
||
2087 |
def doUnknownBlock(self,s,loc,toks): |
|
2088 |
self.__warn("%s (%d) : Unrecognised Block %s", self.__currentMmpFile, self.__currentLineNumber, str(toks)) |
|
2089 |
self.__currentLineNumber += 1 |
|
2090 |
return "OK" |
|
2091 |
||
2092 |
def doDeprecated(self,s,loc,toks): |
|
2093 |
self.__debug( "Deprecated command " + str(toks)) |
|
2094 |
self.__warn("%s (%d) : %s is deprecated .mmp file syntax", self.__currentMmpFile, self.__currentLineNumber, str(toks)) |
|
2095 |
self.__currentLineNumber += 1 |
|
2096 |
return "OK" |
|
2097 |
||
2098 |
def doNothing(self): |
|
2099 |
self.__currentLineNumber += 1 |
|
2100 |
return "OK" |
|
2101 |
||
2102 |
def finalise(self, aBuildPlatform): |
|
2103 |
"""Post-processing of data that is only applicable in the context of a fully |
|
2104 |
processed .mmp file.""" |
|
2105 |
resolvedDefFile = "" |
|
2106 |
||
2107 |
if self.__TARGET: |
|
2108 |
defaultRootName = self.__TARGET |
|
2109 |
if self.__TARGETEXT!="": |
|
2110 |
defaultRootName += "." + self.__TARGETEXT |
|
2111 |
||
2112 |
# NOTE: Changing default .def file name based on the LINKAS argument is actually |
|
2113 |
# a defect, but this follows the behaviour of the current build system. |
|
2114 |
if (self.__LINKAS): |
|
2115 |
defaultRootName = self.__LINKAS |
|
2116 |
||
2117 |
resolvedDefFile = self.resolveDefFile(defaultRootName, aBuildPlatform) |
|
2118 |
self.__debug("Resolved def file: %s" % resolvedDefFile ) |
|
2119 |
# We need to store this resolved deffile location for the FREEZE target |
|
2120 |
self.BuildVariant.AddOperation(raptor_data.Set("RESOLVED_DEFFILE", resolvedDefFile)) |
|
2121 |
||
2122 |
# If a deffile is specified, an FLM will put in a dependency. |
|
2123 |
# If a deffile is specified then raptor_meta will guess a name but: |
|
2124 |
# 1) If the guess is wrong then the FLM will complain "no rule to make ..." |
|
2125 |
# 2) In some cases, e.g. plugin, 1) is not desirable as the presence of a def file |
|
2126 |
# is not a necessity. In these cases the FLM needs to know if DEFFILE |
|
2127 |
# is a guess or not so it can decide if a dependency should be added. |
|
2128 |
||
2129 |
# We check that the def file exists and that it is non-zero (incredible |
|
2130 |
# that this should be needed). |
|
2131 |
||
2132 |
deffile_keyword="1" |
|
2133 |
if self.deffile == "": |
|
2134 |
# If the user didn't specify a deffile name then |
|
2135 |
# we must be guessing |
|
2136 |
# Let's check if our guess actually corresponds to a |
|
2137 |
# real file. If it does then that confims the guess. |
|
2138 |
# If there's no file then we still need to pass make the name |
|
2139 |
# so it can complain about there not being a DEF file |
|
2140 |
# for this particular target type and fail to build this target. |
|
2141 |
||
2142 |
deffile_keyword="" |
|
2143 |
try: |
|
2144 |
findpath = generic_path.Path(resolvedDefFile) |
|
2145 |
foundfile = findpath.FindCaseless() |
|
2146 |
||
2147 |
if foundfile == None: |
|
2148 |
raise IOError("file not found") |
|
2149 |
||
2150 |
self.__debug("Found DEFFILE " + foundfile.GetLocalString()) |
|
2151 |
rfstat = os.stat(foundfile.GetLocalString()) |
|
2152 |
||
2153 |
mode = rfstat[stat.ST_MODE] |
|
2154 |
if mode != None and stat.S_ISREG(mode) and rfstat[stat.ST_SIZE] > 0: |
|
2155 |
resolvedDefFile = str(foundfile) |
|
2156 |
else: |
|
2157 |
resolvedDefFile="" |
|
2158 |
except Exception,e: |
|
2159 |
self.__debug("While Searching for an IMPLIED DEFFILE: %s: %s" % (str(e),str(findpath)) ) |
|
2160 |
resolvedDefFile="" |
|
2161 |
else: |
|
2162 |
if not resolvedDefFile == "": |
|
2163 |
try: |
|
2164 |
findpath = generic_path.Path(resolvedDefFile) |
|
2165 |
resolvedDefFile = str(findpath.FindCaseless()) |
|
2166 |
if resolvedDefFile=="None": |
|
2167 |
raise IOError("file not found") |
|
2168 |
except Exception,e: |
|
2169 |
self.__warn("While Searching for a SPECIFIED DEFFILE: %s: %s" % (str(e),str(findpath)) ) |
|
2170 |
resolvedDefFile="" |
|
2171 |
else: |
|
2172 |
self.__warn("DEFFILE KEYWORD used (%s) but def file not resolved" % (self.deffile) ) |
|
2173 |
||
2174 |
||
2175 |
self.BuildVariant.AddOperation(raptor_data.Set("DEFFILE", resolvedDefFile)) |
|
2176 |
self.__debug("Set DEFFILE to " + resolvedDefFile) |
|
2177 |
self.BuildVariant.AddOperation(raptor_data.Set("DEFFILEKEYWORD", deffile_keyword)) |
|
2178 |
self.__debug("Set DEFFILEKEYWORD to '%s'",deffile_keyword) |
|
2179 |
||
245
cbc11ebd788f
Bug 1571: Raptor cannot report error or warning message in wrong implib project
yiluzhu
parents:
212
diff
changeset
|
2180 |
# If target type is "implib" it must have a def file |
cbc11ebd788f
Bug 1571: Raptor cannot report error or warning message in wrong implib project
yiluzhu
parents:
212
diff
changeset
|
2181 |
self.checkImplibDefFile(resolvedDefFile) |
cbc11ebd788f
Bug 1571: Raptor cannot report error or warning message in wrong implib project
yiluzhu
parents:
212
diff
changeset
|
2182 |
|
3 | 2183 |
# if this target type has a default TARGETPATH other than "" for |
2184 |
# resources then we need to add that default to all resources which |
|
2185 |
# do not explicitly set the TARGETPATH themselves. |
|
2186 |
tp = self.getDefaultResourceTargetPath(self.getTargetType()) |
|
2187 |
if tp: |
|
2188 |
for i,var in enumerate(self.ResourceVariants): |
|
2189 |
# does this resource specify its own TARGETPATH? |
|
2190 |
needTP = True |
|
2191 |
for op in var.ops: |
|
2192 |
if isinstance(op, raptor_data.Set) \ |
|
2193 |
and op.name == "TARGETPATH": |
|
2194 |
needTP = False |
|
2195 |
break |
|
2196 |
if needTP: |
|
2197 |
self.ResourceVariants[i].AddOperation(raptor_data.Set("TARGETPATH", tp)) |
|
2198 |
||
2199 |
# some core build configurations need to know about the resource builds, and |
|
2200 |
# some resource building configurations need knowledge of the core build |
|
2201 |
for resourceFile in self.__resourceFiles: |
|
2202 |
self.BuildVariant.AddOperation(raptor_data.Append("RESOURCEFILES", resourceFile)) |
|
2203 |
||
2204 |
for i,var in enumerate(self.ResourceVariants): |
|
2205 |
self.ResourceVariants[i].AddOperation(raptor_data.Set("MAIN_TARGET_lower", self.__TARGET.lower())) |
|
2206 |
self.ResourceVariants[i].AddOperation(raptor_data.Set("MAIN_REQUESTEDTARGETEXT", self.__TARGETEXT.lower())) |
|
2207 |
||
5 | 2208 |
# Create Capability variable in one SET operation (more efficient than multiple appends) |
151
d4605037b3b2
set file format of raptor_meta.py to unix when on unix
timothy.murphy@nokia.com
parents:
144
diff
changeset
|
2209 |
|
d4605037b3b2
set file format of raptor_meta.py to unix when on unix
timothy.murphy@nokia.com
parents:
144
diff
changeset
|
2210 |
self.BuildVariant.AddOperation(raptor_data.Set("CAPABILITY","".join(self.capabilities))) |
5 | 2211 |
|
3 | 2212 |
# Resolve combined capabilities as hex flags, for configurations that require them |
2213 |
capabilityFlag1 = 0 |
|
2214 |
capabilityFlag2 = 0 # Always 0 |
|
2215 |
||
151
d4605037b3b2
set file format of raptor_meta.py to unix when on unix
timothy.murphy@nokia.com
parents:
144
diff
changeset
|
2216 |
for capability in self.capabilities: |
3 | 2217 |
invert = 0 |
2218 |
||
2219 |
if capability.startswith('-'): |
|
2220 |
invert = 0xffffffff |
|
160 | 2221 |
capability = capability[1:] |
3 | 2222 |
|
2223 |
if MMPRaptorBackend.supportedCapabilities.has_key(capability): |
|
2224 |
capabilityFlag1 = capabilityFlag1 ^ invert |
|
2225 |
capabilityFlag1 = capabilityFlag1 | MMPRaptorBackend.supportedCapabilities[capability] |
|
2226 |
capabilityFlag1 = capabilityFlag1 ^ invert |
|
2227 |
||
2228 |
capabilityFlag1 = "%08xu" % capabilityFlag1 |
|
2229 |
capabilityFlag2 = "%08xu" % capabilityFlag2 |
|
2230 |
||
2231 |
self.BuildVariant.AddOperation(raptor_data.Set("CAPABILITYFLAG1", capabilityFlag1)) |
|
2232 |
self.__debug ("Set CAPABILITYFLAG1 to " + capabilityFlag1) |
|
2233 |
self.BuildVariant.AddOperation(raptor_data.Set("CAPABILITYFLAG2", capabilityFlag2)) |
|
2234 |
self.__debug ("Set CAPABILITYFLAG2 to " + capabilityFlag2) |
|
2235 |
||
2236 |
# For non-Feature Variant builds, the location of the product include hrh file is |
|
2237 |
# appended to the SYSTEMINCLUDE list |
|
2238 |
if not aBuildPlatform['ISFEATUREVARIANT']: |
|
2239 |
productIncludePath = str(aBuildPlatform['VARIANT_HRH'].Dir()) |
|
2240 |
self.BuildVariant.AddOperation(raptor_data.Append("SYSTEMINCLUDE",productIncludePath)) |
|
2241 |
self.__debug("Appending product include location %s to SYSTEMINCLUDE",productIncludePath) |
|
2242 |
||
2243 |
# Specifying both a PAGED* and its opposite UNPAGED* keyword in a .mmp file |
|
2244 |
# will generate a warning and the last keyword specified will take effect. |
|
2245 |
self.__pageConflict.reverse() |
|
2246 |
if "PAGEDCODE" in self.__pageConflict and "UNPAGEDCODE" in self.__pageConflict: |
|
2247 |
for x in self.__pageConflict: |
|
2248 |
if x == "PAGEDCODE" or x == "UNPAGEDCODE": |
|
2249 |
self.__Raptor.Warn("Both PAGEDCODE and UNPAGEDCODE are specified. The last one %s will take effect" % x) |
|
2250 |
break |
|
2251 |
if "PAGEDDATA" in self.__pageConflict and "UNPAGEDDATA" in self.__pageConflict: |
|
2252 |
for x in self.__pageConflict: |
|
2253 |
if x == "PAGEDDATA" or x == "UNPAGEDDATA": |
|
2254 |
self.__Raptor.Warn("Both PAGEDDATA and UNPAGEDDATA are specified. The last one %s will take effect" % x) |
|
2255 |
break |
|
2256 |
||
2257 |
# Set Debuggable |
|
2258 |
self.BuildVariant.AddOperation(raptor_data.Set("DEBUGGABLE", self.__debuggable)) |
|
2259 |
||
2260 |
if self.__explicitversion: |
|
2261 |
self.BuildVariant.AddOperation(raptor_data.Append("UNIQUETARGETPATH","$(TARGET_lower)_$(VERSIONHEX)_$(REQUESTEDTARGETEXT)",'/')) |
|
2262 |
else: |
|
2263 |
self.BuildVariant.AddOperation(raptor_data.Append("UNIQUETARGETPATH","$(TARGET_lower)_$(REQUESTEDTARGETEXT)",'/')) |
|
2264 |
||
2265 |
# Put the list of sourcefiles in with one Set operation - saves memory |
|
2266 |
# and performance over using multiple Append operations. |
|
2267 |
self.BuildVariant.AddOperation(raptor_data.Set("SOURCE", |
|
2268 |
" ".join(self.sources))) |
|
2269 |
||
2270 |
def getTargetType(self): |
|
2271 |
"""Target type in lower case - the standard format""" |
|
2272 |
return self.__targettype.lower() |
|
2273 |
||
245
cbc11ebd788f
Bug 1571: Raptor cannot report error or warning message in wrong implib project
yiluzhu
parents:
212
diff
changeset
|
2274 |
def checkImplibDefFile(self, defFile): |
cbc11ebd788f
Bug 1571: Raptor cannot report error or warning message in wrong implib project
yiluzhu
parents:
212
diff
changeset
|
2275 |
"""Project with target type implib must have DEFFILE defined |
cbc11ebd788f
Bug 1571: Raptor cannot report error or warning message in wrong implib project
yiluzhu
parents:
212
diff
changeset
|
2276 |
explicitly or implicitly, otherwise it is an error |
cbc11ebd788f
Bug 1571: Raptor cannot report error or warning message in wrong implib project
yiluzhu
parents:
212
diff
changeset
|
2277 |
""" |
cbc11ebd788f
Bug 1571: Raptor cannot report error or warning message in wrong implib project
yiluzhu
parents:
212
diff
changeset
|
2278 |
if self.getTargetType() == 'implib' and defFile == '': |
246
b9b473d0d6df
Release note: Raptor cannot report error or warning message in wrong implib project
yiluzhu
parents:
245
diff
changeset
|
2279 |
self.__Raptor.Error("No DEF File for IMPLIB target type in " + \ |
b9b473d0d6df
Release note: Raptor cannot report error or warning message in wrong implib project
yiluzhu
parents:
245
diff
changeset
|
2280 |
self.__currentMmpFile, bldinf=self.__bldInfFilename) |
245
cbc11ebd788f
Bug 1571: Raptor cannot report error or warning message in wrong implib project
yiluzhu
parents:
212
diff
changeset
|
2281 |
|
3 | 2282 |
def resolveDefFile(self, aTARGET, aBuildPlatform): |
2283 |
"""Returns a fully resolved DEFFILE entry depending on .mmp file location and TARGET, DEFFILE and NOSTRICTDEF |
|
2284 |
entries in the .mmp file itself (where appropriate). |
|
2285 |
Is able to deal with target names that have multiple '.' characters e.g. messageintercept.esockdebug.dll |
|
2286 |
""" |
|
2287 |
||
2288 |
resolvedDefFile = "" |
|
2289 |
platform = aBuildPlatform['PLATFORM'] |
|
2290 |
||
2291 |
# Not having a default .def file directory is a pretty strong indicator that |
|
2292 |
# .def files aren't supported for the particular platform |
|
2293 |
if PlatformDefaultDefFileDir.has_key(platform): |
|
2294 |
(targetname,targetext) = os.path.splitext(aTARGET) |
|
2295 |
(defname,defext) = os.path.splitext(self.deffile) |
|
2296 |
if defext=="": |
|
2297 |
defext = ".def" |
|
2298 |
||
2299 |
# NOTE: WORKAROUND |
|
2300 |
if len(targetext) > 4: |
|
2301 |
targetname += defext |
|
2302 |
||
2303 |
if not self.deffile: |
|
2304 |
resolvedDefFile = targetname |
|
2305 |
else: |
|
2306 |
if re.search('[\\|\/]$', self.deffile): |
|
2307 |
# If DEFFILE is *solely* a path, signified by ending in a slash, then TARGET is the |
|
2308 |
# basis for the default .def filename but with the specified path as prefix |
|
2309 |
resolvedDefFile = self.deffile + targetname |
|
2310 |
||
2311 |
else: |
|
2312 |
resolvedDefFile = defname |
|
2313 |
||
2314 |
resolvedDefFile = resolvedDefFile.replace('~', PlatformDefaultDefFileDir[platform]) |
|
2315 |
||
2316 |
if resolvedDefFile: |
|
2317 |
if not self.nostrictdef: |
|
2318 |
resolvedDefFile += 'u' |
|
2319 |
||
2320 |
if self.__explicitversion: |
|
2321 |
resolvedDefFile += '{' + self.__versionhex + '}' |
|
2322 |
||
2323 |
resolvedDefFile += defext |
|
2324 |
||
2325 |
||
2326 |
# If a DEFFILE statement doesn't specify a path in any shape or form, prepend the default .def file |
|
2327 |
# location based on the platform being built |
|
2328 |
if not re.search('[\\\/]+', self.deffile): |
|
2329 |
resolvedDefFile = '../'+PlatformDefaultDefFileDir[platform]+'/'+resolvedDefFile |
|
2330 |
||
2331 |
resolvedDefFile = raptor_utilities.resolveSymbianPath(self.__defFileRoot, resolvedDefFile, 'DEFFILE', "", str(aBuildPlatform['EPOCROOT'])) |
|
2332 |
||
2333 |
return resolvedDefFile |
|
2334 |
||
2335 |
||
5 | 2336 |
def CheckedGet(self, key, default = None): |
2337 |
"""extract a value from an self and raise an exception if None. |
|
2338 |
||
2339 |
An optional default can be set to replace a None value. |
|
2340 |
||
2341 |
This function belongs in the Evaluator class logically. But |
|
2342 |
Evaluator doesn't know how to raise a Metadata error. Since |
|
2343 |
being able to raise a metadata error is the whole point of |
|
2344 |
the method, it makes sense to adapt the Evaluator class from |
|
2345 |
raptor_meta for the use of everything inside raptor_meta. |
|
2346 |
||
2347 |
... so it will be added to the Evaluator class. |
|
2348 |
""" |
|
2349 |
||
2350 |
value = self.Get(key) |
|
2351 |
if value == None: |
|
2352 |
if default == None: |
|
2353 |
raise MetaDataError("configuration " + self.buildUnit.name + |
|
2354 |
" has no variable " + key) |
|
2355 |
else: |
|
2356 |
return default |
|
2357 |
return value |
|
2358 |
||
2359 |
raptor_data.Evaluator.CheckedGet = CheckedGet |
|
2360 |
||
2361 |
||
3 | 2362 |
class MetaReader(object): |
2363 |
"""Entry point class for Symbian metadata processing. |
|
2364 |
||
2365 |
Provides a means of integrating "traditional" Symbian metadata processing |
|
2366 |
with the new Raptor build system.""" |
|
2367 |
||
2368 |
filesplit_re = re.compile(r"^(?P<name>.*)\.(?P<ext>[^\.]*)$") |
|
2369 |
||
2370 |
def __init__(self, aRaptor, configsToBuild): |
|
2371 |
self.__Raptor = aRaptor |
|
2372 |
self.BuildPlatforms = [] |
|
2373 |
self.ExportPlatforms = [] |
|
2374 |
||
2375 |
# Get the version of CPP that we are using |
|
2376 |
metadata = self.__Raptor.cache.FindNamedVariant("meta") |
|
2377 |
evaluator = self.__Raptor.GetEvaluator(None, raptor_data.BuildUnit(metadata.name, [metadata]) ) |
|
5 | 2378 |
self.__gnucpp = evaluator.CheckedGet("GNUCPP") |
2379 |
self.__defaultplatforms = evaluator.CheckedGet("DEFAULT_PLATFORMS") |
|
2380 |
self.__basedefaultplatforms = evaluator.CheckedGet("BASE_DEFAULT_PLATFORMS") |
|
2381 |
self.__baseuserdefaultplatforms = evaluator.CheckedGet("BASE_USER_DEFAULT_PLATFORMS") |
|
3 | 2382 |
|
2383 |
# Only read each variant.cfg once |
|
2384 |
variantCfgs = {} |
|
2385 |
||
2386 |
# Group the list of configurations into "build platforms". |
|
2387 |
# A build platform is a set of configurations which share |
|
2388 |
# the same metadata. In other words, a set of configurations |
|
2389 |
# for which the bld.inf and MMP files pre-process to exactly |
|
2390 |
# the same text. |
|
2391 |
platforms = {} |
|
2392 |
||
2393 |
# Exports are not "platform dependent" but they are configuration |
|
2394 |
# dependent because different configs can have different EPOCROOT |
|
2395 |
# and VARIANT_HRH values. Each "build platform" has one associated |
|
2396 |
# "export platform" but several "build platforms" can be associated |
|
2397 |
# with the same "export platform". |
|
2398 |
exports = {} |
|
2399 |
||
5 | 2400 |
self.__Raptor.Debug("MetaReader: configsToBuild: %s", [b.name for b in configsToBuild]) |
3 | 2401 |
for buildConfig in configsToBuild: |
2402 |
# get everything we need to know about the configuration |
|
2403 |
evaluator = self.__Raptor.GetEvaluator(None, buildConfig) |
|
2404 |
||
2405 |
detail = {} |
|
5 | 2406 |
detail['PLATFORM'] = evaluator.CheckedGet("TRADITIONAL_PLATFORM") |
2407 |
epocroot = evaluator.CheckedGet("EPOCROOT") |
|
3 | 2408 |
detail['EPOCROOT'] = generic_path.Path(epocroot) |
2409 |
||
5 | 2410 |
sbs_build_dir = evaluator.CheckedGet("SBS_BUILD_DIR") |
3 | 2411 |
detail['SBS_BUILD_DIR'] = generic_path.Path(sbs_build_dir) |
5 | 2412 |
flm_export_dir = evaluator.CheckedGet("FLM_EXPORT_DIR") |
3 | 2413 |
detail['FLM_EXPORT_DIR'] = generic_path.Path(flm_export_dir) |
2414 |
detail['CACHEID'] = flm_export_dir |
|
2415 |
if raptor_utilities.getOSPlatform().startswith("win"): |
|
5 | 2416 |
detail['PLATMACROS'] = evaluator.CheckedGet("PLATMACROS.WINDOWS") |
3 | 2417 |
else: |
5 | 2418 |
detail['PLATMACROS'] = evaluator.CheckedGet("PLATMACROS.LINUX") |
3 | 2419 |
|
2420 |
# Apply OS variant provided we are not ignoring this |
|
2421 |
if not self.__Raptor.ignoreOsDetection: |
|
2422 |
self.__Raptor.Debug("Automatic OS detection enabled.") |
|
2423 |
self.ApplyOSVariant(buildConfig, epocroot) |
|
2424 |
else: # We are ignore OS versions so no detection required, so no variant will be applied |
|
2425 |
self.__Raptor.Debug("Automatic OS detection disabled.") |
|
2426 |
||
2427 |
# is this a feature variant config or an ordinary variant |
|
2428 |
fv = evaluator.Get("FEATUREVARIANTNAME") |
|
2429 |
if fv: |
|
5 | 2430 |
variantHdr = evaluator.CheckedGet("VARIANT_HRH") |
3 | 2431 |
variantHRH = generic_path.Path(variantHdr) |
2432 |
detail['ISFEATUREVARIANT'] = True |
|
2433 |
else: |
|
5 | 2434 |
variantCfg = evaluator.CheckedGet("VARIANT_CFG") |
3 | 2435 |
variantCfg = generic_path.Path(variantCfg) |
2436 |
if not variantCfg in variantCfgs: |
|
2437 |
# get VARIANT_HRH from the variant.cfg file |
|
2438 |
varCfg = getVariantCfgDetail(detail['EPOCROOT'], variantCfg) |
|
2439 |
variantCfgs[variantCfg] = varCfg['VARIANT_HRH'] |
|
2440 |
# we expect to always build ABIv2 |
|
2441 |
if not 'ENABLE_ABIV2_MODE' in varCfg: |
|
2442 |
self.__Raptor.Warn("missing flag ENABLE_ABIV2_MODE in %s file. ABIV1 builds are not supported.", |
|
2443 |
str(variantCfg)) |
|
2444 |
variantHRH = variantCfgs[variantCfg] |
|
2445 |
detail['ISFEATUREVARIANT'] = False |
|
2446 |
||
2447 |
detail['VARIANT_HRH'] = variantHRH |
|
2448 |
self.__Raptor.Info("'%s' uses variant hrh file '%s'", buildConfig.name, variantHRH) |
|
5 | 2449 |
detail['SYSTEMINCLUDE'] = evaluator.CheckedGet("SYSTEMINCLUDE") |
2450 |
||
3 | 2451 |
|
2452 |
# find all the interface names we need |
|
5 | 2453 |
ifaceTypes = evaluator.CheckedGet("INTERFACE_TYPES") |
3 | 2454 |
interfaces = ifaceTypes.split() |
2455 |
||
2456 |
for iface in interfaces: |
|
5 | 2457 |
detail[iface] = evaluator.CheckedGet("INTERFACE." + iface) |
3 | 2458 |
|
2459 |
# not test code unless positively specified |
|
5 | 2460 |
detail['TESTCODE'] = evaluator.CheckedGet("TESTCODE", "") |
3 | 2461 |
|
2462 |
# make a key that identifies this platform uniquely |
|
2463 |
# - used to tell us whether we have done the pre-processing |
|
2464 |
# we need already using another platform with compatible values. |
|
2465 |
||
2466 |
key = str(detail['VARIANT_HRH']) \ |
|
2467 |
+ str(detail['EPOCROOT']) \ |
|
2468 |
+ detail['SYSTEMINCLUDE'] \ |
|
138
681b6bf8a272
fix for ARM9E + ARMV5 preprocessing confusion
Richard Taylor <richard.i.taylor@nokia.com>
parents:
48
diff
changeset
|
2469 |
+ detail['PLATFORM'] \ |
681b6bf8a272
fix for ARM9E + ARMV5 preprocessing confusion
Richard Taylor <richard.i.taylor@nokia.com>
parents:
48
diff
changeset
|
2470 |
+ detail['PLATMACROS'] |
3 | 2471 |
|
2472 |
# Keep a short version of the key for use in filenames. |
|
2473 |
uniq = hashlib.md5() |
|
2474 |
uniq.update(key) |
|
2475 |
||
2476 |
detail['key'] = key |
|
2477 |
detail['key_md5'] = "p_" + uniq.hexdigest() |
|
2478 |
del uniq |
|
2479 |
||
2480 |
# compare this configuration to the ones we have already seen |
|
2481 |
||
2482 |
# Is this an unseen export platform? |
|
2483 |
# concatenate all the values we care about in a fixed order |
|
2484 |
# and use that as a signature for the exports. |
|
2485 |
items = ['EPOCROOT', 'VARIANT_HRH', 'SYSTEMINCLUDE', 'TESTCODE', 'export'] |
|
2486 |
export = "" |
|
2487 |
for i in items: |
|
2488 |
if i in detail: |
|
2489 |
export += i + str(detail[i]) |
|
2490 |
||
2491 |
if export in exports: |
|
2492 |
# add this configuration to an existing export platform |
|
2493 |
index = exports[export] |
|
2494 |
self.ExportPlatforms[index]['configs'].append(buildConfig) |
|
2495 |
else: |
|
2496 |
# create a new export platform with this configuration |
|
2497 |
exports[export] = len(self.ExportPlatforms) |
|
2498 |
exp = copy.copy(detail) |
|
2499 |
exp['PLATFORM'] = 'EXPORT' |
|
2500 |
exp['configs'] = [buildConfig] |
|
2501 |
self.ExportPlatforms.append(exp) |
|
2502 |
||
2503 |
# Is this an unseen build platform? |
|
2504 |
# concatenate all the values we care about in a fixed order |
|
2505 |
# and use that as a signature for the platform. |
|
138
681b6bf8a272
fix for ARM9E + ARMV5 preprocessing confusion
Richard Taylor <richard.i.taylor@nokia.com>
parents:
48
diff
changeset
|
2506 |
items = ['PLATFORM', 'PLATMACROS', 'EPOCROOT', 'VARIANT_HRH', 'SYSTEMINCLUDE', 'TESTCODE'] |
3 | 2507 |
|
2508 |
items.extend(interfaces) |
|
2509 |
platform = "" |
|
2510 |
for i in items: |
|
2511 |
if i in detail: |
|
2512 |
platform += i + str(detail[i]) |
|
2513 |
||
2514 |
if platform in platforms: |
|
2515 |
# add this configuration to an existing build platform |
|
2516 |
index = platforms[platform] |
|
2517 |
self.BuildPlatforms[index]['configs'].append(buildConfig) |
|
2518 |
else: |
|
2519 |
# create a new build platform with this configuration |
|
2520 |
platforms[platform] = len(self.BuildPlatforms) |
|
2521 |
detail['configs'] = [buildConfig] |
|
2522 |
self.BuildPlatforms.append(detail) |
|
2523 |
||
2524 |
# one platform is picked as the "default" for extracting things |
|
2525 |
# that are supposedly platform independent (e.g. PRJ_PLATFORMS) |
|
2526 |
self.defaultPlatform = self.ExportPlatforms[0] |
|
2527 |
||
5 | 2528 |
|
11
ea23b18a2ff6
Initial implementation of noexport
tnmurphy@4GBL06592.nokia.com
parents:
5
diff
changeset
|
2529 |
def ReadBldInfFiles(self, aComponentList, doexport, dobuild = True): |
3 | 2530 |
"""Take a list of bld.inf files and return a list of build specs. |
2531 |
||
2532 |
The returned specification nodes will be suitable for all the build |
|
2533 |
configurations under consideration (using Filter nodes where required). |
|
2534 |
""" |
|
2535 |
||
2536 |
# we need a Filter node per export platform |
|
2537 |
exportNodes = [] |
|
2538 |
for i,ep in enumerate(self.ExportPlatforms): |
|
5 | 2539 |
filter = raptor_data.Filter(name = "export_" + str(i)) |
3 | 2540 |
|
2541 |
# what configurations is this node active for? |
|
2542 |
for config in ep['configs']: |
|
2543 |
filter.AddConfigCondition(config.name) |
|
2544 |
||
2545 |
exportNodes.append(filter) |
|
2546 |
||
2547 |
# we need a Filter node per build platform |
|
2548 |
platformNodes = [] |
|
2549 |
for i,bp in enumerate(self.BuildPlatforms): |
|
5 | 2550 |
filter = raptor_data.Filter(name = "build_" + str(i)) |
3 | 2551 |
|
2552 |
# what configurations is this node active for? |
|
2553 |
for config in bp['configs']: |
|
2554 |
filter.AddConfigCondition(config.name) |
|
2555 |
||
2556 |
# platform-wide data |
|
2557 |
platformVar = raptor_data.Variant() |
|
2558 |
platformVar.AddOperation(raptor_data.Set("PRODUCT_INCLUDE", |
|
2559 |
str(bp['VARIANT_HRH']))) |
|
2560 |
||
2561 |
filter.AddVariant(platformVar) |
|
2562 |
platformNodes.append(filter) |
|
2563 |
||
2564 |
# check that each bld.inf exists and add a Specification node for it |
|
2565 |
# to the nodes of the export and build platforms that it supports. |
|
5 | 2566 |
for c in aComponentList: |
2567 |
if c.bldinf_filename.isFile(): |
|
2568 |
self.__Raptor.Info("Processing %s", str(c.bldinf_filename)) |
|
3 | 2569 |
try: |
5 | 2570 |
self.AddComponentNodes(c, exportNodes, platformNodes) |
3 | 2571 |
|
2572 |
except MetaDataError, e: |
|
5 | 2573 |
self.__Raptor.Error(e.Text, bldinf=str(c.bldinf_filename)) |
3 | 2574 |
if not self.__Raptor.keepGoing: |
2575 |
return [] |
|
2576 |
else: |
|
5 | 2577 |
self.__Raptor.Error("build info file does not exist", bldinf=str(c.bldinf_filename)) |
3 | 2578 |
if not self.__Raptor.keepGoing: |
2579 |
return [] |
|
2580 |
||
2581 |
# now we have the top-level structure in place... |
|
2582 |
# |
|
2583 |
# <filter exports 1> |
|
2584 |
# <spec bld.inf 1 /> |
|
2585 |
# <spec bld.inf 2 /> |
|
2586 |
# <spec bld.inf N /> </filter> |
|
2587 |
# <filter build 1> |
|
2588 |
# <spec bld.inf 1 /> |
|
2589 |
# <spec bld.inf 2 /> |
|
2590 |
# <spec bld.inf N /> </filter> |
|
2591 |
# <filter build 2> |
|
2592 |
# <spec bld.inf 1 /> |
|
2593 |
# <spec bld.inf 2 /> |
|
2594 |
# <spec bld.inf N /> </filter> |
|
2595 |
# <filter build 3> |
|
2596 |
# <spec bld.inf 1 /> |
|
2597 |
# <spec bld.inf 2 /> |
|
2598 |
# <spec bld.inf N /> </filter> |
|
2599 |
# |
|
2600 |
# assuming that every bld.inf builds for every platform and all |
|
2601 |
# exports go to the same place. clearly, it is more likely that |
|
2602 |
# some filters have less than N child nodes. in bigger builds there |
|
2603 |
# will also be more than one export platform. |
|
2604 |
||
2605 |
# we now need to process the EXPORTS for all the bld.inf nodes |
|
2606 |
# before we can do anything else (because raptor itself must do |
|
2607 |
# some exports before the MMP files that include them can be |
|
2608 |
# processed). |
|
11
ea23b18a2ff6
Initial implementation of noexport
tnmurphy@4GBL06592.nokia.com
parents:
5
diff
changeset
|
2609 |
if doexport: |
ea23b18a2ff6
Initial implementation of noexport
tnmurphy@4GBL06592.nokia.com
parents:
5
diff
changeset
|
2610 |
for i,p in enumerate(exportNodes): |
ea23b18a2ff6
Initial implementation of noexport
tnmurphy@4GBL06592.nokia.com
parents:
5
diff
changeset
|
2611 |
exportPlatform = self.ExportPlatforms[i] |
ea23b18a2ff6
Initial implementation of noexport
tnmurphy@4GBL06592.nokia.com
parents:
5
diff
changeset
|
2612 |
for s in p.GetChildSpecs(): |
ea23b18a2ff6
Initial implementation of noexport
tnmurphy@4GBL06592.nokia.com
parents:
5
diff
changeset
|
2613 |
try: |
ea23b18a2ff6
Initial implementation of noexport
tnmurphy@4GBL06592.nokia.com
parents:
5
diff
changeset
|
2614 |
self.ProcessExports(s, exportPlatform) |
ea23b18a2ff6
Initial implementation of noexport
tnmurphy@4GBL06592.nokia.com
parents:
5
diff
changeset
|
2615 |
|
ea23b18a2ff6
Initial implementation of noexport
tnmurphy@4GBL06592.nokia.com
parents:
5
diff
changeset
|
2616 |
except MetaDataError, e: |
ea23b18a2ff6
Initial implementation of noexport
tnmurphy@4GBL06592.nokia.com
parents:
5
diff
changeset
|
2617 |
self.__Raptor.Error("%s",e.Text) |
ea23b18a2ff6
Initial implementation of noexport
tnmurphy@4GBL06592.nokia.com
parents:
5
diff
changeset
|
2618 |
if not self.__Raptor.keepGoing: |
ea23b18a2ff6
Initial implementation of noexport
tnmurphy@4GBL06592.nokia.com
parents:
5
diff
changeset
|
2619 |
return [] |
14 | 2620 |
else: |
2621 |
self.__Raptor.Info("Not Processing Exports (--noexport enabled)") |
|
3 | 2622 |
|
2623 |
# this is a switch to return the function at this point if export |
|
2624 |
# only option is specified in the run |
|
11
ea23b18a2ff6
Initial implementation of noexport
tnmurphy@4GBL06592.nokia.com
parents:
5
diff
changeset
|
2625 |
if dobuild is not True: |
3 | 2626 |
self.__Raptor.Info("Processing Exports only") |
2627 |
return[] |
|
2628 |
||
2629 |
# after exports are done we can look to see if there are any |
|
2630 |
# new Interfaces which can be used for EXTENSIONS. Make sure |
|
2631 |
# that we only load each cache once as some export platforms |
|
2632 |
# may share a directory. |
|
2633 |
doneID = {} |
|
2634 |
for ep in self.ExportPlatforms: |
|
2635 |
flmDir = ep["FLM_EXPORT_DIR"] |
|
2636 |
cid = ep["CACHEID"] |
|
2637 |
if flmDir.isDir() and not cid in doneID: |
|
2638 |
self.__Raptor.cache.Load(flmDir, cid) |
|
2639 |
doneID[cid] = True |
|
2640 |
||
2641 |
# finally we can process all the other parts of the bld.inf nodes. |
|
2642 |
# Keep a list of the projects we were asked to build so that we can |
|
2643 |
# tell at the end if there were any we didn't know about. |
|
2644 |
self.projectList = list(self.__Raptor.projects) |
|
2645 |
for i,p in enumerate(platformNodes): |
|
2646 |
buildPlatform = self.BuildPlatforms[i] |
|
2647 |
for s in p.GetChildSpecs(): |
|
2648 |
try: |
|
2649 |
self.ProcessTEMs(s, buildPlatform) |
|
2650 |
self.ProcessMMPs(s, buildPlatform) |
|
2651 |
||
2652 |
except MetaDataError, e: |
|
2653 |
self.__Raptor.Error(e.Text) |
|
2654 |
if not self.__Raptor.keepGoing: |
|
2655 |
return [] |
|
2656 |
||
2657 |
for badProj in self.projectList: |
|
2658 |
self.__Raptor.Warn("Can't find project '%s' in any build info file", badProj) |
|
2659 |
||
2660 |
# everything is specified |
|
2661 |
return exportNodes + platformNodes |
|
2662 |
||
2663 |
def ModuleName(self,aBldInfPath): |
|
2664 |
"""Calculate the name of the ROM/emulator batch files that run the tests""" |
|
2665 |
||
2666 |
def LeftPortionOf(pth,sep): |
|
2667 |
""" Internal function to return portion of str that is to the left of sep. |
|
29
ee00c00df073
Catchup to Perforce WIP with timing, python24
timothy.murphy@nokia.com
parents:
14
diff
changeset
|
2668 |
The split is case-insensitive.""" |
ee00c00df073
Catchup to Perforce WIP with timing, python24
timothy.murphy@nokia.com
parents:
14
diff
changeset
|
2669 |
length = len((pth.lower().split(sep.lower()))[0]) |
3 | 2670 |
return pth[0:length] |
2671 |
||
2672 |
modulePath = LeftPortionOf(LeftPortionOf(os.path.dirname(aBldInfPath), "group"), "ongoing") |
|
2673 |
moduleName = os.path.basename(modulePath.strip("/")) |
|
2674 |
||
2675 |
# Ensure that ModuleName does not return blank, if the above calculation determines |
|
2676 |
# that moduleName is blank |
|
2677 |
if moduleName == "" or moduleName.endswith(":"): |
|
2678 |
moduleName = "module" |
|
2679 |
return moduleName |
|
2680 |
||
2681 |
||
5 | 2682 |
def AddComponentNodes(self, component, exportNodes, platformNodes): |
3 | 2683 |
"""Add Specification nodes for a bld.inf to the appropriate platforms.""" |
5 | 2684 |
bldInfFile = BldInfFile(component.bldinf_filename, self.__gnucpp, component.depfiles, self.__Raptor) |
2685 |
component.bldinf = bldInfFile |
|
2686 |
||
2687 |
specName = getSpecName(component.bldinf_filename, fullPath=True) |
|
2688 |
||
2689 |
if isinstance(component.bldinf, raptor_xml.SystemModelComponent): |
|
3 | 2690 |
# this component came from a system_definition.xml |
5 | 2691 |
layer = component.bldinf.GetContainerName("layer") |
2692 |
componentName = component.bldinf.GetContainerName("component") |
|
3 | 2693 |
else: |
2694 |
# this is a plain old bld.inf file from the command-line |
|
2695 |
layer = "" |
|
5 | 2696 |
componentName = "" |
3 | 2697 |
|
2698 |
# exports are independent of build platform |
|
2699 |
for i,ep in enumerate(self.ExportPlatforms): |
|
5 | 2700 |
specNode = raptor_data.Specification(name = specName) |
3 | 2701 |
|
2702 |
# keep the BldInfFile object for later |
|
5 | 2703 |
specNode.component = component |
3 | 2704 |
|
2705 |
# add some basic data in a component-wide variant |
|
5 | 2706 |
var = raptor_data.Variant(name='component-wide') |
2707 |
var.AddOperation(raptor_data.Set("COMPONENT_META", str(component.bldinf_filename))) |
|
2708 |
var.AddOperation(raptor_data.Set("COMPONENT_NAME", componentName)) |
|
3 | 2709 |
var.AddOperation(raptor_data.Set("COMPONENT_LAYER", layer)) |
2710 |
specNode.AddVariant(var) |
|
2711 |
||
2712 |
# add this bld.inf Specification to the export platform |
|
2713 |
exportNodes[i].AddChild(specNode) |
|
5 | 2714 |
component.exportspecs.append(specNode) |
3 | 2715 |
|
2716 |
# get the relevant build platforms |
|
2717 |
listedPlatforms = bldInfFile.getBuildPlatforms(self.defaultPlatform) |
|
2718 |
platforms = getBuildableBldInfBuildPlatforms(listedPlatforms, |
|
5 | 2719 |
self.__defaultplatforms, |
2720 |
self.__basedefaultplatforms, |
|
2721 |
self.__baseuserdefaultplatforms) |
|
2722 |
||
2723 |
||
2724 |
outputDir = BldInfFile.outputPathFragment(component.bldinf_filename) |
|
3 | 2725 |
|
2726 |
# Calculate "module name" |
|
5 | 2727 |
modulename = self.ModuleName(str(component.bldinf_filename)) |
3 | 2728 |
|
2729 |
for i,bp in enumerate(self.BuildPlatforms): |
|
5 | 2730 |
plat = bp['PLATFORM'] |
3 | 2731 |
if bp['PLATFORM'] in platforms: |
5 | 2732 |
specNode = raptor_data.Specification(name = specName) |
2733 |
||
2734 |
# remember what component this spec node comes from for later |
|
2735 |
specNode.component = component |
|
3 | 2736 |
|
2737 |
# add some basic data in a component-wide variant |
|
5 | 2738 |
var = raptor_data.Variant(name='component-wide-settings-' + plat) |
2739 |
var.AddOperation(raptor_data.Set("COMPONENT_META",str(component.bldinf_filename))) |
|
2740 |
var.AddOperation(raptor_data.Set("COMPONENT_NAME", componentName)) |
|
3 | 2741 |
var.AddOperation(raptor_data.Set("COMPONENT_LAYER", layer)) |
2742 |
var.AddOperation(raptor_data.Set("MODULE", modulename)) |
|
2743 |
var.AddOperation(raptor_data.Append("OUTPUTPATHOFFSET", outputDir, '/')) |
|
2744 |
var.AddOperation(raptor_data.Append("OUTPUTPATH", outputDir, '/')) |
|
2745 |
var.AddOperation(raptor_data.Append("BLDINF_OUTPUTPATH",outputDir, '/')) |
|
2746 |
||
5 | 2747 |
var.AddOperation(raptor_data.Set("TEST_OPTION", component.bldinf.getRomTestType(bp))) |
3 | 2748 |
specNode.AddVariant(var) |
2749 |
||
2750 |
# add this bld.inf Specification to the build platform |
|
2751 |
platformNodes[i].AddChild(specNode) |
|
5 | 2752 |
# also attach it into the component |
2753 |
component.specs.append(specNode) |
|
3 | 2754 |
|
2755 |
def ProcessExports(self, componentNode, exportPlatform): |
|
2756 |
"""Do the exports for a given platform and skeleton bld.inf node. |
|
2757 |
||
2758 |
This will actually perform exports as certain types of files (.mmh) |
|
2759 |
are required to be in place before the rest of the bld.inf node |
|
2760 |
(and parts of other bld.inf nodes) can be processed. |
|
2761 |
||
2762 |
[some MMP files #include exported .mmh files] |
|
2763 |
""" |
|
2764 |
if exportPlatform["TESTCODE"]: |
|
5 | 2765 |
exports = componentNode.component.bldinf.getTestExports(exportPlatform) |
3 | 2766 |
else: |
5 | 2767 |
exports = componentNode.component.bldinf.getExports(exportPlatform) |
3 | 2768 |
|
2769 |
self.__Raptor.Debug("%i exports for %s", |
|
5 | 2770 |
len(exports), str(componentNode.component.bldinf.filename)) |
3 | 2771 |
if exports: |
2772 |
||
2773 |
# each export is either a 'copy' or 'unzip' |
|
2774 |
# maybe we should trap multiple exports to the same location here? |
|
2775 |
epocroot = str(exportPlatform["EPOCROOT"]) |
|
5 | 2776 |
bldinf_filename = str(componentNode.component.bldinf.filename) |
3 | 2777 |
exportwhatlog="<whatlog bldinf='%s' mmp='' config=''>\n" % bldinf_filename |
2778 |
for export in exports: |
|
2779 |
expSrc = export.getSource() |
|
2780 |
expDstList = export.getDestination() # Might not be a list in all circumstances |
|
2781 |
||
2782 |
# make it a list if it isn't |
|
2783 |
if not isinstance(expDstList, list): |
|
2784 |
expDstList = [expDstList] |
|
2785 |
||
2786 |
fromFile = generic_path.Path(expSrc.replace("$(EPOCROOT)", epocroot)) |
|
2787 |
||
2788 |
# For each destination in the destination list, add an export target, perform it if required. |
|
2789 |
# This ensures that make knows the dependency situation but that the export is made |
|
2790 |
# before any other part of the metadata requires it. It also helps with the build |
|
2791 |
# from clean situation where we can't use order only prerequisites. |
|
2792 |
for expDst in expDstList: |
|
2793 |
toFile = generic_path.Path(expDst.replace("$(EPOCROOT)", epocroot)) |
|
2794 |
try: |
|
2795 |
if export.getAction() == "copy": |
|
2796 |
# export the file |
|
2797 |
exportwhatlog += self.CopyExport(fromFile, toFile, bldinf_filename) |
|
2798 |
else: |
|
2799 |
members = self.UnzipExport(fromFile, toFile, |
|
2800 |
str(exportPlatform['SBS_BUILD_DIR']), |
|
2801 |
bldinf_filename) |
|
48
f872a2538607
sf bug 170: invalid XML output when zip file is missing
Richard Taylor <richard.i.taylor@nokia.com>
parents:
32
diff
changeset
|
2802 |
|
f872a2538607
sf bug 170: invalid XML output when zip file is missing
Richard Taylor <richard.i.taylor@nokia.com>
parents:
32
diff
changeset
|
2803 |
exportwhatlog += ("<archive zipfile='" + str(fromFile) + "'>\n") |
3 | 2804 |
if members != None: |
2805 |
exportwhatlog += members |
|
2806 |
exportwhatlog += "</archive>\n" |
|
2807 |
except MetaDataError, e: |
|
2808 |
if self.__Raptor.keepGoing: |
|
2809 |
self.__Raptor.Error("%s",e.Text, bldinf=bldinf_filename) |
|
2810 |
else: |
|
2811 |
raise e |
|
2812 |
exportwhatlog+="</whatlog>\n" |
|
2813 |
self.__Raptor.PrintXML("%s",exportwhatlog) |
|
2814 |
||
2815 |
def CopyExport(self, _source, _destination, bldInfFile): |
|
2816 |
"""Copy the source file to the destination file (create a directory |
|
2817 |
to copy into if it does not exist). Don't copy if the destination |
|
2818 |
file exists and has an equal or newer modification time.""" |
|
2819 |
source = generic_path.Path(str(_source).replace('%20',' ')) |
|
2820 |
destination = generic_path.Path(str(_destination).replace('%20',' ')) |
|
2821 |
dest_str = str(destination) |
|
2822 |
source_str = str(source) |
|
2823 |
||
2824 |
exportwhatlog="<export destination='" + dest_str + "' source='" + \ |
|
2825 |
source_str + "'/>\n" |
|
2826 |
||
2827 |
try: |
|
2828 |
||
2829 |
||
2830 |
destDir = destination.Dir() |
|
2831 |
if not destDir.isDir(): |
|
2832 |
os.makedirs(str(destDir)) |
|
2833 |
shutil.copyfile(source_str, dest_str) |
|
2834 |
return exportwhatlog |
|
2835 |
||
2836 |
sourceMTime = 0 |
|
2837 |
destMTime = 0 |
|
2838 |
try: |
|
2839 |
sourceMTime = os.stat(source_str)[stat.ST_MTIME] |
|
2840 |
destMTime = os.stat(dest_str)[stat.ST_MTIME] |
|
2841 |
except OSError, e: |
|
2842 |
if sourceMTime == 0: |
|
2843 |
message = "Source of export does not exist: " + str(source) |
|
2844 |
if not self.__Raptor.keepGoing: |
|
2845 |
raise MetaDataError(message) |
|
2846 |
else: |
|
2847 |
self.__Raptor.Error(message, bldinf=bldInfFile) |
|
2848 |
||
2849 |
if destMTime == 0 or destMTime < sourceMTime: |
|
2850 |
if os.path.exists(dest_str): |
|
2851 |
os.chmod(dest_str,stat.S_IREAD | stat.S_IWRITE) |
|
2852 |
shutil.copyfile(source_str, dest_str) |
|
2853 |
self.__Raptor.Info("Copied %s to %s", source_str, dest_str) |
|
2854 |
else: |
|
2855 |
self.__Raptor.Info("Up-to-date: %s", dest_str) |
|
2856 |
||
2857 |
||
2858 |
except Exception,e: |
|
2859 |
message = "Could not export " + source_str + " to " + dest_str + " : " + str(e) |
|
2860 |
if not self.__Raptor.keepGoing: |
|
2861 |
raise MetaDataError(message) |
|
2862 |
else: |
|
2863 |
self.__Raptor.Error(message, bldinf=bldInfFile) |
|
2864 |
||
2865 |
return exportwhatlog |
|
2866 |
||
2867 |
||
2868 |
def UnzipExport(self, _source, _destination, _sbs_build_dir, bldinf_filename): |
|
2869 |
"""Unzip the source zipfile into the destination directory |
|
2870 |
but only if the markerfile does not already exist there |
|
2871 |
or it does exist but is older than the zipfile. |
|
2872 |
the markerfile is comprised of the name of the zipfile |
|
2873 |
with the ".zip" removed and ".unzipped" added. |
|
2874 |
""" |
|
2875 |
||
2876 |
# Insert spaces into file if they are there |
|
2877 |
source = str(_source).replace('%20',' ') |
|
2878 |
destination = str(_destination).replace('%20',' ') |
|
2879 |
sanitisedSource = raptor_utilities.sanitise(source) |
|
2880 |
sanitisedDestination = raptor_utilities.sanitise(destination) |
|
2881 |
||
2882 |
destination = str(_destination).replace('%20',' ') |
|
2883 |
exportwhatlog = "" |
|
2884 |
||
2885 |
||
2886 |
try: |
|
2887 |
if not _destination.isDir(): |
|
2888 |
os.makedirs(destination) |
|
2889 |
||
2890 |
# Form the directory to contain the unzipped marker files, and make the directory if require. |
|
2891 |
markerfiledir = generic_path.Path(_sbs_build_dir) |
|
2892 |
if not markerfiledir.isDir(): |
|
2893 |
os.makedirs(str(markerfiledir)) |
|
2894 |
||
2895 |
# Form the marker file name and convert to Python string |
|
2896 |
markerfilename = str(generic_path.Join(markerfiledir, sanitisedSource + sanitisedDestination + ".unzipped")) |
|
2897 |
||
2898 |
# Don't unzip if the marker file is already there or more uptodate |
|
2899 |
sourceMTime = 0 |
|
2900 |
destMTime = 0 |
|
2901 |
try: |
|
2902 |
sourceMTime = os.stat(source)[stat.ST_MTIME] |
|
2903 |
destMTime = os.stat(markerfilename)[stat.ST_MTIME] |
|
2904 |
except OSError, e: |
|
2905 |
if sourceMTime == 0: |
|
2906 |
raise MetaDataError("Source zip for export does not exist: " + source) |
|
2907 |
if destMTime != 0 and destMTime >= sourceMTime: |
|
2908 |
# This file has already been unzipped. Print members then return |
|
2909 |
exportzip = zipfile.ZipFile(source, 'r') |
|
2910 |
files = exportzip.namelist() |
|
2911 |
files.sort() |
|
2912 |
||
2913 |
for file in files: |
|
2914 |
if not file.endswith('/'): |
|
2915 |
expfilename = str(generic_path.Join(destination, file)) |
|
212
18372202b584
escape filenames in <member> tags
Richard Taylor <richard.i.taylor@nokia.com>
parents:
160
diff
changeset
|
2916 |
exportwhatlog += "<member>" + escape(expfilename) + "</member>\n" |
3 | 2917 |
|
2918 |
self.__Raptor.PrintXML("<clean bldinf='" + bldinf_filename + "' mmp='' config=''>\n") |
|
2919 |
self.__Raptor.PrintXML("<zipmarker>" + markerfilename + "</zipmarker>\n") |
|
2920 |
self.__Raptor.PrintXML("</clean>\n") |
|
2921 |
||
2922 |
return exportwhatlog |
|
2923 |
||
2924 |
exportzip = zipfile.ZipFile(source, 'r') |
|
2925 |
files = exportzip.namelist() |
|
2926 |
files.sort() |
|
2927 |
filecount = 0 |
|
2928 |
for file in files: |
|
2929 |
expfilename = str(generic_path.Join(destination, file)) |
|
2930 |
if file.endswith('/'): |
|
2931 |
try: |
|
2932 |
os.makedirs(expfilename) |
|
2933 |
except OSError, e: |
|
2934 |
pass # errors to do with "already exists" are not interesting. |
|
2935 |
else: |
|
2936 |
try: |
|
2937 |
os.makedirs(os.path.split(expfilename)[0]) |
|
2938 |
except OSError, e: |
|
2939 |
pass # errors to do with "already exists" are not interesting. |
|
2940 |
||
2941 |
try: |
|
2942 |
if os.path.exists(expfilename): |
|
2943 |
os.chmod(expfilename,stat.S_IREAD | stat.S_IWRITE) |
|
2944 |
expfile = open(expfilename, 'wb') |
|
2945 |
expfile.write(exportzip.read(file)) |
|
2946 |
expfile.close() |
|
29
ee00c00df073
Catchup to Perforce WIP with timing, python24
timothy.murphy@nokia.com
parents:
14
diff
changeset
|
2947 |
|
ee00c00df073
Catchup to Perforce WIP with timing, python24
timothy.murphy@nokia.com
parents:
14
diff
changeset
|
2948 |
# Resurrect any file execution permissions present in the archived version |
ee00c00df073
Catchup to Perforce WIP with timing, python24
timothy.murphy@nokia.com
parents:
14
diff
changeset
|
2949 |
if (exportzip.getinfo(file).external_attr >> 16L) & 0100: |
ee00c00df073
Catchup to Perforce WIP with timing, python24
timothy.murphy@nokia.com
parents:
14
diff
changeset
|
2950 |
os.chmod(expfilename, stat.S_IMODE(os.stat(expfilename).st_mode) | stat.S_IXUSR | stat.S_IXGRP | stat.S_IXOTH) |
ee00c00df073
Catchup to Perforce WIP with timing, python24
timothy.murphy@nokia.com
parents:
14
diff
changeset
|
2951 |
|
3 | 2952 |
# Each file keeps its modified time the same as what it was before unzipping |
2953 |
accesstime = time.time() |
|
2954 |
datetime = exportzip.getinfo(file).date_time |
|
2955 |
timeTuple=(int(datetime[0]), int(datetime[1]), int(datetime[2]), int(datetime[3]), \ |
|
2956 |
int(datetime[4]), int(datetime[5]), int(0), int(0), int(0)) |
|
2957 |
modifiedtime = time.mktime(timeTuple) |
|
2958 |
os.utime(expfilename,(accesstime, modifiedtime)) |
|
2959 |
||
2960 |
filecount += 1 |
|
212
18372202b584
escape filenames in <member> tags
Richard Taylor <richard.i.taylor@nokia.com>
parents:
160
diff
changeset
|
2961 |
exportwhatlog+="<member>" + escape(expfilename) + "</member>\n" |
3 | 2962 |
except IOError, e: |
2963 |
message = "Could not unzip %s to %s: file %s: %s" %(source, destination, expfilename, str(e)) |
|
2964 |
if not self.__Raptor.keepGoing: |
|
2965 |
raise MetaDataError(message) |
|
2966 |
else: |
|
2967 |
self.__Raptor.Error(message, bldinf=bldinf_filename) |
|
2968 |
||
2969 |
markerfile = open(markerfilename, 'wb+') |
|
2970 |
markerfile.close() |
|
2971 |
self.__Raptor.PrintXML("<clean bldinf='" + bldinf_filename + "' mmp='' config=''>\n") |
|
2972 |
self.__Raptor.PrintXML("<zipmarker>" + markerfilename + "</zipmarker>\n") |
|
2973 |
self.__Raptor.PrintXML("</clean>\n") |
|
2974 |
||
2975 |
except IOError: |
|
2976 |
self.__Raptor.Warn("Problem while unzipping export %s to %s: %s",source,destination,str(e)) |
|
2977 |
||
2978 |
self.__Raptor.Info("Unzipped %d files from %s to %s", filecount, source, destination) |
|
2979 |
return exportwhatlog |
|
2980 |
||
2981 |
def ProcessTEMs(self, componentNode, buildPlatform): |
|
2982 |
"""Add Template Extension Makefile nodes for a given platform |
|
2983 |
to a skeleton bld.inf node. |
|
2984 |
||
2985 |
This happens after exports have been handled. |
|
2986 |
""" |
|
2987 |
if buildPlatform["ISFEATUREVARIANT"]: |
|
2988 |
return # feature variation does not run extensions at all |
|
2989 |
||
2990 |
if buildPlatform["TESTCODE"]: |
|
5 | 2991 |
extensions = componentNode.component.bldinf.getTestExtensions(buildPlatform) |
3 | 2992 |
else: |
5 | 2993 |
extensions = componentNode.component.bldinf.getExtensions(buildPlatform) |
3 | 2994 |
|
2995 |
self.__Raptor.Debug("%i template extension makefiles for %s", |
|
5 | 2996 |
len(extensions), str(componentNode.component.bldinf.filename)) |
3 | 2997 |
|
2998 |
for i,extension in enumerate(extensions): |
|
2999 |
if self.__Raptor.projects: |
|
3000 |
if not extension.nametag in self.__Raptor.projects: |
|
3001 |
self.__Raptor.Debug("Skipping %s", extension.getMakefile()) |
|
3002 |
continue |
|
3003 |
elif extension.nametag in self.projectList: |
|
3004 |
self.projectList.remove(extension.nametag) |
|
3005 |
||
3006 |
extensionSpec = raptor_data.Specification("extension" + str(i)) |
|
3007 |
||
3008 |
interface = buildPlatform["extension"] |
|
3009 |
customInterface = False |
|
3010 |
||
3011 |
# is there an FLM replacement for this extension? |
|
3012 |
if extension.interface: |
|
3013 |
try: |
|
3014 |
interface = self.__Raptor.cache.FindNamedInterface(extension.interface, buildPlatform["CACHEID"]) |
|
3015 |
customInterface = True |
|
3016 |
except KeyError: |
|
3017 |
# no, there isn't an FLM |
|
3018 |
pass |
|
3019 |
||
3020 |
extensionSpec.SetInterface(interface) |
|
3021 |
||
3022 |
var = raptor_data.Variant() |
|
3023 |
var.AddOperation(raptor_data.Set("EPOCBLD", "$(OUTPUTPATH)")) |
|
3024 |
var.AddOperation(raptor_data.Set("PLATFORM", buildPlatform["PLATFORM"])) |
|
3025 |
var.AddOperation(raptor_data.Set("PLATFORM_PATH", buildPlatform["PLATFORM"].lower())) |
|
3026 |
var.AddOperation(raptor_data.Set("CFG", "$(VARIANTTYPE)")) |
|
3027 |
var.AddOperation(raptor_data.Set("CFG_PATH", "$(VARIANTTYPE)")) |
|
3028 |
var.AddOperation(raptor_data.Set("GENERATEDCPP", "$(OUTPUTPATH)")) |
|
3029 |
var.AddOperation(raptor_data.Set("TEMPLATE_EXTENSION_MAKEFILE", extension.getMakefile())) |
|
3030 |
var.AddOperation(raptor_data.Set("TEMCOUNT", str(i))) |
|
3031 |
||
3032 |
# Extension inputs are added to the build spec. |
|
3033 |
# '$'s are escaped so that they are not expanded by Raptor or |
|
3034 |
# by Make in the call to the FLM |
|
3035 |
# The Extension makefiles are supposed to expand them themselves |
|
3036 |
# Path separators need not be parameterised anymore |
|
3037 |
# as bash is the standard shell |
|
3038 |
standardVariables = extension.getStandardVariables() |
|
3039 |
for standardVariable in standardVariables.keys(): |
|
3040 |
self.__Raptor.Debug("Set %s=%s", standardVariable, standardVariables[standardVariable]) |
|
3041 |
value = standardVariables[standardVariable].replace('$(', '$$$$(') |
|
3042 |
value = value.replace('$/', '/').replace('$;', ':') |
|
3043 |
var.AddOperation(raptor_data.Set(standardVariable, value)) |
|
3044 |
||
3045 |
# . . . as with the standard variables but the names and number |
|
3046 |
# of options are not known in advance so we add them to |
|
3047 |
# a "structure" that is self-describing |
|
3048 |
var.AddOperation(raptor_data.Set("O._MEMBERS", "")) |
|
3049 |
options = extension.getOptions() |
|
3050 |
for option in options: |
|
3051 |
self.__Raptor.Debug("Set %s=%s", option, options[option]) |
|
3052 |
value = options[option].replace('$(EPOCROOT)', '$(EPOCROOT)/') |
|
3053 |
value = value.replace('$(', '$$$$(') |
|
3054 |
value = value.replace('$/', '/').replace('$;', ':') |
|
3055 |
value = value.replace('$/', '/').replace('$;', ':') |
|
3056 |
||
3057 |
if customInterface: |
|
3058 |
var.AddOperation(raptor_data.Set(option, value)) |
|
3059 |
else: |
|
3060 |
var.AddOperation(raptor_data.Append("O._MEMBERS", option)) |
|
3061 |
var.AddOperation(raptor_data.Set("O." + option, value)) |
|
3062 |
||
3063 |
extensionSpec.AddVariant(var) |
|
3064 |
componentNode.AddChild(extensionSpec) |
|
3065 |
||
3066 |
||
3067 |
def ProcessMMPs(self, componentNode, buildPlatform): |
|
3068 |
"""Add project nodes for a given platform to a skeleton bld.inf node. |
|
3069 |
||
3070 |
This happens after exports have been handled. |
|
3071 |
""" |
|
3072 |
gnuList = [] |
|
3073 |
makefileList = [] |
|
3074 |
||
5 | 3075 |
|
3076 |
component = componentNode.component |
|
3077 |
||
3078 |
||
3 | 3079 |
if buildPlatform["TESTCODE"]: |
5 | 3080 |
MMPList = component.bldinf.getTestMMPList(buildPlatform) |
3 | 3081 |
else: |
5 | 3082 |
MMPList = component.bldinf.getMMPList(buildPlatform) |
3083 |
||
3084 |
bldInfFile = component.bldinf.filename |
|
3 | 3085 |
|
3086 |
for mmpFileEntry in MMPList['mmpFileList']: |
|
5 | 3087 |
component.AddMMP(mmpFileEntry.filename) # Tell the component another mmp is specified (for this platform) |
3088 |
||
3 | 3089 |
projectname = mmpFileEntry.filename.File().lower() |
3090 |
||
3091 |
if self.__Raptor.projects: |
|
3092 |
if not projectname in self.__Raptor.projects: |
|
3093 |
self.__Raptor.Debug("Skipping %s", str(mmpFileEntry.filename)) |
|
3094 |
continue |
|
3095 |
elif projectname in self.projectList: |
|
3096 |
self.projectList.remove(projectname) |
|
3097 |
||
3098 |
foundmmpfile = (mmpFileEntry.filename).FindCaseless() |
|
3099 |
||
3100 |
if foundmmpfile == None: |
|
3101 |
self.__Raptor.Error("Can't find mmp file '%s'", str(mmpFileEntry.filename), bldinf=str(bldInfFile)) |
|
3102 |
continue |
|
3103 |
||
3104 |
mmpFile = MMPFile(foundmmpfile, |
|
3105 |
self.__gnucpp, |
|
5 | 3106 |
component.bldinf, |
3107 |
component.depfiles, |
|
3 | 3108 |
log = self.__Raptor) |
3109 |
||
3110 |
mmpFilename = mmpFile.filename |
|
3111 |
||
3112 |
self.__Raptor.Info("Processing %s for platform %s", |
|
3113 |
str(mmpFilename), |
|
3114 |
" + ".join([x.name for x in buildPlatform["configs"]])) |
|
3115 |
||
3116 |
# Run the Parser |
|
3117 |
# The backend supplies the actions |
|
3118 |
content = mmpFile.getContent(buildPlatform) |
|
3119 |
backend = MMPRaptorBackend(self.__Raptor, str(mmpFilename), str(bldInfFile)) |
|
3120 |
parser = MMPParser(backend) |
|
3121 |
parseresult = None |
|
3122 |
try: |
|
3123 |
parseresult = parser.mmp.parseString(content) |
|
3124 |
except ParseException,e: |
|
3125 |
self.__Raptor.Debug(e) # basically ignore parse exceptions |
|
3126 |
||
3127 |
if (not parseresult) or (parseresult[0] != 'MMP'): |
|
3128 |
self.__Raptor.Error("The MMP Parser didn't recognise the mmp file '%s'", |
|
3129 |
str(mmpFileEntry.filename), |
|
3130 |
bldinf=str(bldInfFile)) |
|
3131 |
self.__Raptor.Debug(content) |
|
3132 |
self.__Raptor.Debug("The parse result was %s", parseresult) |
|
3133 |
else: |
|
3134 |
backend.finalise(buildPlatform) |
|
3135 |
||
3136 |
# feature variation only processes FEATUREVARIANT binaries |
|
3137 |
if buildPlatform["ISFEATUREVARIANT"] and not backend.featureVariant: |
|
3138 |
continue |
|
3139 |
||
3140 |
# now build the specification tree |
|
5 | 3141 |
mmpSpec = raptor_data.Specification(generic_path.Path(getSpecName(mmpFilename))) |
3 | 3142 |
var = backend.BuildVariant |
3143 |
||
3144 |
var.AddOperation(raptor_data.Set("PROJECT_META", str(mmpFilename))) |
|
3145 |
||
3146 |
# If it is a TESTMMPFILE section, the FLM needs to know about it |
|
3147 |
if buildPlatform["TESTCODE"] and (mmpFileEntry.testoption in |
|
3148 |
["manual", "auto"]): |
|
3149 |
||
3150 |
var.AddOperation(raptor_data.Set("TESTPATH", |
|
3151 |
mmpFileEntry.testoption.lower() + ".bat")) |
|
3152 |
||
3153 |
# The output path for objects, stringtables and bitmaps specified by |
|
3154 |
# this MMP. Adding in the requested target extension prevents build |
|
3155 |
# "fouling" in cases where there are several mmp targets which only differ |
|
3156 |
# by the requested extension. e.g. elocl.01 and elocl.18 |
|
3157 |
var.AddOperation(raptor_data.Append("OUTPUTPATH","$(UNIQUETARGETPATH)",'/')) |
|
3158 |
||
3159 |
# If the bld.inf entry for this MMP had the BUILD_AS_ARM option then |
|
3160 |
# tell the FLM. |
|
3161 |
if mmpFileEntry.armoption: |
|
3162 |
var.AddOperation(raptor_data.Set("ALWAYS_BUILD_AS_ARM","1")) |
|
3163 |
||
3164 |
# what interface builds this node? |
|
3165 |
try: |
|
3166 |
interfaceName = buildPlatform[backend.getTargetType()] |
|
3167 |
mmpSpec.SetInterface(interfaceName) |
|
3168 |
except KeyError: |
|
3169 |
self.__Raptor.Error("Unsupported target type '%s' in %s", |
|
3170 |
backend.getTargetType(), |
|
3171 |
str(mmpFileEntry.filename), |
|
3172 |
bldinf=str(bldInfFile)) |
|
3173 |
continue |
|
3174 |
||
3175 |
# Although not part of the MMP, some MMP-based build specs additionally require knowledge of their |
|
3176 |
# container bld.inf exported headers |
|
5 | 3177 |
for export in componentNode.component.bldinf.getExports(buildPlatform): |
3 | 3178 |
destination = export.getDestination() |
3179 |
if isinstance(destination, list): |
|
3180 |
exportfile = str(destination[0]) |
|
3181 |
else: |
|
3182 |
exportfile = str(destination) |
|
3183 |
||
3184 |
if re.search('\.h',exportfile,re.IGNORECASE): |
|
3185 |
var.AddOperation(raptor_data.Append("EXPORTHEADERS", str(exportfile))) |
|
3186 |
||
3187 |
# now we have something worth adding to the component |
|
3188 |
mmpSpec.AddVariant(var) |
|
3189 |
componentNode.AddChild(mmpSpec) |
|
9 | 3190 |
|
3191 |
# if there are APPLY variants then add them to the mmpSpec too |
|
3192 |
for applyVar in backend.ApplyVariants: |
|
3193 |
try: |
|
3194 |
mmpSpec.AddVariant(self.__Raptor.cache.FindNamedVariant(applyVar)) |
|
3195 |
except KeyError: |
|
3196 |
self.__Raptor.Error("APPLY unknown variant '%s' in %s", |
|
3197 |
applyVar, |
|
3198 |
str(mmpFileEntry.filename), |
|
3199 |
bldinf=str(bldInfFile)) |
|
3 | 3200 |
|
3201 |
# resources, stringtables and bitmaps are sub-nodes of this project |
|
3202 |
# (do not add these for feature variant builds) |
|
3203 |
||
3204 |
if not buildPlatform["ISFEATUREVARIANT"]: |
|
3205 |
# Buildspec for Resource files |
|
3206 |
for i,rvar in enumerate(backend.ResourceVariants): |
|
3207 |
resourceSpec = raptor_data.Specification('resource' + str(i)) |
|
3208 |
resourceSpec.SetInterface(buildPlatform['resource']) |
|
3209 |
resourceSpec.AddVariant(rvar) |
|
3210 |
mmpSpec.AddChild(resourceSpec) |
|
3211 |
||
3212 |
# Buildspec for String Tables |
|
3213 |
for i,stvar in enumerate(backend.StringTableVariants): |
|
3214 |
stringTableSpec = raptor_data.Specification('stringtable' + str(i)) |
|
3215 |
stringTableSpec.SetInterface(buildPlatform['stringtable']) |
|
3216 |
stringTableSpec.AddVariant(stvar) |
|
3217 |
mmpSpec.AddChild(stringTableSpec) |
|
3218 |
||
3219 |
# Buildspec for Bitmaps |
|
3220 |
for i,bvar in enumerate(backend.BitmapVariants): |
|
3221 |
bitmapSpec = raptor_data.Specification('bitmap' + str(i)) |
|
3222 |
bitmapSpec.SetInterface(buildPlatform['bitmap']) |
|
3223 |
bitmapSpec.AddVariant(bvar) |
|
3224 |
mmpSpec.AddChild(bitmapSpec) |
|
3225 |
||
3226 |
# feature variation does not run extensions at all |
|
3227 |
# so return without considering .*MAKEFILE sections |
|
3228 |
if buildPlatform["ISFEATUREVARIANT"]: |
|
3229 |
return |
|
3230 |
||
3231 |
# Build spec for gnumakefile |
|
3232 |
for g in MMPList['gnuList']: |
|
3233 |
projectname = g.getMakefileName().lower() |
|
3234 |
||
3235 |
if self.__Raptor.projects: |
|
3236 |
if not projectname in self.__Raptor.projects: |
|
3237 |
self.__Raptor.Debug("Skipping %s", str(g.getMakefileName())) |
|
3238 |
continue |
|
3239 |
elif projectname in self.projectList: |
|
3240 |
self.projectList.remove(projectname) |
|
3241 |
||
3242 |
self.__Raptor.Debug("%i gnumakefile extension makefiles for %s", |
|
5 | 3243 |
len(gnuList), str(componentNode.component.bldinf.filename)) |
3 | 3244 |
var = raptor_data.Variant() |
3245 |
gnuSpec = raptor_data.Specification("gnumakefile " + str(g.getMakefileName())) |
|
3246 |
interface = buildPlatform["ext_makefile"] |
|
3247 |
gnuSpec.SetInterface(interface) |
|
3248 |
gnumakefilePath = raptor_utilities.resolveSymbianPath(str(bldInfFile), g.getMakefileName()) |
|
3249 |
var.AddOperation(raptor_data.Set("EPOCBLD", "$(OUTPUTPATH)")) |
|
3250 |
var.AddOperation(raptor_data.Set("PLATFORM", buildPlatform["PLATFORM"])) |
|
3251 |
var.AddOperation(raptor_data.Set("EXTMAKEFILENAME", g.getMakefileName())) |
|
3252 |
var.AddOperation(raptor_data.Set("DIRECTORY",g.getMakeDirectory())) |
|
3253 |
var.AddOperation(raptor_data.Set("CFG","$(VARIANTTYPE)")) |
|
3254 |
standardVariables = g.getStandardVariables() |
|
3255 |
for standardVariable in standardVariables.keys(): |
|
3256 |
self.__Raptor.Debug("Set %s=%s", standardVariable, standardVariables[standardVariable]) |
|
3257 |
value = standardVariables[standardVariable].replace('$(', '$$$$(') |
|
3258 |
value = value.replace('$/', '/').replace('$;', ':') |
|
3259 |
var.AddOperation(raptor_data.Set(standardVariable, value)) |
|
3260 |
gnuSpec.AddVariant(var) |
|
3261 |
componentNode.AddChild(gnuSpec) |
|
3262 |
||
3263 |
# Build spec for makefile |
|
3264 |
for m in MMPList['makefileList']: |
|
3265 |
projectname = m.getMakefileName().lower() |
|
3266 |
||
3267 |
if self.__Raptor.projects: |
|
3268 |
if not projectname in self.__Raptor.projects: |
|
3269 |
self.__Raptor.Debug("Skipping %s", str(m.getMakefileName())) |
|
3270 |
continue |
|
3271 |
elif projectname in self.projectList: |
|
3272 |
projectList.remove(projectname) |
|
3273 |
||
3274 |
self.__Raptor.Debug("%i makefile extension makefiles for %s", |
|
5 | 3275 |
len(makefileList), str(componentNode.component.bldinf.filename)) |
3 | 3276 |
var = raptor_data.Variant() |
3277 |
gnuSpec = raptor_data.Specification("makefile " + str(m.getMakefileName())) |
|
3278 |
interface = buildPlatform["ext_makefile"] |
|
3279 |
gnuSpec.SetInterface(interface) |
|
3280 |
gnumakefilePath = raptor_utilities.resolveSymbianPath(str(bldInfFile), m.getMakefileName()) |
|
3281 |
var.AddOperation(raptor_data.Set("EPOCBLD", "$(OUTPUTPATH)")) |
|
3282 |
var.AddOperation(raptor_data.Set("PLATFORM", buildPlatform["PLATFORM"])) |
|
3283 |
var.AddOperation(raptor_data.Set("EXTMAKEFILENAME", m.getMakefileName())) |
|
3284 |
var.AddOperation(raptor_data.Set("DIRECTORY",m.getMakeDirectory())) |
|
3285 |
var.AddOperation(raptor_data.Set("CFG","$(VARIANTTYPE)")) |
|
3286 |
var.AddOperation(raptor_data.Set("USENMAKE","1")) |
|
3287 |
standardVariables = m.getStandardVariables() |
|
3288 |
for standardVariable in standardVariables.keys(): |
|
3289 |
self.__Raptor.Debug("Set %s=%s", standardVariable, standardVariables[standardVariable]) |
|
3290 |
value = standardVariables[standardVariable].replace('$(', '$$$$(') |
|
3291 |
value = value.replace('$/', '/').replace('$;', ':') |
|
3292 |
var.AddOperation(raptor_data.Set(standardVariable, value)) |
|
3293 |
gnuSpec.AddVariant(var) |
|
3294 |
componentNode.AddChild(gnuSpec) |
|
3295 |
||
3296 |
||
3297 |
def ApplyOSVariant(self, aBuildUnit, aEpocroot): |
|
3298 |
# Form path to kif.xml and path to buildinfo.txt |
|
3299 |
kifXmlPath = generic_path.Join(aEpocroot, "epoc32", "data","kif.xml") |
|
3300 |
buildInfoTxtPath = generic_path.Join(aEpocroot, "epoc32", "data","buildinfo.txt") |
|
3301 |
||
3302 |
# Start with osVersion being None. This variable is a string and does two things: |
|
3303 |
# 1) is a representation of the OS version |
|
3304 |
# 2) is potentially the name of a variant |
|
3305 |
osVersion = None |
|
3306 |
if kifXmlPath.isFile(): # kif.xml exists so try to read it |
|
3307 |
osVersion = getOsVerFromKifXml(str(kifXmlPath)) |
|
3308 |
if osVersion != None: |
|
3309 |
self.__Raptor.Info("OS version \"%s\" determined from file \"%s\"" % (osVersion, kifXmlPath)) |
|
3310 |
||
3311 |
# OS version was not determined from the kif.xml, e.g. because it doesn't exist |
|
3312 |
# or there was a problem parsing it. So, we fall over to using the buildinfo.txt |
|
3313 |
if osVersion == None and buildInfoTxtPath.isFile(): |
|
3314 |
osVersion = getOsVerFromBuildInfoTxt(str(buildInfoTxtPath)) |
|
3315 |
if osVersion != None: |
|
3316 |
self.__Raptor.Info("OS version \"%s\" determined from file \"%s\"" % (osVersion, buildInfoTxtPath)) |
|
3317 |
||
3318 |
# If we determined a non-empty string for the OS Version, attempt to apply it |
|
3319 |
if osVersion and osVersion in self.__Raptor.cache.variants: |
|
3320 |
self.__Raptor.Info("applying the OS variant to the configuration \"%s\"." % aBuildUnit.name) |
|
3321 |
aBuildUnit.variants.append(self.__Raptor.cache.variants[osVersion]) |
|
3322 |
else: |
|
3323 |
self.__Raptor.Info("no OS variant for the configuration \"%s\"." % aBuildUnit.name) |
|
3324 |