3
|
1 |
#
|
|
2 |
# Copyright (c) 2007-2009 Nokia Corporation and/or its subsidiary(-ies).
|
|
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
|
|
34 |
from mmpparser import *
|
|
35 |
|
|
36 |
import time
|
|
37 |
|
|
38 |
|
|
39 |
PiggyBackedBuildPlatforms = {'ARMV5':['GCCXML']}
|
|
40 |
|
|
41 |
PlatformDefaultDefFileDir = {'WINSCW':'bwins',
|
|
42 |
'ARMV5' :'eabi',
|
|
43 |
'ARMV5SMP' :'eabi',
|
|
44 |
'GCCXML':'eabi',
|
|
45 |
'ARMV6':'eabi',
|
|
46 |
'ARMV7' : 'eabi',
|
|
47 |
'ARMV7SMP' : 'eabi'}
|
|
48 |
|
|
49 |
def getVariantCfgDetail(aEPOCROOT, aVariantCfgFile):
|
|
50 |
"""Obtain pertinent build related detail from the Symbian variant.cfg file.
|
|
51 |
|
|
52 |
This variant.cfg file, usually located relative to $(EPOCROOT), contains:
|
|
53 |
(1) The $(EPOCROOT) relative location of the primary .hrh file used to configure the specific OS variant build
|
|
54 |
(2) A flag determining whether ARMV5 represents an ABIV1 or ABIV2 build (currently unused by Raptor)."""
|
|
55 |
|
|
56 |
variantCfgDetails = {}
|
|
57 |
variantCfgFile = None
|
|
58 |
|
|
59 |
try:
|
|
60 |
variantCfgFile = open(str(aVariantCfgFile))
|
|
61 |
except IOError, (number, message):
|
|
62 |
raise MetaDataError("Could not read variant configuration file "+str(aVariantCfgFile)+" ("+message+")")
|
|
63 |
|
|
64 |
for line in variantCfgFile.readlines():
|
|
65 |
if re.search('^(\s$|\s*#)', line):
|
|
66 |
continue
|
|
67 |
# Note that this detection of the .hrh file matches the command line build i.e. ".hrh" somewhere
|
|
68 |
# in the specified line
|
|
69 |
elif re.search('\.hrh', line, re.I):
|
|
70 |
variantHrh = line.strip()
|
|
71 |
if variantHrh.startswith('\\') or variantHrh.startswith('/'):
|
|
72 |
variantHrh = variantHrh[1:]
|
|
73 |
variantHrh = aEPOCROOT.Append(variantHrh)
|
|
74 |
variantCfgDetails['VARIANT_HRH'] = variantHrh
|
|
75 |
else:
|
|
76 |
lineContent = line.split()
|
|
77 |
|
|
78 |
if len(lineContent) == 1:
|
|
79 |
variantCfgDetails[lineContent.pop(0)] = 1
|
|
80 |
else:
|
|
81 |
variantCfgDetails[lineContent.pop(0)] = lineContent
|
|
82 |
|
|
83 |
variantCfgFile.close()
|
|
84 |
|
|
85 |
if not variantCfgDetails.has_key('VARIANT_HRH'):
|
|
86 |
raise MetaDataError("No variant file specified in "+str(aVariantCfgFile))
|
|
87 |
if not variantHrh.isFile():
|
|
88 |
raise MetaDataError("Variant file "+str(variantHrh)+" does not exist")
|
|
89 |
|
|
90 |
return variantCfgDetails
|
|
91 |
|
|
92 |
def getOsVerFromKifXml(aPathToKifXml):
|
|
93 |
"""Obtain the OS version from the kif.xml file located at $EPOCROOT/epoc32/data/kif.xml.
|
|
94 |
|
|
95 |
If successful, the function returns a string such as "v95" to indicate 9.5; None is
|
|
96 |
returned if for any reason the function cannot determine the OS version."""
|
|
97 |
|
|
98 |
releaseTagName = "ki:release"
|
|
99 |
osVersion = None
|
|
100 |
|
|
101 |
import xml.dom.minidom
|
|
102 |
|
|
103 |
try:
|
|
104 |
# Parsed document object
|
|
105 |
kifDom = xml.dom.minidom.parse(str(aPathToKifXml))
|
|
106 |
|
|
107 |
# elements - the elements whose names are releaseTagName
|
|
108 |
elements = kifDom.getElementsByTagName(releaseTagName)
|
|
109 |
|
|
110 |
# There should be exactly one of the elements whose name is releaseTagName
|
|
111 |
# If more than one, osVersion is left as None, since the version should be
|
|
112 |
# unique to the kif.xml file
|
|
113 |
if len(elements) == 1:
|
|
114 |
osVersionTemp = elements[0].getAttribute("version")
|
|
115 |
osVersion = "v" + osVersionTemp.replace(".", "")
|
|
116 |
|
|
117 |
kifDom.unlink() # Clean up
|
|
118 |
|
|
119 |
except:
|
|
120 |
# There's no documentation on which exceptions are raised by these functions.
|
|
121 |
# We catch everything and assume any exception means there was a failure to
|
|
122 |
# determine OS version. None is returned, and the code will fall back
|
|
123 |
# to looking at the buildinfo.txt file.
|
|
124 |
pass
|
|
125 |
|
|
126 |
return osVersion
|
|
127 |
|
|
128 |
def getOsVerFromBuildInfoTxt(aPathToBuildInfoTxt):
|
|
129 |
"""Obtain the OS version from the buildinfo.txt file located at $EPOCROOT/epoc32/data/buildinfo.txt.
|
|
130 |
|
|
131 |
If successful, the function returns a string such as "v95" to indicate 9.5; None is
|
|
132 |
returned if for any reason the function cannot determine the OS version.
|
|
133 |
|
|
134 |
The file $EPOCROOT/epoc32/data/buildinfo.txt is presumed to exist. The client code should
|
|
135 |
handle existance/non-existance."""
|
|
136 |
|
|
137 |
pathToBuildInfoTxt = str(aPathToBuildInfoTxt) # String form version of path to buildinfo.txt
|
|
138 |
|
|
139 |
# Open the file for reading; throw an exception if it could not be read - note that
|
|
140 |
# it should exist at this point.
|
|
141 |
try:
|
|
142 |
buildInfoTxt = open(pathToBuildInfoTxt)
|
|
143 |
except IOError, (number, message):
|
|
144 |
raise MetaDataError("Could not read buildinfo.txt file at" + pathToBuildInfoTxt + ": (" + message + ")")
|
|
145 |
|
|
146 |
# Example buildinfo.txt contents:
|
|
147 |
#
|
|
148 |
# DeviceFamily 100
|
|
149 |
# DeviceFamilyRev 0x900
|
|
150 |
# ManufacturerSoftwareBuild M08765_Symbian_OS_v9.5
|
|
151 |
#
|
|
152 |
# Regexp to match the line containing the OS version
|
|
153 |
# Need to match things like M08765_Symbian_OS_v9.5 and M08765_Symbian_OS_vFuture
|
|
154 |
# So for the version, match everything except whitespace after v. Whitespace
|
|
155 |
# signifies the end of the regexp.
|
|
156 |
osVersionMatcher = re.compile('.*_Symbian_OS_v([^\s]*)', re.I)
|
|
157 |
osVersion = None
|
|
158 |
|
|
159 |
# Search for a regexp match over all the times in the file
|
|
160 |
# Note: if two or more lines match the search pattern then
|
|
161 |
# the latest match will overwrite the osVersion string.
|
|
162 |
for line in buildInfoTxt:
|
|
163 |
matchResult = osVersionMatcher.match(line)
|
|
164 |
if matchResult:
|
|
165 |
result = matchResult.groups()
|
|
166 |
osVersion = "v" + str(reduce(lambda x, y: x + y, result))
|
|
167 |
osVersion = osVersion.replace(".", "")
|
|
168 |
|
|
169 |
buildInfoTxt.close() # Clean-up
|
|
170 |
|
|
171 |
return osVersion
|
|
172 |
|
|
173 |
def getBuildableBldInfBuildPlatforms(aBldInfBuildPlatforms,
|
|
174 |
aDefaultOSBuildPlatforms,
|
|
175 |
aBaseDefaultOSBuildPlatforms,
|
|
176 |
aBaseUserDefaultOSBuildPlatforms):
|
|
177 |
"""Obtain a set of build platform names supported by a bld.inf file
|
|
178 |
|
|
179 |
Build platform deduction is based on both the contents of the PRJ_PLATFORMS section of
|
|
180 |
a bld.inf file together with a hard-coded set of default build platforms supported by
|
|
181 |
the build system itself."""
|
|
182 |
|
|
183 |
expandedBldInfBuildPlatforms = []
|
|
184 |
removePlatforms = set()
|
|
185 |
|
|
186 |
for bldInfBuildPlatform in aBldInfBuildPlatforms:
|
|
187 |
if bldInfBuildPlatform.upper() == "DEFAULT":
|
|
188 |
expandedBldInfBuildPlatforms.extend(aDefaultOSBuildPlatforms.split())
|
|
189 |
elif bldInfBuildPlatform.upper() == "BASEDEFAULT":
|
|
190 |
expandedBldInfBuildPlatforms.extend(aBaseDefaultOSBuildPlatforms.split())
|
|
191 |
elif bldInfBuildPlatform.upper() == "BASEUSERDEFAULT":
|
|
192 |
expandedBldInfBuildPlatforms.extend(aBaseUserDefaultOSBuildPlatforms.split())
|
|
193 |
elif bldInfBuildPlatform.startswith("-"):
|
|
194 |
removePlatforms.add(bldInfBuildPlatform.lstrip("-").upper())
|
|
195 |
else:
|
|
196 |
expandedBldInfBuildPlatforms.append(bldInfBuildPlatform.upper())
|
|
197 |
|
|
198 |
if len(expandedBldInfBuildPlatforms) == 0:
|
|
199 |
expandedBldInfBuildPlatforms.extend(aDefaultOSBuildPlatforms.split())
|
|
200 |
|
|
201 |
# make a set of platforms that can be built
|
|
202 |
buildableBldInfBuildPlatforms = set(expandedBldInfBuildPlatforms)
|
|
203 |
|
|
204 |
# Add platforms that are buildable by virtue of the presence of another
|
|
205 |
for piggyBackedPlatform in PiggyBackedBuildPlatforms:
|
|
206 |
if piggyBackedPlatform in buildableBldInfBuildPlatforms:
|
|
207 |
buildableBldInfBuildPlatforms.update(PiggyBackedBuildPlatforms.get(piggyBackedPlatform))
|
|
208 |
|
|
209 |
# Remove platforms that were negated
|
|
210 |
buildableBldInfBuildPlatforms -= removePlatforms
|
|
211 |
|
|
212 |
return buildableBldInfBuildPlatforms
|
|
213 |
|
|
214 |
|
|
215 |
def getPreProcessorCommentDetail (aPreProcessorComment):
|
|
216 |
"""Takes a preprocessor comment and returns an array containing the filename and linenumber detail."""
|
|
217 |
|
|
218 |
commentDetail = []
|
|
219 |
commentMatch = re.search('# (?P<LINENUMBER>\d+) "(?P<FILENAME>.*)"', aPreProcessorComment)
|
|
220 |
|
|
221 |
if commentMatch:
|
|
222 |
filename = commentMatch.group('FILENAME')
|
|
223 |
filename = os.path.abspath(filename)
|
|
224 |
filename = re.sub(r'\\\\', r'\\', filename)
|
|
225 |
filename = re.sub(r'//', r'/', filename)
|
|
226 |
filename = generic_path.Path(filename)
|
|
227 |
linenumber = int (commentMatch.group('LINENUMBER'))
|
|
228 |
|
|
229 |
commentDetail.append(filename)
|
|
230 |
commentDetail.append(linenumber)
|
|
231 |
|
|
232 |
return commentDetail
|
|
233 |
|
|
234 |
|
5
|
235 |
def getSpecName(aFileRoot, fullPath=False):
|
|
236 |
"""Returns a build spec name: this is the file root (full path
|
|
237 |
or simple file name) made safe for use as a file name."""
|
|
238 |
|
|
239 |
if fullPath:
|
|
240 |
specName = str(aFileRoot).replace("/","_")
|
|
241 |
specName = specName.replace(":","")
|
|
242 |
else:
|
|
243 |
specName = aFileRoot.File()
|
|
244 |
|
|
245 |
return specName.lower()
|
|
246 |
|
|
247 |
|
3
|
248 |
# Classes
|
|
249 |
|
|
250 |
class MetaDataError(Exception):
|
|
251 |
"""Fatal error wrapper, to be thrown directly back to whatever is calling."""
|
|
252 |
|
|
253 |
def __init__(self, aText):
|
|
254 |
self.Text = aText
|
|
255 |
def __str__(self):
|
|
256 |
return repr(self.Text)
|
|
257 |
|
|
258 |
|
|
259 |
class PreProcessedLine(str):
|
|
260 |
"""Custom string class that accepts filename and line number information from
|
|
261 |
a preprocessed context."""
|
|
262 |
|
|
263 |
def __new__(cls, value, *args, **keywargs):
|
|
264 |
return str.__new__(cls, value)
|
|
265 |
|
|
266 |
def __init__(self, value, aFilename, aLineNumber):
|
|
267 |
self.filename = aFilename
|
|
268 |
self.lineNumber = aLineNumber
|
|
269 |
|
|
270 |
def getFilename (self):
|
|
271 |
return self.filename
|
|
272 |
|
|
273 |
def getLineNumber (self):
|
|
274 |
return self.lineNumber
|
|
275 |
|
|
276 |
class PreProcessor(raptor_utilities.ExternalTool):
|
|
277 |
"""Preprocessor wrapper suitable for Symbian metadata file processing."""
|
|
278 |
|
|
279 |
def __init__(self, aPreProcessor,
|
|
280 |
aStaticOptions,
|
|
281 |
aIncludeOption,
|
|
282 |
aMacroOption,
|
|
283 |
aPreIncludeOption,
|
|
284 |
aRaptor):
|
|
285 |
raptor_utilities.ExternalTool.__init__(self, aPreProcessor)
|
|
286 |
self.__StaticOptions = aStaticOptions
|
|
287 |
self.__IncludeOption = aIncludeOption
|
|
288 |
self.__MacroOption = aMacroOption
|
|
289 |
self.__PreIncludeOption = aPreIncludeOption
|
|
290 |
|
|
291 |
self.filename = ""
|
|
292 |
self.__Macros = []
|
|
293 |
self.__IncludePaths = []
|
|
294 |
self.__PreIncludeFile = ""
|
|
295 |
self.raptor = aRaptor
|
|
296 |
|
|
297 |
def call(self, aArgs, sourcefilename):
|
|
298 |
""" Override call so that we can do our own error handling."""
|
|
299 |
tool = self._ExternalTool__Tool
|
|
300 |
try:
|
|
301 |
commandline = tool + " " + aArgs + " " + str(sourcefilename)
|
|
302 |
|
|
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:
|
|
348 |
raise MetaDataError("Preprocessor exception: %s" % str(e))
|
|
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]:
|
|
1455 |
self.__debug("Setting "+toks[0]+": " + cap)
|
5
|
1456 |
self.capabilities.append(cap)
|
3
|
1457 |
elif varname=='DEFFILE':
|
|
1458 |
self.__defFileRoot = self.__currentMmpFile
|
|
1459 |
self.deffile = toks[1]
|
|
1460 |
elif varname=='LINKAS':
|
|
1461 |
self.__debug("Set "+toks[0]+" OPTION to " + str(toks[1]))
|
|
1462 |
self.__LINKAS = toks[1]
|
|
1463 |
self.BuildVariant.AddOperation(raptor_data.Set(varname, toks[1]))
|
|
1464 |
elif varname=='SECUREID' or varname=='VENDORID':
|
|
1465 |
hexoutput = MMPRaptorBackend.canonicalUID(toks[1])
|
|
1466 |
self.__debug("Set "+toks[0]+" OPTION to " + hexoutput)
|
|
1467 |
self.BuildVariant.AddOperation(raptor_data.Set(varname, hexoutput))
|
|
1468 |
elif varname=='VERSION':
|
|
1469 |
if toks[-1] == "EXPLICIT":
|
|
1470 |
self.__explicitversion = True
|
|
1471 |
self.BuildVariant.AddOperation(raptor_data.Set("EXPLICITVERSION", "1"))
|
|
1472 |
|
|
1473 |
vm = re.match(r'^(\d+)(\.(\d+))?$', toks[1])
|
|
1474 |
if vm is not None:
|
|
1475 |
version = vm.groups()
|
|
1476 |
# the major version number
|
|
1477 |
major = int(version[0],10)
|
|
1478 |
|
|
1479 |
# add in the minor number
|
|
1480 |
minor = 0
|
|
1481 |
if version[1] is not None:
|
|
1482 |
minor = int(version[2],10)
|
|
1483 |
else:
|
|
1484 |
self.__Raptor.Warn("VERSION (%s) missing '.minor' in %s, using '.0'" % (toks[1],self.__currentMmpFile))
|
|
1485 |
|
|
1486 |
self.__versionhex = "%04x%04x" % (major, minor)
|
|
1487 |
self.BuildVariant.AddOperation(raptor_data.Set(varname, "%d.%d" %(major, minor)))
|
|
1488 |
self.BuildVariant.AddOperation(raptor_data.Set(varname+"HEX", self.__versionhex))
|
|
1489 |
self.__debug("Set "+toks[0]+" OPTION to " + toks[1])
|
|
1490 |
self.__debug("Set "+toks[0]+"HEX OPTION to " + "%04x%04x" % (major,minor))
|
|
1491 |
|
|
1492 |
else:
|
|
1493 |
self.__Raptor.Warn("Invalid version supplied to VERSION (%s), using default value" % toks[1])
|
|
1494 |
|
|
1495 |
elif varname=='EPOCHEAPSIZE':
|
|
1496 |
# Standardise on sending hex numbers to the FLMS.
|
|
1497 |
|
|
1498 |
if toks[1].lower().startswith('0x'):
|
|
1499 |
min = long(toks[1],16)
|
|
1500 |
else:
|
|
1501 |
min = long(toks[1],10)
|
|
1502 |
|
|
1503 |
if toks[2].lower().startswith('0x'):
|
|
1504 |
max = long(toks[2],16)
|
|
1505 |
else:
|
|
1506 |
max = long(toks[2],10)
|
|
1507 |
|
|
1508 |
self.BuildVariant.AddOperation(raptor_data.Set(varname+"MIN", "%x" % min))
|
|
1509 |
self.__debug("Set "+varname+"MIN OPTION to '%x' (hex)" % min )
|
|
1510 |
self.BuildVariant.AddOperation(raptor_data.Set(varname+"MAX", "%x" % max))
|
|
1511 |
self.__debug("Set "+varname+"MAX OPTION to '%x' (hex)" % max )
|
|
1512 |
|
|
1513 |
# Some toolchains require decimal versions of the min/max values, converted to KB and
|
|
1514 |
# rounded up to the next 1KB boundary
|
|
1515 |
min_dec_kb = (int(min) + 1023) / 1024
|
|
1516 |
max_dec_kb = (int(max) + 1023) / 1024
|
|
1517 |
self.BuildVariant.AddOperation(raptor_data.Set(varname+"MIN_DEC_KB", "%d" % min_dec_kb))
|
|
1518 |
self.__debug("Set "+varname+"MIN OPTION KB to '%d' (dec)" % min_dec_kb )
|
|
1519 |
self.BuildVariant.AddOperation(raptor_data.Set(varname+"MAX_DEC_KB", "%d" % max_dec_kb))
|
|
1520 |
self.__debug("Set "+varname+"MAX OPTION KB to '%d' (dec)" % max_dec_kb )
|
|
1521 |
|
|
1522 |
elif varname=='EPOCSTACKSIZE':
|
|
1523 |
if toks[1].lower().startswith('0x'):
|
|
1524 |
stack = long(toks[1],16)
|
|
1525 |
else:
|
|
1526 |
stack = long(toks[1],10)
|
|
1527 |
self.BuildVariant.AddOperation(raptor_data.Set(varname, "%x" % stack))
|
|
1528 |
self.__debug("Set "+varname+" OPTION to '%x' (hex)" % stack )
|
|
1529 |
elif varname=='EPOCPROCESSPRIORITY':
|
|
1530 |
# low, background, foreground, high, windowserver, fileserver, realtimeserver or supervisor
|
|
1531 |
# These are case insensitive in metadata entries, but must be mapped to a static case pattern for use
|
|
1532 |
prio = toks[1].lower()
|
|
1533 |
|
|
1534 |
# NOTE: Original validation here didn't actually work. This has been corrected to provide an error, but probably needs re-examination.
|
|
1535 |
if not MMPRaptorBackend.epoc32priorities.has_key(prio):
|
|
1536 |
self.__Raptor.Error("Priority setting '%s' is not a valid priority - should be one of %s.", prio, MMPRaptorBackend.epoc32priorities.values())
|
|
1537 |
else:
|
|
1538 |
self.__debug("Set "+toks[0]+" to " + MMPRaptorBackend.epoc32priorities[prio])
|
|
1539 |
self.BuildVariant.AddOperation(raptor_data.Set(varname,MMPRaptorBackend.epoc32priorities[prio]))
|
|
1540 |
elif varname=='ROMTARGET' or varname=='RAMTARGET':
|
|
1541 |
if len(toks) == 1:
|
|
1542 |
self.__debug("Set "+toks[0]+" to <none>" )
|
|
1543 |
self.BuildVariant.AddOperation(raptor_data.Set(varname,"<none>"))
|
|
1544 |
else:
|
|
1545 |
toks1 = str(toks[1]).replace("\\","/")
|
|
1546 |
if toks1.find(","):
|
|
1547 |
toks1 = re.sub("[,'\[\]]", "", toks1).replace("//","/")
|
|
1548 |
self.__debug("Set "+toks[0]+" to " + toks1)
|
|
1549 |
self.BuildVariant.AddOperation(raptor_data.Set(varname,toks1))
|
9
|
1550 |
elif varname=='APPLY':
|
|
1551 |
self.ApplyVariants.append(toks[1])
|
3
|
1552 |
else:
|
|
1553 |
self.__debug("Set "+toks[0]+" to " + str(toks[1]))
|
|
1554 |
self.BuildVariant.AddOperation(raptor_data.Set(varname,"".join(toks[1])))
|
|
1555 |
|
|
1556 |
if varname=='LINKAS':
|
|
1557 |
self.__LINKAS = toks[1]
|
|
1558 |
|
|
1559 |
return "OK"
|
|
1560 |
|
|
1561 |
def doAppend(self,s,loc,toks):
|
|
1562 |
self.__currentLineNumber += 1
|
|
1563 |
"""MMP command
|
|
1564 |
"""
|
|
1565 |
name=toks[0].upper()
|
|
1566 |
if len(toks) == 1:
|
|
1567 |
# list can be empty e.g. MACRO _FRED_ when fred it defined in the HRH
|
|
1568 |
# causes us to see just "MACRO" in the input - it is valid to ignore this
|
|
1569 |
self.__debug("Empty append list for " + name)
|
|
1570 |
return "OK"
|
|
1571 |
self.__debug("Append to "+name+" the values: " +str(toks[1]))
|
|
1572 |
|
|
1573 |
if name=='MACRO':
|
|
1574 |
name='MMPDEFS'
|
|
1575 |
elif name=='LANG':
|
|
1576 |
# don't break the environment variable
|
|
1577 |
name='LANGUAGES'
|
|
1578 |
|
|
1579 |
for item in toks[1]:
|
|
1580 |
if name=='MMPDEFS':
|
|
1581 |
# Unquote any macros since the FLM does it anyhow
|
|
1582 |
if item.startswith('"') and item.endswith('"') \
|
|
1583 |
or item.startswith("'") and item.endswith("'"):
|
|
1584 |
item = item.strip("'\"")
|
|
1585 |
if name=='LIBRARY' or name=='DEBUGLIBRARY':
|
|
1586 |
im = MMPRaptorBackend.library_re.match(item)
|
|
1587 |
if not im:
|
|
1588 |
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)
|
|
1589 |
d = im.groupdict()
|
|
1590 |
|
|
1591 |
item = d['name']
|
|
1592 |
if d['version'] is not None:
|
|
1593 |
item += "{%04x%04x}" % (int(d['major']), int(d['minor']))
|
|
1594 |
item += ".dso"
|
|
1595 |
elif name=='STATICLIBRARY':
|
|
1596 |
# the FLM will decide on the ending appropriate to the platform
|
|
1597 |
item = re.sub(r"^(.*)\.[Ll][Ii][Bb]$",r"\1", item)
|
|
1598 |
elif name=="LANGUAGES":
|
|
1599 |
item = item.lower()
|
|
1600 |
elif (name=="WIN32_LIBRARY" and (item.startswith(".") or re.search(r'[\\|/]',item))) \
|
|
1601 |
or (name=="WIN32_RESOURCE"):
|
|
1602 |
# Relatively pathed win32 libraries, and all win32 resources, are resolved in relation
|
|
1603 |
# to the wrapper bld.inf file in which their .mmp file is specified. This equates to
|
|
1604 |
# the current working directory in ABLD operation.
|
|
1605 |
item = raptor_utilities.resolveSymbianPath(self.__bldInfFilename, item)
|
|
1606 |
|
|
1607 |
self.BuildVariant.AddOperation(raptor_data.Append(name,item," "))
|
|
1608 |
|
|
1609 |
# maintain a debug library list, the same as LIBRARY but with DEBUGLIBRARY values
|
|
1610 |
# appended as they are encountered
|
|
1611 |
if name=='LIBRARY' or name=='DEBUGLIBRARY':
|
|
1612 |
self.BuildVariant.AddOperation(raptor_data.Append("LIBRARY_DEBUG",item," "))
|
|
1613 |
|
|
1614 |
return "OK"
|
|
1615 |
|
|
1616 |
def canonicalUID(number):
|
|
1617 |
""" convert a UID string into an 8 digit hexadecimal string without leading 0x """
|
|
1618 |
if number.lower().startswith("0x"):
|
|
1619 |
n = int(number,16)
|
|
1620 |
else:
|
|
1621 |
n = int(number,10)
|
|
1622 |
|
|
1623 |
return "%08x" % n
|
|
1624 |
|
|
1625 |
canonicalUID = staticmethod(canonicalUID)
|
|
1626 |
|
|
1627 |
def doUIDAssignment(self,s,loc,toks):
|
|
1628 |
"""A single UID command results in a number of spec variables"""
|
|
1629 |
self.__currentLineNumber += 1
|
|
1630 |
|
|
1631 |
hexoutput = MMPRaptorBackend.canonicalUID(toks[1][0])
|
|
1632 |
self.__debug( "Set UID2 to %s" % hexoutput )
|
|
1633 |
self.BuildVariant.AddOperation(raptor_data.Set("UID2", hexoutput))
|
|
1634 |
|
|
1635 |
if len(toks[1]) > 1:
|
|
1636 |
hexoutput = MMPRaptorBackend.canonicalUID(toks[1][1])
|
|
1637 |
self.__debug( "Set UID3 to %s" % hexoutput)
|
|
1638 |
self.BuildVariant.AddOperation(raptor_data.Set("UID3", hexoutput))
|
|
1639 |
|
|
1640 |
self.__debug( "done set UID")
|
|
1641 |
return "OK"
|
|
1642 |
|
|
1643 |
def doSourcePathAssignment(self,s,loc,toks):
|
|
1644 |
self.__currentLineNumber += 1
|
|
1645 |
self.__sourcepath = raptor_utilities.resolveSymbianPath(self.__currentMmpFile, toks[1])
|
|
1646 |
self.__debug( "Remembering self.sourcepath state: "+str(toks[0])+" is now " + self.__sourcepath)
|
|
1647 |
self.__debug("selfcurrentMmpFile: " + self.__currentMmpFile)
|
|
1648 |
return "OK"
|
|
1649 |
|
|
1650 |
|
|
1651 |
def doSourceAssignment(self,s,loc,toks):
|
|
1652 |
self.__currentLineNumber += 1
|
|
1653 |
self.__debug( "Setting "+toks[0]+" to " + str(toks[1]))
|
|
1654 |
for file in toks[1]:
|
|
1655 |
# file is always relative to sourcepath but some MMP files
|
|
1656 |
# have items that begin with a slash...
|
|
1657 |
file = file.lstrip("/")
|
|
1658 |
source = generic_path.Join(self.__sourcepath, file)
|
|
1659 |
|
|
1660 |
# If the SOURCEPATH itself begins with a '/', then dont look up the caseless version, since
|
|
1661 |
# we don't know at this time what $(EPOCROOT) will evaluate to.
|
|
1662 |
if source.GetLocalString().startswith('$(EPOCROOT)'):
|
|
1663 |
self.sources.append(str(source))
|
|
1664 |
self.__debug("Append SOURCE " + str(source))
|
|
1665 |
|
|
1666 |
else:
|
|
1667 |
foundsource = source.FindCaseless()
|
|
1668 |
if foundsource == None:
|
|
1669 |
# Hope that the file will be generated later
|
|
1670 |
self.__debug("Sourcefile not found: %s" % source)
|
|
1671 |
foundsource = source
|
|
1672 |
|
|
1673 |
self.sources.append(str(foundsource))
|
|
1674 |
self.__debug("Append SOURCE " + str(foundsource))
|
|
1675 |
|
|
1676 |
|
|
1677 |
self.__debug(" sourcepath: " + self.__sourcepath)
|
|
1678 |
return "OK"
|
|
1679 |
|
|
1680 |
# Resource
|
|
1681 |
|
|
1682 |
def doOldResourceAssignment(self,s,loc,toks):
|
|
1683 |
# Technically deprecated, but still used, so...
|
|
1684 |
self.__currentLineNumber += 1
|
|
1685 |
self.__debug("Processing old-style "+toks[0]+" "+str(toks[1]))
|
|
1686 |
|
|
1687 |
sysRes = (toks[0].lower() == "systemresource")
|
|
1688 |
|
|
1689 |
for rss in toks[1]:
|
|
1690 |
variant = raptor_data.Variant()
|
|
1691 |
|
|
1692 |
source = generic_path.Join(self.__sourcepath, rss)
|
|
1693 |
variant.AddOperation(raptor_data.Set("SOURCE", str(source)))
|
|
1694 |
self.__resourceFiles.append(str(source))
|
|
1695 |
|
|
1696 |
target = source.File().rsplit(".", 1)[0] # remove the extension
|
|
1697 |
variant.AddOperation(raptor_data.Set("TARGET", target))
|
|
1698 |
variant.AddOperation(raptor_data.Set("TARGET_lower", target.lower()))
|
|
1699 |
|
|
1700 |
header = target.lower() + ".rsg" # filename policy
|
|
1701 |
variant.AddOperation(raptor_data.Set("HEADER", header))
|
|
1702 |
|
|
1703 |
if sysRes:
|
|
1704 |
dsrtp = self.getDefaultSystemResourceTargetPath()
|
|
1705 |
variant.AddOperation(raptor_data.Set("TARGETPATH", dsrtp))
|
|
1706 |
|
|
1707 |
self.ResourceVariants.append(variant)
|
|
1708 |
|
|
1709 |
return "OK"
|
|
1710 |
|
|
1711 |
def getDefaultSystemResourceTargetPath(self):
|
|
1712 |
# the default systemresource TARGETPATH value should come from the
|
|
1713 |
# configuration rather than being hard-coded here. Then again, this
|
|
1714 |
# should really be deprecated away into oblivion...
|
|
1715 |
return "system/data"
|
|
1716 |
|
|
1717 |
|
|
1718 |
def getDefaultResourceTargetPath(self, targettype):
|
|
1719 |
# the different default TARGETPATH values should come from the
|
|
1720 |
# configuration rather than being hard-coded here.
|
|
1721 |
if targettype == "plugin":
|
|
1722 |
return "resource/plugins"
|
|
1723 |
if targettype == "pdl":
|
|
1724 |
return "resource/printers"
|
|
1725 |
return ""
|
|
1726 |
|
|
1727 |
def resolveOptionReplace(self, content):
|
|
1728 |
"""
|
|
1729 |
Constructs search/replace pairs based on .mmp OPTION_REPLACE entries for use on tool command lines
|
|
1730 |
within FLMS.
|
|
1731 |
|
|
1732 |
Depending on what's supplied to OPTION_REPLACE <TOOL>, the core part of the <TOOL> command line
|
|
1733 |
in the relevant FLM will have search and replace actions performed on it post-expansion (but pre-
|
|
1734 |
any OPTION <TOOL> additions).
|
|
1735 |
|
|
1736 |
In terms of logic, we try to follow what ABLD does, as the current behaviour is undocumented.
|
|
1737 |
What happens is a little inconsistent, and best described by some generic examples:
|
|
1738 |
|
|
1739 |
OPTION_REPLACE TOOL existing_option replacement_value
|
|
1740 |
|
|
1741 |
Replace all instances of "option existing_value" with "option replacement_value"
|
|
1742 |
|
|
1743 |
OPTION_REPLACE TOOL existing_option replacement_option
|
|
1744 |
|
|
1745 |
Replace all instances of "existing_option" with "replacement_option".
|
|
1746 |
|
|
1747 |
If "existing_option" is present in isolation then a removal is performed.
|
|
1748 |
|
|
1749 |
Any values encountered that don't follow an option are ignored.
|
|
1750 |
Options are identified as being prefixed with either '-' or '--'.
|
|
1751 |
|
|
1752 |
The front-end processes each OPTION_REPLACE entry and then appends one or more search/replace pairs
|
|
1753 |
to an OPTION_REPLACE_<TOOL> variable in the following format:
|
|
1754 |
|
|
1755 |
search<->replace
|
|
1756 |
"""
|
|
1757 |
# Note that, for compatibility reasons, the following is mostly a port to Python of the corresponding
|
|
1758 |
# ABLD Perl, and hence maintains ABLD's idiosyncrasies in what it achieves
|
|
1759 |
|
|
1760 |
searchReplacePairs = []
|
|
1761 |
matches = re.findall("-{1,2}\S+\s*(?!-)\S*",content)
|
|
1762 |
|
|
1763 |
if matches:
|
|
1764 |
# reverse so we can process as a stack whilst retaining original order
|
|
1765 |
matches.reverse()
|
|
1766 |
|
|
1767 |
while (len(matches)):
|
|
1768 |
match = matches.pop()
|
|
1769 |
|
|
1770 |
standaloneMatch = re.match('^(?P<option>\S+)\s+(?P<value>\S+)$', match)
|
|
1771 |
|
|
1772 |
if (standaloneMatch):
|
|
1773 |
# Option listed standalone with a replacement value
|
|
1774 |
# Example:
|
|
1775 |
# OPTION_REPLACE ARMCC --cpu 6
|
|
1776 |
# Intention:
|
|
1777 |
# Replace instances of "--cpu <something>" with "--cpu 6"
|
|
1778 |
|
|
1779 |
# Substitute any existing "option <existing_value>" instances with a single word
|
|
1780 |
# "@@<existing_value>" for later replacement
|
|
1781 |
searchReplacePairs.append('%s <->@@' % standaloneMatch.group('option'))
|
|
1782 |
|
|
1783 |
# Replace "@@<existing_value>" entries from above with "option <new_value>" entries
|
|
1784 |
# A pattern substitution is used to cover pre-existing values
|
|
1785 |
searchReplacePairs.append('@@%%<->%s %s' % (standaloneMatch.group('option'), standaloneMatch.group('value')))
|
|
1786 |
else:
|
|
1787 |
# Options specified in search/replace pairs with optional values
|
|
1788 |
# Example:
|
|
1789 |
# OPTION_REPLACE ARMCC --O2 --O3
|
|
1790 |
# Intention:
|
|
1791 |
# Replace instances of "--O2" with "--O3"
|
|
1792 |
|
|
1793 |
# At this point we will be looking at just the search option - there may or may not
|
|
1794 |
# be a replacement to consider
|
|
1795 |
search = match
|
|
1796 |
replace = ""
|
|
1797 |
if len(matches):
|
|
1798 |
replace = matches.pop()
|
5
|
1799 |
|
3
|
1800 |
searchReplacePairs.append('%s<->%s' % (search, replace))
|
|
1801 |
|
|
1802 |
# Replace spaces to maintain word-based grouping in downstream makefile lists
|
|
1803 |
for i in range(0,len(searchReplacePairs)):
|
|
1804 |
searchReplacePairs[i] = searchReplacePairs[i].replace(' ','%20')
|
|
1805 |
|
|
1806 |
return searchReplacePairs
|
|
1807 |
|
|
1808 |
def doStartResource(self,s,loc,toks):
|
|
1809 |
self.__currentLineNumber += 1
|
|
1810 |
self.__debug("Start RESOURCE "+toks[1])
|
|
1811 |
|
|
1812 |
self.__current_resource = generic_path.Path(self.__sourcepath, toks[1])
|
|
1813 |
self.__current_resource = str(self.__current_resource)
|
|
1814 |
|
|
1815 |
self.__debug("sourcepath: " + self.__sourcepath)
|
|
1816 |
self.__debug("self.__current_resource source: " + toks[1])
|
|
1817 |
self.__debug("adjusted self.__current_resource source=" + self.__current_resource)
|
|
1818 |
|
|
1819 |
self.__currentResourceVariant = raptor_data.Variant()
|
|
1820 |
self.__currentResourceVariant.AddOperation(raptor_data.Set("SOURCE", self.__current_resource))
|
|
1821 |
self.__resourceFiles.append(self.__current_resource)
|
|
1822 |
|
|
1823 |
# The target name is the basename of the resource without the extension
|
|
1824 |
# e.g. "/fred/129ab34f.rss" would have a target name of "129ab34f"
|
|
1825 |
target = self.__current_resource.rsplit("/",1)[-1]
|
|
1826 |
target = target.rsplit(".",1)[0]
|
|
1827 |
self.__currentResourceVariant.AddOperation(raptor_data.Set("TARGET", target))
|
|
1828 |
self.__currentResourceVariant.AddOperation(raptor_data.Set("TARGET_lower", target.lower()))
|
|
1829 |
self.__headerspecified = False
|
|
1830 |
self.__headeronlyspecified = False
|
|
1831 |
self.__current_resource_header = target.lower() + ".rsg"
|
|
1832 |
|
|
1833 |
return "OK"
|
|
1834 |
|
|
1835 |
def doResourceAssignment(self,s,loc,toks):
|
|
1836 |
""" Assign variables for resource files """
|
|
1837 |
self.__currentLineNumber += 1
|
|
1838 |
varname = toks[0].upper() # the mmp keyword
|
|
1839 |
varvalue = "".join(toks[1])
|
|
1840 |
|
|
1841 |
# Get rid of any .rsc extension because the build system
|
|
1842 |
# needs to have it stripped off to calculate other names
|
|
1843 |
# for other purposes and # we aren't going to make it
|
|
1844 |
# optional anyhow.
|
|
1845 |
if varname == "TARGET":
|
|
1846 |
target_withext = varvalue.rsplit("/\\",1)[-1]
|
|
1847 |
target = target_withext.rsplit(".",1)[0]
|
|
1848 |
self.__current_resource_header = target.lower() + ".rsg"
|
|
1849 |
self.__currentResourceVariant.AddOperation(raptor_data.Set("TARGET_lower", target.lower()))
|
|
1850 |
self.__debug("Set resource "+varname+" to " + target)
|
|
1851 |
self.__currentResourceVariant.AddOperation(raptor_data.Set(varname,target))
|
|
1852 |
if varname == "TARGETPATH":
|
|
1853 |
varvalue=varvalue.replace('\\','/')
|
|
1854 |
self.__debug("Set resource "+varname+" to " + varvalue)
|
|
1855 |
self.__currentResourceVariant.AddOperation(raptor_data.Set(varname,varvalue))
|
|
1856 |
else:
|
|
1857 |
self.__debug("Set resource "+varname+" to " + varvalue)
|
|
1858 |
self.__currentResourceVariant.AddOperation(raptor_data.Set(varname,varvalue))
|
|
1859 |
return "OK"
|
|
1860 |
|
|
1861 |
def doResourceAppend(self,s,loc,toks):
|
|
1862 |
self.__currentLineNumber += 1
|
|
1863 |
self.__debug("Append resource to "+toks[0]+" the values: " +str(toks[1]))
|
|
1864 |
varname = toks[0].upper()
|
|
1865 |
|
|
1866 |
# we cannot use LANG as it interferes with the environment
|
|
1867 |
if varname == "LANG":
|
|
1868 |
varname = "LANGUAGES"
|
|
1869 |
|
|
1870 |
for item in toks[1]:
|
|
1871 |
if varname == "LANGUAGES":
|
|
1872 |
item = item.lower()
|
|
1873 |
self.__currentResourceVariant.AddOperation(raptor_data.Append(varname,item))
|
|
1874 |
return "OK"
|
|
1875 |
|
|
1876 |
def doResourceSetSwitch(self,s,loc,toks):
|
|
1877 |
self.__currentLineNumber += 1
|
|
1878 |
name = toks[0].upper()
|
|
1879 |
|
|
1880 |
if name == "HEADER":
|
|
1881 |
self.__headerspecified = True
|
|
1882 |
|
|
1883 |
elif name == "HEADERONLY":
|
|
1884 |
self.__headeronlyspecified = True
|
|
1885 |
|
|
1886 |
else:
|
|
1887 |
value = "1"
|
|
1888 |
self.__debug( "Set resource switch " + name + " " + value)
|
|
1889 |
self.__currentResourceVariant.AddOperation(raptor_data.Set(name, value))
|
|
1890 |
|
|
1891 |
return "OK"
|
|
1892 |
|
|
1893 |
def doEndResource(self,s,loc,toks):
|
|
1894 |
self.__currentLineNumber += 1
|
|
1895 |
|
|
1896 |
# Header name can change, depening if there was a TARGET defined or not, so it must be appended at the end
|
|
1897 |
if self.__headerspecified:
|
|
1898 |
self.__debug("Set resource switch HEADER " + self.__current_resource_header)
|
|
1899 |
self.__currentResourceVariant.AddOperation(raptor_data.Set("HEADER", self.__current_resource_header))
|
|
1900 |
|
|
1901 |
if self.__headeronlyspecified:
|
|
1902 |
self.__debug("Set resource switch HEADERONLY " + self.__current_resource_header)
|
|
1903 |
self.__currentResourceVariant.AddOperation(raptor_data.Set("HEADER", self.__current_resource_header))
|
|
1904 |
self.__currentResourceVariant.AddOperation(raptor_data.Set("HEADERONLY", "True"))
|
|
1905 |
|
|
1906 |
self.__debug("End RESOURCE")
|
|
1907 |
self.ResourceVariants.append(self.__currentResourceVariant)
|
|
1908 |
self.__currentResourceVariant = None
|
|
1909 |
self.__current_resource = ""
|
|
1910 |
return "OK"
|
|
1911 |
|
|
1912 |
# Bitmap
|
|
1913 |
|
|
1914 |
def doStartBitmap(self,s,loc,toks):
|
|
1915 |
self.__currentLineNumber += 1
|
|
1916 |
self.__debug("Start BITMAP "+toks[1])
|
|
1917 |
|
5
|
1918 |
self.__currentBitmapVariant = raptor_data.Variant(name = toks[1].replace('.','_'))
|
3
|
1919 |
# Use BMTARGET and BMTARGET_lower because that prevents
|
|
1920 |
# confusion with the TARGET and TARGET_lower of our parent MMP
|
|
1921 |
# when setting the OUTPUTPATH. This in turn allows us to
|
|
1922 |
# not get tripped up by multiple mbms being generated with
|
|
1923 |
# the same name to the same directory.
|
|
1924 |
self.__currentBitmapVariant.AddOperation(raptor_data.Set("BMTARGET", toks[1]))
|
|
1925 |
self.__currentBitmapVariant.AddOperation(raptor_data.Set("BMTARGET_lower", toks[1].lower()))
|
|
1926 |
self.__currentBitmapVariant.AddOperation(raptor_data.Set("SOURCE", ""))
|
|
1927 |
return "OK"
|
|
1928 |
|
|
1929 |
def doBitmapAssignment(self,s,loc,toks):
|
|
1930 |
self.__currentLineNumber += 1
|
|
1931 |
self.__debug("Set bitmap "+toks[0]+" to " + str(toks[1]))
|
|
1932 |
name = toks[0].upper()
|
|
1933 |
value = "".join(toks[1])
|
|
1934 |
if name == "TARGETPATH":
|
|
1935 |
value = value.replace('\\','/')
|
|
1936 |
|
|
1937 |
self.__currentBitmapVariant.AddOperation(raptor_data.Set(name,value))
|
|
1938 |
return "OK"
|
|
1939 |
|
|
1940 |
def doBitmapSourcePathAssignment(self,s,loc,toks):
|
|
1941 |
self.__currentLineNumber += 1
|
|
1942 |
self.__debug("Previous bitmap sourcepath:" + self.__bitmapSourcepath)
|
|
1943 |
self.__bitmapSourcepath = raptor_utilities.resolveSymbianPath(self.__currentMmpFile, toks[1])
|
|
1944 |
self.__debug("New bitmap sourcepath: " + self.__bitmapSourcepath)
|
|
1945 |
|
|
1946 |
def doBitmapSourceAssignment(self,s,loc,toks):
|
|
1947 |
self.__currentLineNumber += 1
|
|
1948 |
self.__debug( "Setting "+toks[0]+" to " + str(toks[1]))
|
|
1949 |
# The first "source" is the colour depth for all the others.
|
|
1950 |
# The depth format is b[,m] where b is the bitmap depth and m is
|
|
1951 |
# the mask depth.
|
|
1952 |
# Valid values for b are: 1 2 4 8 c4 c8 c12 c16 c24 c32 c32a (?)
|
|
1953 |
# Valid values for m are: 1 8 (any number?)
|
|
1954 |
#
|
|
1955 |
# If m is specified then the bitmaps are in pairs: b0 m0 b1 m1...
|
|
1956 |
# If m is not specified then there are no masks, just bitmaps: b0 b1...
|
|
1957 |
colordepth = toks[1][0].lower()
|
|
1958 |
if "," in colordepth:
|
|
1959 |
(bitmapdepth, maskdepth) = colordepth.split(",")
|
|
1960 |
else:
|
|
1961 |
bitmapdepth = colordepth
|
|
1962 |
maskdepth = 0
|
|
1963 |
|
|
1964 |
sources=""
|
|
1965 |
mask = False
|
|
1966 |
for file in toks[1][1:]:
|
|
1967 |
path = generic_path.Join(self.__bitmapSourcepath, file)
|
|
1968 |
if sources:
|
|
1969 |
sources += " "
|
|
1970 |
if mask:
|
|
1971 |
sources += "DEPTH=" + maskdepth + " FILE=" + str(path)
|
|
1972 |
else:
|
|
1973 |
sources += "DEPTH=" + bitmapdepth + " FILE=" + str(path)
|
|
1974 |
if maskdepth:
|
|
1975 |
mask = not mask
|
|
1976 |
self.__debug("sources: " + sources)
|
|
1977 |
self.__currentBitmapVariant.AddOperation(raptor_data.Append("SOURCE", sources))
|
|
1978 |
return "OK"
|
|
1979 |
|
|
1980 |
def doBitmapSetSwitch(self,s,loc,toks):
|
|
1981 |
self.__currentLineNumber += 1
|
|
1982 |
self.__debug( "Set bitmap switch "+toks[0]+" ON")
|
|
1983 |
self.__currentBitmapVariant.AddOperation(raptor_data.Set(toks[0].upper(), "1"))
|
|
1984 |
return "OK"
|
|
1985 |
|
|
1986 |
def doEndBitmap(self,s,loc,toks):
|
|
1987 |
self.__currentLineNumber += 1
|
|
1988 |
self.__bitmapSourcepath = self.__sourcepath
|
|
1989 |
self.BitmapVariants.append(self.__currentBitmapVariant)
|
|
1990 |
self.__currentBitmapVariant = None
|
|
1991 |
self.__debug("End BITMAP")
|
|
1992 |
return "OK"
|
|
1993 |
|
|
1994 |
# Stringtable
|
|
1995 |
|
|
1996 |
def doStartStringTable(self,s,loc,toks):
|
|
1997 |
self.__currentLineNumber += 1
|
|
1998 |
self.__debug( "Start STRINGTABLE "+toks[1])
|
|
1999 |
|
|
2000 |
specstringtable = generic_path.Join(self.__sourcepath, toks[1])
|
|
2001 |
uniqname = specstringtable.File().replace('.','_') # corrected, filename only
|
|
2002 |
source = str(specstringtable.FindCaseless())
|
|
2003 |
|
|
2004 |
self.__debug("sourcepath: " + self.__sourcepath)
|
|
2005 |
self.__debug("stringtable: " + toks[1])
|
|
2006 |
self.__debug("adjusted stringtable source=" + source)
|
|
2007 |
|
5
|
2008 |
self.__currentStringTableVariant = raptor_data.Variant(name = uniqname)
|
3
|
2009 |
self.__currentStringTableVariant.AddOperation(raptor_data.Set("SOURCE", source))
|
|
2010 |
self.__currentStringTableVariant.AddOperation(raptor_data.Set("EXPORTPATH", ""))
|
|
2011 |
self.__stringtableExported = False
|
|
2012 |
|
|
2013 |
# The target name by default is the name of the stringtable without the extension
|
|
2014 |
# e.g. the stringtable "/fred/http.st" would have a default target name of "http"
|
|
2015 |
stringtable_withext = specstringtable.File()
|
|
2016 |
self.__stringtable = stringtable_withext.rsplit(".",1)[0].lower()
|
|
2017 |
self.__currentStringTableVariant.AddOperation(raptor_data.Set("TARGET", self.__stringtable))
|
|
2018 |
|
|
2019 |
self.__stringtableHeaderonlyspecified = False
|
|
2020 |
|
|
2021 |
return "OK"
|
|
2022 |
|
|
2023 |
def doStringTableAssignment(self,s,loc,toks):
|
|
2024 |
""" Assign variables for stringtables """
|
|
2025 |
self.__currentLineNumber += 1
|
|
2026 |
varname = toks[0].upper() # the mmp keyword
|
|
2027 |
varvalue = "".join(toks[1])
|
|
2028 |
|
|
2029 |
# Get rid of any .rsc extension because the build system
|
|
2030 |
# needs to have it stripped off to calculate other names
|
|
2031 |
# for other purposes and # we aren't going to make it
|
|
2032 |
# optional anyhow.
|
|
2033 |
if varname == "EXPORTPATH":
|
|
2034 |
finalvalue = raptor_utilities.resolveSymbianPath(self.__currentMmpFile, varvalue)
|
|
2035 |
self.__stringtableExported = True
|
|
2036 |
else:
|
|
2037 |
finalvalue = varvalue
|
|
2038 |
|
|
2039 |
self.__debug("Set stringtable "+varname+" to " + finalvalue)
|
|
2040 |
self.__currentStringTableVariant.AddOperation(raptor_data.Set(varname,finalvalue))
|
|
2041 |
return "OK"
|
|
2042 |
|
|
2043 |
def doStringTableSetSwitch(self,s,loc,toks):
|
|
2044 |
self.__currentLineNumber += 1
|
|
2045 |
if toks[0].upper()== "HEADERONLY":
|
|
2046 |
self.__stringtableHeaderonlyspecified = True
|
|
2047 |
self.__debug( "Set stringtable switch "+toks[0]+" ON")
|
|
2048 |
self.__currentStringTableVariant.AddOperation(raptor_data.Set(toks[0].upper(), "1"))
|
|
2049 |
return "OK"
|
|
2050 |
|
|
2051 |
def doEndStringTable(self,s,loc,toks):
|
|
2052 |
self.__currentLineNumber += 1
|
|
2053 |
|
|
2054 |
if not self.__stringtableExported:
|
|
2055 |
# There was no EXPORTPATH specified for this stringtable
|
|
2056 |
# so for our other code to be able to reference it we
|
|
2057 |
# must add the path of the generated location to the userinclude path
|
|
2058 |
|
|
2059 |
ipath = "$(OUTPUTPATH)"
|
|
2060 |
self.BuildVariant.AddOperation(raptor_data.Append("USERINCLUDE",ipath))
|
|
2061 |
self.__userinclude += ' ' + ipath
|
|
2062 |
self.__debug(" USERINCLUDE = %s", self.__userinclude)
|
|
2063 |
self.__userinclude.strip()
|
|
2064 |
|
|
2065 |
self.StringTableVariants.append(self.__currentStringTableVariant)
|
|
2066 |
self.__currentStringTableVariant = None
|
|
2067 |
self.__debug("End STRINGTABLE")
|
|
2068 |
if not self.__stringtableHeaderonlyspecified:
|
|
2069 |
# Have to assume that this is where the cpp file will be. This has to be maintained
|
|
2070 |
# in sync with the FLM's idea of where this file should be. We need a better way.
|
|
2071 |
# Interfaces also need outputs that allow other interfaces to refer to their outputs
|
|
2072 |
# without having to "know" where they will be.
|
|
2073 |
self.sources.append('$(OUTPUTPATH)/' + self.__stringtable + '.cpp')
|
|
2074 |
return "OK"
|
|
2075 |
|
|
2076 |
|
|
2077 |
def doUnknownStatement(self,s,loc,toks):
|
|
2078 |
self.__warn("%s (%d) : Unrecognised Keyword %s", self.__currentMmpFile, self.__currentLineNumber, str(toks))
|
|
2079 |
self.__currentLineNumber += 1
|
|
2080 |
return "OK"
|
|
2081 |
|
|
2082 |
|
|
2083 |
def doUnknownBlock(self,s,loc,toks):
|
|
2084 |
self.__warn("%s (%d) : Unrecognised Block %s", self.__currentMmpFile, self.__currentLineNumber, str(toks))
|
|
2085 |
self.__currentLineNumber += 1
|
|
2086 |
return "OK"
|
|
2087 |
|
|
2088 |
def doDeprecated(self,s,loc,toks):
|
|
2089 |
self.__debug( "Deprecated command " + str(toks))
|
|
2090 |
self.__warn("%s (%d) : %s is deprecated .mmp file syntax", self.__currentMmpFile, self.__currentLineNumber, str(toks))
|
|
2091 |
self.__currentLineNumber += 1
|
|
2092 |
return "OK"
|
|
2093 |
|
|
2094 |
def doNothing(self):
|
|
2095 |
self.__currentLineNumber += 1
|
|
2096 |
return "OK"
|
|
2097 |
|
|
2098 |
def finalise(self, aBuildPlatform):
|
|
2099 |
"""Post-processing of data that is only applicable in the context of a fully
|
|
2100 |
processed .mmp file."""
|
|
2101 |
resolvedDefFile = ""
|
|
2102 |
|
|
2103 |
if self.__TARGET:
|
|
2104 |
defaultRootName = self.__TARGET
|
|
2105 |
if self.__TARGETEXT!="":
|
|
2106 |
defaultRootName += "." + self.__TARGETEXT
|
|
2107 |
|
|
2108 |
# NOTE: Changing default .def file name based on the LINKAS argument is actually
|
|
2109 |
# a defect, but this follows the behaviour of the current build system.
|
|
2110 |
if (self.__LINKAS):
|
|
2111 |
defaultRootName = self.__LINKAS
|
|
2112 |
|
|
2113 |
resolvedDefFile = self.resolveDefFile(defaultRootName, aBuildPlatform)
|
|
2114 |
self.__debug("Resolved def file: %s" % resolvedDefFile )
|
|
2115 |
# We need to store this resolved deffile location for the FREEZE target
|
|
2116 |
self.BuildVariant.AddOperation(raptor_data.Set("RESOLVED_DEFFILE", resolvedDefFile))
|
|
2117 |
|
|
2118 |
# If a deffile is specified, an FLM will put in a dependency.
|
|
2119 |
# If a deffile is specified then raptor_meta will guess a name but:
|
|
2120 |
# 1) If the guess is wrong then the FLM will complain "no rule to make ..."
|
|
2121 |
# 2) In some cases, e.g. plugin, 1) is not desirable as the presence of a def file
|
|
2122 |
# is not a necessity. In these cases the FLM needs to know if DEFFILE
|
|
2123 |
# is a guess or not so it can decide if a dependency should be added.
|
|
2124 |
|
|
2125 |
# We check that the def file exists and that it is non-zero (incredible
|
|
2126 |
# that this should be needed).
|
|
2127 |
|
|
2128 |
deffile_keyword="1"
|
|
2129 |
if self.deffile == "":
|
|
2130 |
# If the user didn't specify a deffile name then
|
|
2131 |
# we must be guessing
|
|
2132 |
# Let's check if our guess actually corresponds to a
|
|
2133 |
# real file. If it does then that confims the guess.
|
|
2134 |
# If there's no file then we still need to pass make the name
|
|
2135 |
# so it can complain about there not being a DEF file
|
|
2136 |
# for this particular target type and fail to build this target.
|
|
2137 |
|
|
2138 |
deffile_keyword=""
|
|
2139 |
try:
|
|
2140 |
findpath = generic_path.Path(resolvedDefFile)
|
|
2141 |
foundfile = findpath.FindCaseless()
|
|
2142 |
|
|
2143 |
if foundfile == None:
|
|
2144 |
raise IOError("file not found")
|
|
2145 |
|
|
2146 |
self.__debug("Found DEFFILE " + foundfile.GetLocalString())
|
|
2147 |
rfstat = os.stat(foundfile.GetLocalString())
|
|
2148 |
|
|
2149 |
mode = rfstat[stat.ST_MODE]
|
|
2150 |
if mode != None and stat.S_ISREG(mode) and rfstat[stat.ST_SIZE] > 0:
|
|
2151 |
resolvedDefFile = str(foundfile)
|
|
2152 |
else:
|
|
2153 |
resolvedDefFile=""
|
|
2154 |
except Exception,e:
|
|
2155 |
self.__debug("While Searching for an IMPLIED DEFFILE: %s: %s" % (str(e),str(findpath)) )
|
|
2156 |
resolvedDefFile=""
|
|
2157 |
else:
|
|
2158 |
if not resolvedDefFile == "":
|
|
2159 |
try:
|
|
2160 |
findpath = generic_path.Path(resolvedDefFile)
|
|
2161 |
resolvedDefFile = str(findpath.FindCaseless())
|
|
2162 |
if resolvedDefFile=="None":
|
|
2163 |
raise IOError("file not found")
|
|
2164 |
except Exception,e:
|
|
2165 |
self.__warn("While Searching for a SPECIFIED DEFFILE: %s: %s" % (str(e),str(findpath)) )
|
|
2166 |
resolvedDefFile=""
|
|
2167 |
else:
|
|
2168 |
self.__warn("DEFFILE KEYWORD used (%s) but def file not resolved" % (self.deffile) )
|
|
2169 |
|
|
2170 |
|
|
2171 |
self.BuildVariant.AddOperation(raptor_data.Set("DEFFILE", resolvedDefFile))
|
|
2172 |
self.__debug("Set DEFFILE to " + resolvedDefFile)
|
|
2173 |
self.BuildVariant.AddOperation(raptor_data.Set("DEFFILEKEYWORD", deffile_keyword))
|
|
2174 |
self.__debug("Set DEFFILEKEYWORD to '%s'",deffile_keyword)
|
|
2175 |
|
|
2176 |
# if this target type has a default TARGETPATH other than "" for
|
|
2177 |
# resources then we need to add that default to all resources which
|
|
2178 |
# do not explicitly set the TARGETPATH themselves.
|
|
2179 |
tp = self.getDefaultResourceTargetPath(self.getTargetType())
|
|
2180 |
if tp:
|
|
2181 |
for i,var in enumerate(self.ResourceVariants):
|
|
2182 |
# does this resource specify its own TARGETPATH?
|
|
2183 |
needTP = True
|
|
2184 |
for op in var.ops:
|
|
2185 |
if isinstance(op, raptor_data.Set) \
|
|
2186 |
and op.name == "TARGETPATH":
|
|
2187 |
needTP = False
|
|
2188 |
break
|
|
2189 |
if needTP:
|
|
2190 |
self.ResourceVariants[i].AddOperation(raptor_data.Set("TARGETPATH", tp))
|
|
2191 |
|
|
2192 |
# some core build configurations need to know about the resource builds, and
|
|
2193 |
# some resource building configurations need knowledge of the core build
|
|
2194 |
for resourceFile in self.__resourceFiles:
|
|
2195 |
self.BuildVariant.AddOperation(raptor_data.Append("RESOURCEFILES", resourceFile))
|
|
2196 |
|
|
2197 |
for i,var in enumerate(self.ResourceVariants):
|
|
2198 |
self.ResourceVariants[i].AddOperation(raptor_data.Set("MAIN_TARGET_lower", self.__TARGET.lower()))
|
|
2199 |
self.ResourceVariants[i].AddOperation(raptor_data.Set("MAIN_REQUESTEDTARGETEXT", self.__TARGETEXT.lower()))
|
|
2200 |
|
5
|
2201 |
# Create Capability variable in one SET operation (more efficient than multiple appends)
|
|
2202 |
self.BuildVariant.AddOperation(raptor_data.Set("CAPABILITY"," ".join(self.capabilities)))
|
|
2203 |
|
3
|
2204 |
# Resolve combined capabilities as hex flags, for configurations that require them
|
|
2205 |
capabilityFlag1 = 0
|
|
2206 |
capabilityFlag2 = 0 # Always 0
|
|
2207 |
|
5
|
2208 |
for capability in [c.lower() for c in self.capabilities]:
|
3
|
2209 |
invert = 0
|
|
2210 |
|
|
2211 |
if capability.startswith('-'):
|
|
2212 |
invert = 0xffffffff
|
|
2213 |
capability = capability.lstrip('-')
|
|
2214 |
|
|
2215 |
if MMPRaptorBackend.supportedCapabilities.has_key(capability):
|
|
2216 |
capabilityFlag1 = capabilityFlag1 ^ invert
|
|
2217 |
capabilityFlag1 = capabilityFlag1 | MMPRaptorBackend.supportedCapabilities[capability]
|
|
2218 |
capabilityFlag1 = capabilityFlag1 ^ invert
|
|
2219 |
|
|
2220 |
capabilityFlag1 = "%08xu" % capabilityFlag1
|
|
2221 |
capabilityFlag2 = "%08xu" % capabilityFlag2
|
|
2222 |
|
|
2223 |
self.BuildVariant.AddOperation(raptor_data.Set("CAPABILITYFLAG1", capabilityFlag1))
|
|
2224 |
self.__debug ("Set CAPABILITYFLAG1 to " + capabilityFlag1)
|
|
2225 |
self.BuildVariant.AddOperation(raptor_data.Set("CAPABILITYFLAG2", capabilityFlag2))
|
|
2226 |
self.__debug ("Set CAPABILITYFLAG2 to " + capabilityFlag2)
|
|
2227 |
|
|
2228 |
# For non-Feature Variant builds, the location of the product include hrh file is
|
|
2229 |
# appended to the SYSTEMINCLUDE list
|
|
2230 |
if not aBuildPlatform['ISFEATUREVARIANT']:
|
|
2231 |
productIncludePath = str(aBuildPlatform['VARIANT_HRH'].Dir())
|
|
2232 |
self.BuildVariant.AddOperation(raptor_data.Append("SYSTEMINCLUDE",productIncludePath))
|
|
2233 |
self.__debug("Appending product include location %s to SYSTEMINCLUDE",productIncludePath)
|
|
2234 |
|
|
2235 |
# Specifying both a PAGED* and its opposite UNPAGED* keyword in a .mmp file
|
|
2236 |
# will generate a warning and the last keyword specified will take effect.
|
|
2237 |
self.__pageConflict.reverse()
|
|
2238 |
if "PAGEDCODE" in self.__pageConflict and "UNPAGEDCODE" in self.__pageConflict:
|
|
2239 |
for x in self.__pageConflict:
|
|
2240 |
if x == "PAGEDCODE" or x == "UNPAGEDCODE":
|
|
2241 |
self.__Raptor.Warn("Both PAGEDCODE and UNPAGEDCODE are specified. The last one %s will take effect" % x)
|
|
2242 |
break
|
|
2243 |
if "PAGEDDATA" in self.__pageConflict and "UNPAGEDDATA" in self.__pageConflict:
|
|
2244 |
for x in self.__pageConflict:
|
|
2245 |
if x == "PAGEDDATA" or x == "UNPAGEDDATA":
|
|
2246 |
self.__Raptor.Warn("Both PAGEDDATA and UNPAGEDDATA are specified. The last one %s will take effect" % x)
|
|
2247 |
break
|
|
2248 |
|
|
2249 |
# Set Debuggable
|
|
2250 |
self.BuildVariant.AddOperation(raptor_data.Set("DEBUGGABLE", self.__debuggable))
|
|
2251 |
|
|
2252 |
if self.__explicitversion:
|
|
2253 |
self.BuildVariant.AddOperation(raptor_data.Append("UNIQUETARGETPATH","$(TARGET_lower)_$(VERSIONHEX)_$(REQUESTEDTARGETEXT)",'/'))
|
|
2254 |
else:
|
|
2255 |
self.BuildVariant.AddOperation(raptor_data.Append("UNIQUETARGETPATH","$(TARGET_lower)_$(REQUESTEDTARGETEXT)",'/'))
|
|
2256 |
|
|
2257 |
# Put the list of sourcefiles in with one Set operation - saves memory
|
|
2258 |
# and performance over using multiple Append operations.
|
|
2259 |
self.BuildVariant.AddOperation(raptor_data.Set("SOURCE",
|
|
2260 |
" ".join(self.sources)))
|
|
2261 |
|
|
2262 |
def getTargetType(self):
|
|
2263 |
"""Target type in lower case - the standard format"""
|
|
2264 |
return self.__targettype.lower()
|
|
2265 |
|
|
2266 |
def resolveDefFile(self, aTARGET, aBuildPlatform):
|
|
2267 |
"""Returns a fully resolved DEFFILE entry depending on .mmp file location and TARGET, DEFFILE and NOSTRICTDEF
|
|
2268 |
entries in the .mmp file itself (where appropriate).
|
|
2269 |
Is able to deal with target names that have multiple '.' characters e.g. messageintercept.esockdebug.dll
|
|
2270 |
"""
|
|
2271 |
|
|
2272 |
resolvedDefFile = ""
|
|
2273 |
platform = aBuildPlatform['PLATFORM']
|
|
2274 |
|
|
2275 |
# Not having a default .def file directory is a pretty strong indicator that
|
|
2276 |
# .def files aren't supported for the particular platform
|
|
2277 |
if PlatformDefaultDefFileDir.has_key(platform):
|
|
2278 |
(targetname,targetext) = os.path.splitext(aTARGET)
|
|
2279 |
(defname,defext) = os.path.splitext(self.deffile)
|
|
2280 |
if defext=="":
|
|
2281 |
defext = ".def"
|
|
2282 |
|
|
2283 |
# NOTE: WORKAROUND
|
|
2284 |
if len(targetext) > 4:
|
|
2285 |
targetname += defext
|
|
2286 |
|
|
2287 |
if not self.deffile:
|
|
2288 |
resolvedDefFile = targetname
|
|
2289 |
else:
|
|
2290 |
if re.search('[\\|\/]$', self.deffile):
|
|
2291 |
# If DEFFILE is *solely* a path, signified by ending in a slash, then TARGET is the
|
|
2292 |
# basis for the default .def filename but with the specified path as prefix
|
|
2293 |
resolvedDefFile = self.deffile + targetname
|
|
2294 |
|
|
2295 |
else:
|
|
2296 |
resolvedDefFile = defname
|
|
2297 |
|
|
2298 |
resolvedDefFile = resolvedDefFile.replace('~', PlatformDefaultDefFileDir[platform])
|
|
2299 |
|
|
2300 |
if resolvedDefFile:
|
|
2301 |
if not self.nostrictdef:
|
|
2302 |
resolvedDefFile += 'u'
|
|
2303 |
|
|
2304 |
if self.__explicitversion:
|
|
2305 |
resolvedDefFile += '{' + self.__versionhex + '}'
|
|
2306 |
|
|
2307 |
resolvedDefFile += defext
|
|
2308 |
|
|
2309 |
|
|
2310 |
# If a DEFFILE statement doesn't specify a path in any shape or form, prepend the default .def file
|
|
2311 |
# location based on the platform being built
|
|
2312 |
if not re.search('[\\\/]+', self.deffile):
|
|
2313 |
resolvedDefFile = '../'+PlatformDefaultDefFileDir[platform]+'/'+resolvedDefFile
|
|
2314 |
|
|
2315 |
resolvedDefFile = raptor_utilities.resolveSymbianPath(self.__defFileRoot, resolvedDefFile, 'DEFFILE', "", str(aBuildPlatform['EPOCROOT']))
|
|
2316 |
|
|
2317 |
return resolvedDefFile
|
|
2318 |
|
|
2319 |
|
5
|
2320 |
def CheckedGet(self, key, default = None):
|
|
2321 |
"""extract a value from an self and raise an exception if None.
|
|
2322 |
|
|
2323 |
An optional default can be set to replace a None value.
|
|
2324 |
|
|
2325 |
This function belongs in the Evaluator class logically. But
|
|
2326 |
Evaluator doesn't know how to raise a Metadata error. Since
|
|
2327 |
being able to raise a metadata error is the whole point of
|
|
2328 |
the method, it makes sense to adapt the Evaluator class from
|
|
2329 |
raptor_meta for the use of everything inside raptor_meta.
|
|
2330 |
|
|
2331 |
... so it will be added to the Evaluator class.
|
|
2332 |
"""
|
|
2333 |
|
|
2334 |
value = self.Get(key)
|
|
2335 |
if value == None:
|
|
2336 |
if default == None:
|
|
2337 |
raise MetaDataError("configuration " + self.buildUnit.name +
|
|
2338 |
" has no variable " + key)
|
|
2339 |
else:
|
|
2340 |
return default
|
|
2341 |
return value
|
|
2342 |
|
|
2343 |
raptor_data.Evaluator.CheckedGet = CheckedGet
|
|
2344 |
|
|
2345 |
|
3
|
2346 |
class MetaReader(object):
|
|
2347 |
"""Entry point class for Symbian metadata processing.
|
|
2348 |
|
|
2349 |
Provides a means of integrating "traditional" Symbian metadata processing
|
|
2350 |
with the new Raptor build system."""
|
|
2351 |
|
|
2352 |
filesplit_re = re.compile(r"^(?P<name>.*)\.(?P<ext>[^\.]*)$")
|
|
2353 |
|
|
2354 |
def __init__(self, aRaptor, configsToBuild):
|
|
2355 |
self.__Raptor = aRaptor
|
|
2356 |
self.BuildPlatforms = []
|
|
2357 |
self.ExportPlatforms = []
|
|
2358 |
|
|
2359 |
# Get the version of CPP that we are using
|
|
2360 |
metadata = self.__Raptor.cache.FindNamedVariant("meta")
|
|
2361 |
evaluator = self.__Raptor.GetEvaluator(None, raptor_data.BuildUnit(metadata.name, [metadata]) )
|
5
|
2362 |
self.__gnucpp = evaluator.CheckedGet("GNUCPP")
|
|
2363 |
self.__defaultplatforms = evaluator.CheckedGet("DEFAULT_PLATFORMS")
|
|
2364 |
self.__basedefaultplatforms = evaluator.CheckedGet("BASE_DEFAULT_PLATFORMS")
|
|
2365 |
self.__baseuserdefaultplatforms = evaluator.CheckedGet("BASE_USER_DEFAULT_PLATFORMS")
|
3
|
2366 |
|
|
2367 |
# Only read each variant.cfg once
|
|
2368 |
variantCfgs = {}
|
|
2369 |
|
|
2370 |
# Group the list of configurations into "build platforms".
|
|
2371 |
# A build platform is a set of configurations which share
|
|
2372 |
# the same metadata. In other words, a set of configurations
|
|
2373 |
# for which the bld.inf and MMP files pre-process to exactly
|
|
2374 |
# the same text.
|
|
2375 |
platforms = {}
|
|
2376 |
|
|
2377 |
# Exports are not "platform dependent" but they are configuration
|
|
2378 |
# dependent because different configs can have different EPOCROOT
|
|
2379 |
# and VARIANT_HRH values. Each "build platform" has one associated
|
|
2380 |
# "export platform" but several "build platforms" can be associated
|
|
2381 |
# with the same "export platform".
|
|
2382 |
exports = {}
|
|
2383 |
|
5
|
2384 |
self.__Raptor.Debug("MetaReader: configsToBuild: %s", [b.name for b in configsToBuild])
|
3
|
2385 |
for buildConfig in configsToBuild:
|
|
2386 |
# get everything we need to know about the configuration
|
|
2387 |
evaluator = self.__Raptor.GetEvaluator(None, buildConfig)
|
|
2388 |
|
|
2389 |
detail = {}
|
5
|
2390 |
detail['PLATFORM'] = evaluator.CheckedGet("TRADITIONAL_PLATFORM")
|
|
2391 |
epocroot = evaluator.CheckedGet("EPOCROOT")
|
3
|
2392 |
detail['EPOCROOT'] = generic_path.Path(epocroot)
|
|
2393 |
|
5
|
2394 |
sbs_build_dir = evaluator.CheckedGet("SBS_BUILD_DIR")
|
3
|
2395 |
detail['SBS_BUILD_DIR'] = generic_path.Path(sbs_build_dir)
|
5
|
2396 |
flm_export_dir = evaluator.CheckedGet("FLM_EXPORT_DIR")
|
3
|
2397 |
detail['FLM_EXPORT_DIR'] = generic_path.Path(flm_export_dir)
|
|
2398 |
detail['CACHEID'] = flm_export_dir
|
|
2399 |
if raptor_utilities.getOSPlatform().startswith("win"):
|
5
|
2400 |
detail['PLATMACROS'] = evaluator.CheckedGet("PLATMACROS.WINDOWS")
|
3
|
2401 |
else:
|
5
|
2402 |
detail['PLATMACROS'] = evaluator.CheckedGet("PLATMACROS.LINUX")
|
3
|
2403 |
|
|
2404 |
# Apply OS variant provided we are not ignoring this
|
|
2405 |
if not self.__Raptor.ignoreOsDetection:
|
|
2406 |
self.__Raptor.Debug("Automatic OS detection enabled.")
|
|
2407 |
self.ApplyOSVariant(buildConfig, epocroot)
|
|
2408 |
else: # We are ignore OS versions so no detection required, so no variant will be applied
|
|
2409 |
self.__Raptor.Debug("Automatic OS detection disabled.")
|
|
2410 |
|
|
2411 |
# is this a feature variant config or an ordinary variant
|
|
2412 |
fv = evaluator.Get("FEATUREVARIANTNAME")
|
|
2413 |
if fv:
|
5
|
2414 |
variantHdr = evaluator.CheckedGet("VARIANT_HRH")
|
3
|
2415 |
variantHRH = generic_path.Path(variantHdr)
|
|
2416 |
detail['ISFEATUREVARIANT'] = True
|
|
2417 |
else:
|
5
|
2418 |
variantCfg = evaluator.CheckedGet("VARIANT_CFG")
|
3
|
2419 |
variantCfg = generic_path.Path(variantCfg)
|
|
2420 |
if not variantCfg in variantCfgs:
|
|
2421 |
# get VARIANT_HRH from the variant.cfg file
|
|
2422 |
varCfg = getVariantCfgDetail(detail['EPOCROOT'], variantCfg)
|
|
2423 |
variantCfgs[variantCfg] = varCfg['VARIANT_HRH']
|
|
2424 |
# we expect to always build ABIv2
|
|
2425 |
if not 'ENABLE_ABIV2_MODE' in varCfg:
|
|
2426 |
self.__Raptor.Warn("missing flag ENABLE_ABIV2_MODE in %s file. ABIV1 builds are not supported.",
|
|
2427 |
str(variantCfg))
|
|
2428 |
variantHRH = variantCfgs[variantCfg]
|
|
2429 |
detail['ISFEATUREVARIANT'] = False
|
|
2430 |
|
|
2431 |
detail['VARIANT_HRH'] = variantHRH
|
|
2432 |
self.__Raptor.Info("'%s' uses variant hrh file '%s'", buildConfig.name, variantHRH)
|
5
|
2433 |
detail['SYSTEMINCLUDE'] = evaluator.CheckedGet("SYSTEMINCLUDE")
|
|
2434 |
|
3
|
2435 |
|
|
2436 |
# find all the interface names we need
|
5
|
2437 |
ifaceTypes = evaluator.CheckedGet("INTERFACE_TYPES")
|
3
|
2438 |
interfaces = ifaceTypes.split()
|
|
2439 |
|
|
2440 |
for iface in interfaces:
|
5
|
2441 |
detail[iface] = evaluator.CheckedGet("INTERFACE." + iface)
|
3
|
2442 |
|
|
2443 |
# not test code unless positively specified
|
5
|
2444 |
detail['TESTCODE'] = evaluator.CheckedGet("TESTCODE", "")
|
3
|
2445 |
|
|
2446 |
# make a key that identifies this platform uniquely
|
|
2447 |
# - used to tell us whether we have done the pre-processing
|
|
2448 |
# we need already using another platform with compatible values.
|
|
2449 |
|
|
2450 |
key = str(detail['VARIANT_HRH']) \
|
|
2451 |
+ str(detail['EPOCROOT']) \
|
|
2452 |
+ detail['SYSTEMINCLUDE'] \
|
|
2453 |
+ detail['PLATFORM']
|
|
2454 |
|
|
2455 |
# Keep a short version of the key for use in filenames.
|
|
2456 |
uniq = hashlib.md5()
|
|
2457 |
uniq.update(key)
|
|
2458 |
|
|
2459 |
detail['key'] = key
|
|
2460 |
detail['key_md5'] = "p_" + uniq.hexdigest()
|
|
2461 |
del uniq
|
|
2462 |
|
|
2463 |
# compare this configuration to the ones we have already seen
|
|
2464 |
|
|
2465 |
# Is this an unseen export platform?
|
|
2466 |
# concatenate all the values we care about in a fixed order
|
|
2467 |
# and use that as a signature for the exports.
|
|
2468 |
items = ['EPOCROOT', 'VARIANT_HRH', 'SYSTEMINCLUDE', 'TESTCODE', 'export']
|
|
2469 |
export = ""
|
|
2470 |
for i in items:
|
|
2471 |
if i in detail:
|
|
2472 |
export += i + str(detail[i])
|
|
2473 |
|
|
2474 |
if export in exports:
|
|
2475 |
# add this configuration to an existing export platform
|
|
2476 |
index = exports[export]
|
|
2477 |
self.ExportPlatforms[index]['configs'].append(buildConfig)
|
|
2478 |
else:
|
|
2479 |
# create a new export platform with this configuration
|
|
2480 |
exports[export] = len(self.ExportPlatforms)
|
|
2481 |
exp = copy.copy(detail)
|
|
2482 |
exp['PLATFORM'] = 'EXPORT'
|
|
2483 |
exp['configs'] = [buildConfig]
|
|
2484 |
self.ExportPlatforms.append(exp)
|
|
2485 |
|
|
2486 |
# Is this an unseen build platform?
|
|
2487 |
# concatenate all the values we care about in a fixed order
|
|
2488 |
# and use that as a signature for the platform.
|
|
2489 |
items = ['PLATFORM', 'EPOCROOT', 'VARIANT_HRH', 'SYSTEMINCLUDE', 'TESTCODE']
|
|
2490 |
if raptor_utilities.getOSPlatform().startswith("win"):
|
|
2491 |
items.append('PLATMACROS.WINDOWS')
|
|
2492 |
else:
|
|
2493 |
items.append('PLATMACROS.LINUX')
|
|
2494 |
|
|
2495 |
items.extend(interfaces)
|
|
2496 |
platform = ""
|
|
2497 |
for i in items:
|
|
2498 |
if i in detail:
|
|
2499 |
platform += i + str(detail[i])
|
|
2500 |
|
|
2501 |
if platform in platforms:
|
|
2502 |
# add this configuration to an existing build platform
|
|
2503 |
index = platforms[platform]
|
|
2504 |
self.BuildPlatforms[index]['configs'].append(buildConfig)
|
|
2505 |
else:
|
|
2506 |
# create a new build platform with this configuration
|
|
2507 |
platforms[platform] = len(self.BuildPlatforms)
|
|
2508 |
detail['configs'] = [buildConfig]
|
|
2509 |
self.BuildPlatforms.append(detail)
|
|
2510 |
|
|
2511 |
# one platform is picked as the "default" for extracting things
|
|
2512 |
# that are supposedly platform independent (e.g. PRJ_PLATFORMS)
|
|
2513 |
self.defaultPlatform = self.ExportPlatforms[0]
|
|
2514 |
|
5
|
2515 |
|
|
2516 |
def ReadBldInfFiles(self, aComponentList, doExportOnly):
|
3
|
2517 |
"""Take a list of bld.inf files and return a list of build specs.
|
|
2518 |
|
|
2519 |
The returned specification nodes will be suitable for all the build
|
|
2520 |
configurations under consideration (using Filter nodes where required).
|
|
2521 |
"""
|
|
2522 |
|
|
2523 |
# we need a Filter node per export platform
|
|
2524 |
exportNodes = []
|
|
2525 |
for i,ep in enumerate(self.ExportPlatforms):
|
5
|
2526 |
filter = raptor_data.Filter(name = "export_" + str(i))
|
3
|
2527 |
|
|
2528 |
# what configurations is this node active for?
|
|
2529 |
for config in ep['configs']:
|
|
2530 |
filter.AddConfigCondition(config.name)
|
|
2531 |
|
|
2532 |
exportNodes.append(filter)
|
|
2533 |
|
|
2534 |
# we need a Filter node per build platform
|
|
2535 |
platformNodes = []
|
|
2536 |
for i,bp in enumerate(self.BuildPlatforms):
|
5
|
2537 |
filter = raptor_data.Filter(name = "build_" + str(i))
|
3
|
2538 |
|
|
2539 |
# what configurations is this node active for?
|
|
2540 |
for config in bp['configs']:
|
|
2541 |
filter.AddConfigCondition(config.name)
|
|
2542 |
|
|
2543 |
# platform-wide data
|
|
2544 |
platformVar = raptor_data.Variant()
|
|
2545 |
platformVar.AddOperation(raptor_data.Set("PRODUCT_INCLUDE",
|
|
2546 |
str(bp['VARIANT_HRH'])))
|
|
2547 |
|
|
2548 |
filter.AddVariant(platformVar)
|
|
2549 |
platformNodes.append(filter)
|
|
2550 |
|
|
2551 |
# check that each bld.inf exists and add a Specification node for it
|
|
2552 |
# to the nodes of the export and build platforms that it supports.
|
5
|
2553 |
for c in aComponentList:
|
|
2554 |
if c.bldinf_filename.isFile():
|
|
2555 |
self.__Raptor.Info("Processing %s", str(c.bldinf_filename))
|
3
|
2556 |
try:
|
5
|
2557 |
self.AddComponentNodes(c, exportNodes, platformNodes)
|
3
|
2558 |
|
|
2559 |
except MetaDataError, e:
|
5
|
2560 |
self.__Raptor.Error(e.Text, bldinf=str(c.bldinf_filename))
|
3
|
2561 |
if not self.__Raptor.keepGoing:
|
|
2562 |
return []
|
|
2563 |
else:
|
5
|
2564 |
self.__Raptor.Error("build info file does not exist", bldinf=str(c.bldinf_filename))
|
3
|
2565 |
if not self.__Raptor.keepGoing:
|
|
2566 |
return []
|
|
2567 |
|
|
2568 |
# now we have the top-level structure in place...
|
|
2569 |
#
|
|
2570 |
# <filter exports 1>
|
|
2571 |
# <spec bld.inf 1 />
|
|
2572 |
# <spec bld.inf 2 />
|
|
2573 |
# <spec bld.inf N /> </filter>
|
|
2574 |
# <filter build 1>
|
|
2575 |
# <spec bld.inf 1 />
|
|
2576 |
# <spec bld.inf 2 />
|
|
2577 |
# <spec bld.inf N /> </filter>
|
|
2578 |
# <filter build 2>
|
|
2579 |
# <spec bld.inf 1 />
|
|
2580 |
# <spec bld.inf 2 />
|
|
2581 |
# <spec bld.inf N /> </filter>
|
|
2582 |
# <filter build 3>
|
|
2583 |
# <spec bld.inf 1 />
|
|
2584 |
# <spec bld.inf 2 />
|
|
2585 |
# <spec bld.inf N /> </filter>
|
|
2586 |
#
|
|
2587 |
# assuming that every bld.inf builds for every platform and all
|
|
2588 |
# exports go to the same place. clearly, it is more likely that
|
|
2589 |
# some filters have less than N child nodes. in bigger builds there
|
|
2590 |
# will also be more than one export platform.
|
|
2591 |
|
|
2592 |
# we now need to process the EXPORTS for all the bld.inf nodes
|
|
2593 |
# before we can do anything else (because raptor itself must do
|
|
2594 |
# some exports before the MMP files that include them can be
|
|
2595 |
# processed).
|
|
2596 |
for i,p in enumerate(exportNodes):
|
|
2597 |
exportPlatform = self.ExportPlatforms[i]
|
|
2598 |
for s in p.GetChildSpecs():
|
|
2599 |
try:
|
|
2600 |
self.ProcessExports(s, exportPlatform)
|
|
2601 |
|
|
2602 |
except MetaDataError, e:
|
|
2603 |
self.__Raptor.Error("%s",e.Text)
|
|
2604 |
if not self.__Raptor.keepGoing:
|
|
2605 |
return []
|
|
2606 |
|
|
2607 |
# this is a switch to return the function at this point if export
|
|
2608 |
# only option is specified in the run
|
|
2609 |
if (self.__Raptor.doExportOnly):
|
|
2610 |
self.__Raptor.Info("Processing Exports only")
|
|
2611 |
return[]
|
|
2612 |
|
|
2613 |
# after exports are done we can look to see if there are any
|
|
2614 |
# new Interfaces which can be used for EXTENSIONS. Make sure
|
|
2615 |
# that we only load each cache once as some export platforms
|
|
2616 |
# may share a directory.
|
|
2617 |
doneID = {}
|
|
2618 |
for ep in self.ExportPlatforms:
|
|
2619 |
flmDir = ep["FLM_EXPORT_DIR"]
|
|
2620 |
cid = ep["CACHEID"]
|
|
2621 |
if flmDir.isDir() and not cid in doneID:
|
|
2622 |
self.__Raptor.cache.Load(flmDir, cid)
|
|
2623 |
doneID[cid] = True
|
|
2624 |
|
|
2625 |
# finally we can process all the other parts of the bld.inf nodes.
|
|
2626 |
# Keep a list of the projects we were asked to build so that we can
|
|
2627 |
# tell at the end if there were any we didn't know about.
|
|
2628 |
self.projectList = list(self.__Raptor.projects)
|
|
2629 |
for i,p in enumerate(platformNodes):
|
|
2630 |
buildPlatform = self.BuildPlatforms[i]
|
|
2631 |
for s in p.GetChildSpecs():
|
|
2632 |
try:
|
|
2633 |
self.ProcessTEMs(s, buildPlatform)
|
|
2634 |
self.ProcessMMPs(s, buildPlatform)
|
|
2635 |
|
|
2636 |
except MetaDataError, e:
|
|
2637 |
self.__Raptor.Error(e.Text)
|
|
2638 |
if not self.__Raptor.keepGoing:
|
|
2639 |
return []
|
|
2640 |
|
|
2641 |
for badProj in self.projectList:
|
|
2642 |
self.__Raptor.Warn("Can't find project '%s' in any build info file", badProj)
|
|
2643 |
|
|
2644 |
# everything is specified
|
|
2645 |
return exportNodes + platformNodes
|
|
2646 |
|
|
2647 |
def ModuleName(self,aBldInfPath):
|
|
2648 |
"""Calculate the name of the ROM/emulator batch files that run the tests"""
|
|
2649 |
|
|
2650 |
def LeftPortionOf(pth,sep):
|
|
2651 |
""" Internal function to return portion of str that is to the left of sep.
|
|
2652 |
The partition is case-insentive."""
|
|
2653 |
length = len((pth.lower().partition(sep.lower()))[0])
|
|
2654 |
return pth[0:length]
|
|
2655 |
|
|
2656 |
modulePath = LeftPortionOf(LeftPortionOf(os.path.dirname(aBldInfPath), "group"), "ongoing")
|
|
2657 |
moduleName = os.path.basename(modulePath.strip("/"))
|
|
2658 |
|
|
2659 |
# Ensure that ModuleName does not return blank, if the above calculation determines
|
|
2660 |
# that moduleName is blank
|
|
2661 |
if moduleName == "" or moduleName.endswith(":"):
|
|
2662 |
moduleName = "module"
|
|
2663 |
return moduleName
|
|
2664 |
|
|
2665 |
|
5
|
2666 |
def AddComponentNodes(self, component, exportNodes, platformNodes):
|
3
|
2667 |
"""Add Specification nodes for a bld.inf to the appropriate platforms."""
|
5
|
2668 |
bldInfFile = BldInfFile(component.bldinf_filename, self.__gnucpp, component.depfiles, self.__Raptor)
|
|
2669 |
component.bldinf = bldInfFile
|
|
2670 |
|
|
2671 |
specName = getSpecName(component.bldinf_filename, fullPath=True)
|
|
2672 |
|
|
2673 |
if isinstance(component.bldinf, raptor_xml.SystemModelComponent):
|
3
|
2674 |
# this component came from a system_definition.xml
|
5
|
2675 |
layer = component.bldinf.GetContainerName("layer")
|
|
2676 |
componentName = component.bldinf.GetContainerName("component")
|
3
|
2677 |
else:
|
|
2678 |
# this is a plain old bld.inf file from the command-line
|
|
2679 |
layer = ""
|
5
|
2680 |
componentName = ""
|
3
|
2681 |
|
|
2682 |
# exports are independent of build platform
|
|
2683 |
for i,ep in enumerate(self.ExportPlatforms):
|
5
|
2684 |
specNode = raptor_data.Specification(name = specName)
|
3
|
2685 |
|
|
2686 |
# keep the BldInfFile object for later
|
5
|
2687 |
specNode.component = component
|
3
|
2688 |
|
|
2689 |
# add some basic data in a component-wide variant
|
5
|
2690 |
var = raptor_data.Variant(name='component-wide')
|
|
2691 |
var.AddOperation(raptor_data.Set("COMPONENT_META", str(component.bldinf_filename)))
|
|
2692 |
var.AddOperation(raptor_data.Set("COMPONENT_NAME", componentName))
|
3
|
2693 |
var.AddOperation(raptor_data.Set("COMPONENT_LAYER", layer))
|
|
2694 |
specNode.AddVariant(var)
|
|
2695 |
|
|
2696 |
# add this bld.inf Specification to the export platform
|
|
2697 |
exportNodes[i].AddChild(specNode)
|
5
|
2698 |
component.exportspecs.append(specNode)
|
3
|
2699 |
|
|
2700 |
# get the relevant build platforms
|
|
2701 |
listedPlatforms = bldInfFile.getBuildPlatforms(self.defaultPlatform)
|
|
2702 |
platforms = getBuildableBldInfBuildPlatforms(listedPlatforms,
|
5
|
2703 |
self.__defaultplatforms,
|
|
2704 |
self.__basedefaultplatforms,
|
|
2705 |
self.__baseuserdefaultplatforms)
|
|
2706 |
|
|
2707 |
|
|
2708 |
outputDir = BldInfFile.outputPathFragment(component.bldinf_filename)
|
3
|
2709 |
|
|
2710 |
# Calculate "module name"
|
5
|
2711 |
modulename = self.ModuleName(str(component.bldinf_filename))
|
3
|
2712 |
|
|
2713 |
for i,bp in enumerate(self.BuildPlatforms):
|
5
|
2714 |
plat = bp['PLATFORM']
|
3
|
2715 |
if bp['PLATFORM'] in platforms:
|
5
|
2716 |
specNode = raptor_data.Specification(name = specName)
|
|
2717 |
|
|
2718 |
# remember what component this spec node comes from for later
|
|
2719 |
specNode.component = component
|
3
|
2720 |
|
|
2721 |
# add some basic data in a component-wide variant
|
5
|
2722 |
var = raptor_data.Variant(name='component-wide-settings-' + plat)
|
|
2723 |
var.AddOperation(raptor_data.Set("COMPONENT_META",str(component.bldinf_filename)))
|
|
2724 |
var.AddOperation(raptor_data.Set("COMPONENT_NAME", componentName))
|
3
|
2725 |
var.AddOperation(raptor_data.Set("COMPONENT_LAYER", layer))
|
|
2726 |
var.AddOperation(raptor_data.Set("MODULE", modulename))
|
|
2727 |
var.AddOperation(raptor_data.Append("OUTPUTPATHOFFSET", outputDir, '/'))
|
|
2728 |
var.AddOperation(raptor_data.Append("OUTPUTPATH", outputDir, '/'))
|
|
2729 |
var.AddOperation(raptor_data.Append("BLDINF_OUTPUTPATH",outputDir, '/'))
|
|
2730 |
|
5
|
2731 |
var.AddOperation(raptor_data.Set("TEST_OPTION", component.bldinf.getRomTestType(bp)))
|
3
|
2732 |
specNode.AddVariant(var)
|
|
2733 |
|
|
2734 |
# add this bld.inf Specification to the build platform
|
|
2735 |
platformNodes[i].AddChild(specNode)
|
5
|
2736 |
# also attach it into the component
|
|
2737 |
component.specs.append(specNode)
|
3
|
2738 |
|
|
2739 |
def ProcessExports(self, componentNode, exportPlatform):
|
|
2740 |
"""Do the exports for a given platform and skeleton bld.inf node.
|
|
2741 |
|
|
2742 |
This will actually perform exports as certain types of files (.mmh)
|
|
2743 |
are required to be in place before the rest of the bld.inf node
|
|
2744 |
(and parts of other bld.inf nodes) can be processed.
|
|
2745 |
|
|
2746 |
[some MMP files #include exported .mmh files]
|
|
2747 |
"""
|
|
2748 |
if exportPlatform["TESTCODE"]:
|
5
|
2749 |
exports = componentNode.component.bldinf.getTestExports(exportPlatform)
|
3
|
2750 |
else:
|
5
|
2751 |
exports = componentNode.component.bldinf.getExports(exportPlatform)
|
3
|
2752 |
|
|
2753 |
self.__Raptor.Debug("%i exports for %s",
|
5
|
2754 |
len(exports), str(componentNode.component.bldinf.filename))
|
3
|
2755 |
if exports:
|
|
2756 |
|
|
2757 |
# each export is either a 'copy' or 'unzip'
|
|
2758 |
# maybe we should trap multiple exports to the same location here?
|
|
2759 |
epocroot = str(exportPlatform["EPOCROOT"])
|
5
|
2760 |
bldinf_filename = str(componentNode.component.bldinf.filename)
|
3
|
2761 |
exportwhatlog="<whatlog bldinf='%s' mmp='' config=''>\n" % bldinf_filename
|
|
2762 |
for export in exports:
|
|
2763 |
expSrc = export.getSource()
|
|
2764 |
expDstList = export.getDestination() # Might not be a list in all circumstances
|
|
2765 |
|
|
2766 |
# make it a list if it isn't
|
|
2767 |
if not isinstance(expDstList, list):
|
|
2768 |
expDstList = [expDstList]
|
|
2769 |
|
|
2770 |
fromFile = generic_path.Path(expSrc.replace("$(EPOCROOT)", epocroot))
|
|
2771 |
|
|
2772 |
# For each destination in the destination list, add an export target, perform it if required.
|
|
2773 |
# This ensures that make knows the dependency situation but that the export is made
|
|
2774 |
# before any other part of the metadata requires it. It also helps with the build
|
|
2775 |
# from clean situation where we can't use order only prerequisites.
|
|
2776 |
for expDst in expDstList:
|
|
2777 |
toFile = generic_path.Path(expDst.replace("$(EPOCROOT)", epocroot))
|
|
2778 |
try:
|
|
2779 |
if export.getAction() == "copy":
|
|
2780 |
# export the file
|
|
2781 |
exportwhatlog += self.CopyExport(fromFile, toFile, bldinf_filename)
|
|
2782 |
else:
|
|
2783 |
exportwhatlog += ("<archive zipfile='" + str(fromFile) + "'>\n")
|
|
2784 |
members = self.UnzipExport(fromFile, toFile,
|
|
2785 |
str(exportPlatform['SBS_BUILD_DIR']),
|
|
2786 |
bldinf_filename)
|
|
2787 |
if members != None:
|
|
2788 |
exportwhatlog += members
|
|
2789 |
exportwhatlog += "</archive>\n"
|
|
2790 |
except MetaDataError, e:
|
|
2791 |
if self.__Raptor.keepGoing:
|
|
2792 |
self.__Raptor.Error("%s",e.Text, bldinf=bldinf_filename)
|
|
2793 |
else:
|
|
2794 |
raise e
|
|
2795 |
exportwhatlog+="</whatlog>\n"
|
|
2796 |
self.__Raptor.PrintXML("%s",exportwhatlog)
|
|
2797 |
|
|
2798 |
def CopyExport(self, _source, _destination, bldInfFile):
|
|
2799 |
"""Copy the source file to the destination file (create a directory
|
|
2800 |
to copy into if it does not exist). Don't copy if the destination
|
|
2801 |
file exists and has an equal or newer modification time."""
|
|
2802 |
source = generic_path.Path(str(_source).replace('%20',' '))
|
|
2803 |
destination = generic_path.Path(str(_destination).replace('%20',' '))
|
|
2804 |
dest_str = str(destination)
|
|
2805 |
source_str = str(source)
|
|
2806 |
|
|
2807 |
exportwhatlog="<export destination='" + dest_str + "' source='" + \
|
|
2808 |
source_str + "'/>\n"
|
|
2809 |
|
|
2810 |
try:
|
|
2811 |
|
|
2812 |
|
|
2813 |
destDir = destination.Dir()
|
|
2814 |
if not destDir.isDir():
|
|
2815 |
os.makedirs(str(destDir))
|
|
2816 |
shutil.copyfile(source_str, dest_str)
|
|
2817 |
return exportwhatlog
|
|
2818 |
|
|
2819 |
sourceMTime = 0
|
|
2820 |
destMTime = 0
|
|
2821 |
try:
|
|
2822 |
sourceMTime = os.stat(source_str)[stat.ST_MTIME]
|
|
2823 |
destMTime = os.stat(dest_str)[stat.ST_MTIME]
|
|
2824 |
except OSError, e:
|
|
2825 |
if sourceMTime == 0:
|
|
2826 |
message = "Source of export does not exist: " + str(source)
|
|
2827 |
if not self.__Raptor.keepGoing:
|
|
2828 |
raise MetaDataError(message)
|
|
2829 |
else:
|
|
2830 |
self.__Raptor.Error(message, bldinf=bldInfFile)
|
|
2831 |
|
|
2832 |
if destMTime == 0 or destMTime < sourceMTime:
|
|
2833 |
if os.path.exists(dest_str):
|
|
2834 |
os.chmod(dest_str,stat.S_IREAD | stat.S_IWRITE)
|
|
2835 |
shutil.copyfile(source_str, dest_str)
|
|
2836 |
self.__Raptor.Info("Copied %s to %s", source_str, dest_str)
|
|
2837 |
else:
|
|
2838 |
self.__Raptor.Info("Up-to-date: %s", dest_str)
|
|
2839 |
|
|
2840 |
|
|
2841 |
except Exception,e:
|
|
2842 |
message = "Could not export " + source_str + " to " + dest_str + " : " + str(e)
|
|
2843 |
if not self.__Raptor.keepGoing:
|
|
2844 |
raise MetaDataError(message)
|
|
2845 |
else:
|
|
2846 |
self.__Raptor.Error(message, bldinf=bldInfFile)
|
|
2847 |
|
|
2848 |
return exportwhatlog
|
|
2849 |
|
|
2850 |
|
|
2851 |
def UnzipExport(self, _source, _destination, _sbs_build_dir, bldinf_filename):
|
|
2852 |
"""Unzip the source zipfile into the destination directory
|
|
2853 |
but only if the markerfile does not already exist there
|
|
2854 |
or it does exist but is older than the zipfile.
|
|
2855 |
the markerfile is comprised of the name of the zipfile
|
|
2856 |
with the ".zip" removed and ".unzipped" added.
|
|
2857 |
"""
|
|
2858 |
|
|
2859 |
# Insert spaces into file if they are there
|
|
2860 |
source = str(_source).replace('%20',' ')
|
|
2861 |
destination = str(_destination).replace('%20',' ')
|
|
2862 |
sanitisedSource = raptor_utilities.sanitise(source)
|
|
2863 |
sanitisedDestination = raptor_utilities.sanitise(destination)
|
|
2864 |
|
|
2865 |
destination = str(_destination).replace('%20',' ')
|
|
2866 |
exportwhatlog = ""
|
|
2867 |
|
|
2868 |
|
|
2869 |
try:
|
|
2870 |
if not _destination.isDir():
|
|
2871 |
os.makedirs(destination)
|
|
2872 |
|
|
2873 |
# Form the directory to contain the unzipped marker files, and make the directory if require.
|
|
2874 |
markerfiledir = generic_path.Path(_sbs_build_dir)
|
|
2875 |
if not markerfiledir.isDir():
|
|
2876 |
os.makedirs(str(markerfiledir))
|
|
2877 |
|
|
2878 |
# Form the marker file name and convert to Python string
|
|
2879 |
markerfilename = str(generic_path.Join(markerfiledir, sanitisedSource + sanitisedDestination + ".unzipped"))
|
|
2880 |
|
|
2881 |
# Don't unzip if the marker file is already there or more uptodate
|
|
2882 |
sourceMTime = 0
|
|
2883 |
destMTime = 0
|
|
2884 |
try:
|
|
2885 |
sourceMTime = os.stat(source)[stat.ST_MTIME]
|
|
2886 |
destMTime = os.stat(markerfilename)[stat.ST_MTIME]
|
|
2887 |
except OSError, e:
|
|
2888 |
if sourceMTime == 0:
|
|
2889 |
raise MetaDataError("Source zip for export does not exist: " + source)
|
|
2890 |
if destMTime != 0 and destMTime >= sourceMTime:
|
|
2891 |
# This file has already been unzipped. Print members then return
|
|
2892 |
exportzip = zipfile.ZipFile(source, 'r')
|
|
2893 |
files = exportzip.namelist()
|
|
2894 |
files.sort()
|
|
2895 |
|
|
2896 |
for file in files:
|
|
2897 |
if not file.endswith('/'):
|
|
2898 |
expfilename = str(generic_path.Join(destination, file))
|
|
2899 |
exportwhatlog += "<member>" + expfilename + "</member>\n"
|
|
2900 |
|
|
2901 |
self.__Raptor.PrintXML("<clean bldinf='" + bldinf_filename + "' mmp='' config=''>\n")
|
|
2902 |
self.__Raptor.PrintXML("<zipmarker>" + markerfilename + "</zipmarker>\n")
|
|
2903 |
self.__Raptor.PrintXML("</clean>\n")
|
|
2904 |
|
|
2905 |
return exportwhatlog
|
|
2906 |
|
|
2907 |
exportzip = zipfile.ZipFile(source, 'r')
|
|
2908 |
files = exportzip.namelist()
|
|
2909 |
files.sort()
|
|
2910 |
filecount = 0
|
|
2911 |
for file in files:
|
|
2912 |
expfilename = str(generic_path.Join(destination, file))
|
|
2913 |
if file.endswith('/'):
|
|
2914 |
try:
|
|
2915 |
os.makedirs(expfilename)
|
|
2916 |
except OSError, e:
|
|
2917 |
pass # errors to do with "already exists" are not interesting.
|
|
2918 |
else:
|
|
2919 |
try:
|
|
2920 |
os.makedirs(os.path.split(expfilename)[0])
|
|
2921 |
except OSError, e:
|
|
2922 |
pass # errors to do with "already exists" are not interesting.
|
|
2923 |
|
|
2924 |
try:
|
|
2925 |
if os.path.exists(expfilename):
|
|
2926 |
os.chmod(expfilename,stat.S_IREAD | stat.S_IWRITE)
|
|
2927 |
expfile = open(expfilename, 'wb')
|
|
2928 |
expfile.write(exportzip.read(file))
|
|
2929 |
expfile.close()
|
|
2930 |
# Each file keeps its modified time the same as what it was before unzipping
|
|
2931 |
accesstime = time.time()
|
|
2932 |
datetime = exportzip.getinfo(file).date_time
|
|
2933 |
timeTuple=(int(datetime[0]), int(datetime[1]), int(datetime[2]), int(datetime[3]), \
|
|
2934 |
int(datetime[4]), int(datetime[5]), int(0), int(0), int(0))
|
|
2935 |
modifiedtime = time.mktime(timeTuple)
|
|
2936 |
os.utime(expfilename,(accesstime, modifiedtime))
|
|
2937 |
|
|
2938 |
filecount += 1
|
|
2939 |
exportwhatlog+="<member>" + expfilename + "</member>\n"
|
|
2940 |
except IOError, e:
|
|
2941 |
message = "Could not unzip %s to %s: file %s: %s" %(source, destination, expfilename, str(e))
|
|
2942 |
if not self.__Raptor.keepGoing:
|
|
2943 |
raise MetaDataError(message)
|
|
2944 |
else:
|
|
2945 |
self.__Raptor.Error(message, bldinf=bldinf_filename)
|
|
2946 |
|
|
2947 |
markerfile = open(markerfilename, 'wb+')
|
|
2948 |
markerfile.close()
|
|
2949 |
self.__Raptor.PrintXML("<clean bldinf='" + bldinf_filename + "' mmp='' config=''>\n")
|
|
2950 |
self.__Raptor.PrintXML("<zipmarker>" + markerfilename + "</zipmarker>\n")
|
|
2951 |
self.__Raptor.PrintXML("</clean>\n")
|
|
2952 |
|
|
2953 |
except IOError:
|
|
2954 |
self.__Raptor.Warn("Problem while unzipping export %s to %s: %s",source,destination,str(e))
|
|
2955 |
|
|
2956 |
self.__Raptor.Info("Unzipped %d files from %s to %s", filecount, source, destination)
|
|
2957 |
return exportwhatlog
|
|
2958 |
|
|
2959 |
def ProcessTEMs(self, componentNode, buildPlatform):
|
|
2960 |
"""Add Template Extension Makefile nodes for a given platform
|
|
2961 |
to a skeleton bld.inf node.
|
|
2962 |
|
|
2963 |
This happens after exports have been handled.
|
|
2964 |
"""
|
|
2965 |
if buildPlatform["ISFEATUREVARIANT"]:
|
|
2966 |
return # feature variation does not run extensions at all
|
|
2967 |
|
|
2968 |
if buildPlatform["TESTCODE"]:
|
5
|
2969 |
extensions = componentNode.component.bldinf.getTestExtensions(buildPlatform)
|
3
|
2970 |
else:
|
5
|
2971 |
extensions = componentNode.component.bldinf.getExtensions(buildPlatform)
|
3
|
2972 |
|
|
2973 |
self.__Raptor.Debug("%i template extension makefiles for %s",
|
5
|
2974 |
len(extensions), str(componentNode.component.bldinf.filename))
|
3
|
2975 |
|
|
2976 |
for i,extension in enumerate(extensions):
|
|
2977 |
if self.__Raptor.projects:
|
|
2978 |
if not extension.nametag in self.__Raptor.projects:
|
|
2979 |
self.__Raptor.Debug("Skipping %s", extension.getMakefile())
|
|
2980 |
continue
|
|
2981 |
elif extension.nametag in self.projectList:
|
|
2982 |
self.projectList.remove(extension.nametag)
|
|
2983 |
|
|
2984 |
extensionSpec = raptor_data.Specification("extension" + str(i))
|
|
2985 |
|
|
2986 |
interface = buildPlatform["extension"]
|
|
2987 |
customInterface = False
|
|
2988 |
|
|
2989 |
# is there an FLM replacement for this extension?
|
|
2990 |
if extension.interface:
|
|
2991 |
try:
|
|
2992 |
interface = self.__Raptor.cache.FindNamedInterface(extension.interface, buildPlatform["CACHEID"])
|
|
2993 |
customInterface = True
|
|
2994 |
except KeyError:
|
|
2995 |
# no, there isn't an FLM
|
|
2996 |
pass
|
|
2997 |
|
|
2998 |
extensionSpec.SetInterface(interface)
|
|
2999 |
|
|
3000 |
var = raptor_data.Variant()
|
|
3001 |
var.AddOperation(raptor_data.Set("EPOCBLD", "$(OUTPUTPATH)"))
|
|
3002 |
var.AddOperation(raptor_data.Set("PLATFORM", buildPlatform["PLATFORM"]))
|
|
3003 |
var.AddOperation(raptor_data.Set("PLATFORM_PATH", buildPlatform["PLATFORM"].lower()))
|
|
3004 |
var.AddOperation(raptor_data.Set("CFG", "$(VARIANTTYPE)"))
|
|
3005 |
var.AddOperation(raptor_data.Set("CFG_PATH", "$(VARIANTTYPE)"))
|
|
3006 |
var.AddOperation(raptor_data.Set("GENERATEDCPP", "$(OUTPUTPATH)"))
|
|
3007 |
var.AddOperation(raptor_data.Set("TEMPLATE_EXTENSION_MAKEFILE", extension.getMakefile()))
|
|
3008 |
var.AddOperation(raptor_data.Set("TEMCOUNT", str(i)))
|
|
3009 |
|
|
3010 |
# Extension inputs are added to the build spec.
|
|
3011 |
# '$'s are escaped so that they are not expanded by Raptor or
|
|
3012 |
# by Make in the call to the FLM
|
|
3013 |
# The Extension makefiles are supposed to expand them themselves
|
|
3014 |
# Path separators need not be parameterised anymore
|
|
3015 |
# as bash is the standard shell
|
|
3016 |
standardVariables = extension.getStandardVariables()
|
|
3017 |
for standardVariable in standardVariables.keys():
|
|
3018 |
self.__Raptor.Debug("Set %s=%s", standardVariable, standardVariables[standardVariable])
|
|
3019 |
value = standardVariables[standardVariable].replace('$(', '$$$$(')
|
|
3020 |
value = value.replace('$/', '/').replace('$;', ':')
|
|
3021 |
var.AddOperation(raptor_data.Set(standardVariable, value))
|
|
3022 |
|
|
3023 |
# . . . as with the standard variables but the names and number
|
|
3024 |
# of options are not known in advance so we add them to
|
|
3025 |
# a "structure" that is self-describing
|
|
3026 |
var.AddOperation(raptor_data.Set("O._MEMBERS", ""))
|
|
3027 |
options = extension.getOptions()
|
|
3028 |
for option in options:
|
|
3029 |
self.__Raptor.Debug("Set %s=%s", option, options[option])
|
|
3030 |
value = options[option].replace('$(EPOCROOT)', '$(EPOCROOT)/')
|
|
3031 |
value = value.replace('$(', '$$$$(')
|
|
3032 |
value = value.replace('$/', '/').replace('$;', ':')
|
|
3033 |
value = value.replace('$/', '/').replace('$;', ':')
|
|
3034 |
|
|
3035 |
if customInterface:
|
|
3036 |
var.AddOperation(raptor_data.Set(option, value))
|
|
3037 |
else:
|
|
3038 |
var.AddOperation(raptor_data.Append("O._MEMBERS", option))
|
|
3039 |
var.AddOperation(raptor_data.Set("O." + option, value))
|
|
3040 |
|
|
3041 |
extensionSpec.AddVariant(var)
|
|
3042 |
componentNode.AddChild(extensionSpec)
|
|
3043 |
|
|
3044 |
|
|
3045 |
def ProcessMMPs(self, componentNode, buildPlatform):
|
|
3046 |
"""Add project nodes for a given platform to a skeleton bld.inf node.
|
|
3047 |
|
|
3048 |
This happens after exports have been handled.
|
|
3049 |
"""
|
|
3050 |
gnuList = []
|
|
3051 |
makefileList = []
|
|
3052 |
|
5
|
3053 |
|
|
3054 |
component = componentNode.component
|
|
3055 |
|
|
3056 |
|
3
|
3057 |
if buildPlatform["TESTCODE"]:
|
5
|
3058 |
MMPList = component.bldinf.getTestMMPList(buildPlatform)
|
3
|
3059 |
else:
|
5
|
3060 |
MMPList = component.bldinf.getMMPList(buildPlatform)
|
|
3061 |
|
|
3062 |
bldInfFile = component.bldinf.filename
|
3
|
3063 |
|
|
3064 |
for mmpFileEntry in MMPList['mmpFileList']:
|
5
|
3065 |
component.AddMMP(mmpFileEntry.filename) # Tell the component another mmp is specified (for this platform)
|
|
3066 |
|
3
|
3067 |
projectname = mmpFileEntry.filename.File().lower()
|
|
3068 |
|
|
3069 |
if self.__Raptor.projects:
|
|
3070 |
if not projectname in self.__Raptor.projects:
|
|
3071 |
self.__Raptor.Debug("Skipping %s", str(mmpFileEntry.filename))
|
|
3072 |
continue
|
|
3073 |
elif projectname in self.projectList:
|
|
3074 |
self.projectList.remove(projectname)
|
|
3075 |
|
|
3076 |
foundmmpfile = (mmpFileEntry.filename).FindCaseless()
|
|
3077 |
|
|
3078 |
if foundmmpfile == None:
|
|
3079 |
self.__Raptor.Error("Can't find mmp file '%s'", str(mmpFileEntry.filename), bldinf=str(bldInfFile))
|
|
3080 |
continue
|
|
3081 |
|
|
3082 |
mmpFile = MMPFile(foundmmpfile,
|
|
3083 |
self.__gnucpp,
|
5
|
3084 |
component.bldinf,
|
|
3085 |
component.depfiles,
|
3
|
3086 |
log = self.__Raptor)
|
|
3087 |
|
|
3088 |
mmpFilename = mmpFile.filename
|
|
3089 |
|
|
3090 |
self.__Raptor.Info("Processing %s for platform %s",
|
|
3091 |
str(mmpFilename),
|
|
3092 |
" + ".join([x.name for x in buildPlatform["configs"]]))
|
|
3093 |
|
|
3094 |
# Run the Parser
|
|
3095 |
# The backend supplies the actions
|
|
3096 |
content = mmpFile.getContent(buildPlatform)
|
|
3097 |
backend = MMPRaptorBackend(self.__Raptor, str(mmpFilename), str(bldInfFile))
|
|
3098 |
parser = MMPParser(backend)
|
|
3099 |
parseresult = None
|
|
3100 |
try:
|
|
3101 |
parseresult = parser.mmp.parseString(content)
|
|
3102 |
except ParseException,e:
|
|
3103 |
self.__Raptor.Debug(e) # basically ignore parse exceptions
|
|
3104 |
|
|
3105 |
if (not parseresult) or (parseresult[0] != 'MMP'):
|
|
3106 |
self.__Raptor.Error("The MMP Parser didn't recognise the mmp file '%s'",
|
|
3107 |
str(mmpFileEntry.filename),
|
|
3108 |
bldinf=str(bldInfFile))
|
|
3109 |
self.__Raptor.Debug(content)
|
|
3110 |
self.__Raptor.Debug("The parse result was %s", parseresult)
|
|
3111 |
else:
|
|
3112 |
backend.finalise(buildPlatform)
|
|
3113 |
|
|
3114 |
# feature variation only processes FEATUREVARIANT binaries
|
|
3115 |
if buildPlatform["ISFEATUREVARIANT"] and not backend.featureVariant:
|
|
3116 |
continue
|
|
3117 |
|
|
3118 |
# now build the specification tree
|
5
|
3119 |
mmpSpec = raptor_data.Specification(generic_path.Path(getSpecName(mmpFilename)))
|
3
|
3120 |
var = backend.BuildVariant
|
|
3121 |
|
|
3122 |
var.AddOperation(raptor_data.Set("PROJECT_META", str(mmpFilename)))
|
|
3123 |
|
|
3124 |
# If it is a TESTMMPFILE section, the FLM needs to know about it
|
|
3125 |
if buildPlatform["TESTCODE"] and (mmpFileEntry.testoption in
|
|
3126 |
["manual", "auto"]):
|
|
3127 |
|
|
3128 |
var.AddOperation(raptor_data.Set("TESTPATH",
|
|
3129 |
mmpFileEntry.testoption.lower() + ".bat"))
|
|
3130 |
|
|
3131 |
# The output path for objects, stringtables and bitmaps specified by
|
|
3132 |
# this MMP. Adding in the requested target extension prevents build
|
|
3133 |
# "fouling" in cases where there are several mmp targets which only differ
|
|
3134 |
# by the requested extension. e.g. elocl.01 and elocl.18
|
|
3135 |
var.AddOperation(raptor_data.Append("OUTPUTPATH","$(UNIQUETARGETPATH)",'/'))
|
|
3136 |
|
|
3137 |
# If the bld.inf entry for this MMP had the BUILD_AS_ARM option then
|
|
3138 |
# tell the FLM.
|
|
3139 |
if mmpFileEntry.armoption:
|
|
3140 |
var.AddOperation(raptor_data.Set("ALWAYS_BUILD_AS_ARM","1"))
|
|
3141 |
|
|
3142 |
# what interface builds this node?
|
|
3143 |
try:
|
|
3144 |
interfaceName = buildPlatform[backend.getTargetType()]
|
|
3145 |
mmpSpec.SetInterface(interfaceName)
|
|
3146 |
except KeyError:
|
|
3147 |
self.__Raptor.Error("Unsupported target type '%s' in %s",
|
|
3148 |
backend.getTargetType(),
|
|
3149 |
str(mmpFileEntry.filename),
|
|
3150 |
bldinf=str(bldInfFile))
|
|
3151 |
continue
|
|
3152 |
|
|
3153 |
# Although not part of the MMP, some MMP-based build specs additionally require knowledge of their
|
|
3154 |
# container bld.inf exported headers
|
5
|
3155 |
for export in componentNode.component.bldinf.getExports(buildPlatform):
|
3
|
3156 |
destination = export.getDestination()
|
|
3157 |
if isinstance(destination, list):
|
|
3158 |
exportfile = str(destination[0])
|
|
3159 |
else:
|
|
3160 |
exportfile = str(destination)
|
|
3161 |
|
|
3162 |
if re.search('\.h',exportfile,re.IGNORECASE):
|
|
3163 |
var.AddOperation(raptor_data.Append("EXPORTHEADERS", str(exportfile)))
|
|
3164 |
|
|
3165 |
# now we have something worth adding to the component
|
|
3166 |
mmpSpec.AddVariant(var)
|
|
3167 |
componentNode.AddChild(mmpSpec)
|
9
|
3168 |
|
|
3169 |
# if there are APPLY variants then add them to the mmpSpec too
|
|
3170 |
for applyVar in backend.ApplyVariants:
|
|
3171 |
try:
|
|
3172 |
mmpSpec.AddVariant(self.__Raptor.cache.FindNamedVariant(applyVar))
|
|
3173 |
except KeyError:
|
|
3174 |
self.__Raptor.Error("APPLY unknown variant '%s' in %s",
|
|
3175 |
applyVar,
|
|
3176 |
str(mmpFileEntry.filename),
|
|
3177 |
bldinf=str(bldInfFile))
|
3
|
3178 |
|
|
3179 |
# resources, stringtables and bitmaps are sub-nodes of this project
|
|
3180 |
# (do not add these for feature variant builds)
|
|
3181 |
|
|
3182 |
if not buildPlatform["ISFEATUREVARIANT"]:
|
|
3183 |
# Buildspec for Resource files
|
|
3184 |
for i,rvar in enumerate(backend.ResourceVariants):
|
|
3185 |
resourceSpec = raptor_data.Specification('resource' + str(i))
|
|
3186 |
resourceSpec.SetInterface(buildPlatform['resource'])
|
|
3187 |
resourceSpec.AddVariant(rvar)
|
|
3188 |
mmpSpec.AddChild(resourceSpec)
|
|
3189 |
|
|
3190 |
# Buildspec for String Tables
|
|
3191 |
for i,stvar in enumerate(backend.StringTableVariants):
|
|
3192 |
stringTableSpec = raptor_data.Specification('stringtable' + str(i))
|
|
3193 |
stringTableSpec.SetInterface(buildPlatform['stringtable'])
|
|
3194 |
stringTableSpec.AddVariant(stvar)
|
|
3195 |
mmpSpec.AddChild(stringTableSpec)
|
|
3196 |
|
|
3197 |
# Buildspec for Bitmaps
|
|
3198 |
for i,bvar in enumerate(backend.BitmapVariants):
|
|
3199 |
bitmapSpec = raptor_data.Specification('bitmap' + str(i))
|
|
3200 |
bitmapSpec.SetInterface(buildPlatform['bitmap'])
|
|
3201 |
bitmapSpec.AddVariant(bvar)
|
|
3202 |
mmpSpec.AddChild(bitmapSpec)
|
|
3203 |
|
|
3204 |
# feature variation does not run extensions at all
|
|
3205 |
# so return without considering .*MAKEFILE sections
|
|
3206 |
if buildPlatform["ISFEATUREVARIANT"]:
|
|
3207 |
return
|
|
3208 |
|
|
3209 |
# Build spec for gnumakefile
|
|
3210 |
for g in MMPList['gnuList']:
|
|
3211 |
projectname = g.getMakefileName().lower()
|
|
3212 |
|
|
3213 |
if self.__Raptor.projects:
|
|
3214 |
if not projectname in self.__Raptor.projects:
|
|
3215 |
self.__Raptor.Debug("Skipping %s", str(g.getMakefileName()))
|
|
3216 |
continue
|
|
3217 |
elif projectname in self.projectList:
|
|
3218 |
self.projectList.remove(projectname)
|
|
3219 |
|
|
3220 |
self.__Raptor.Debug("%i gnumakefile extension makefiles for %s",
|
5
|
3221 |
len(gnuList), str(componentNode.component.bldinf.filename))
|
3
|
3222 |
var = raptor_data.Variant()
|
|
3223 |
gnuSpec = raptor_data.Specification("gnumakefile " + str(g.getMakefileName()))
|
|
3224 |
interface = buildPlatform["ext_makefile"]
|
|
3225 |
gnuSpec.SetInterface(interface)
|
|
3226 |
gnumakefilePath = raptor_utilities.resolveSymbianPath(str(bldInfFile), g.getMakefileName())
|
|
3227 |
var.AddOperation(raptor_data.Set("EPOCBLD", "$(OUTPUTPATH)"))
|
|
3228 |
var.AddOperation(raptor_data.Set("PLATFORM", buildPlatform["PLATFORM"]))
|
|
3229 |
var.AddOperation(raptor_data.Set("EXTMAKEFILENAME", g.getMakefileName()))
|
|
3230 |
var.AddOperation(raptor_data.Set("DIRECTORY",g.getMakeDirectory()))
|
|
3231 |
var.AddOperation(raptor_data.Set("CFG","$(VARIANTTYPE)"))
|
|
3232 |
standardVariables = g.getStandardVariables()
|
|
3233 |
for standardVariable in standardVariables.keys():
|
|
3234 |
self.__Raptor.Debug("Set %s=%s", standardVariable, standardVariables[standardVariable])
|
|
3235 |
value = standardVariables[standardVariable].replace('$(', '$$$$(')
|
|
3236 |
value = value.replace('$/', '/').replace('$;', ':')
|
|
3237 |
var.AddOperation(raptor_data.Set(standardVariable, value))
|
|
3238 |
gnuSpec.AddVariant(var)
|
|
3239 |
componentNode.AddChild(gnuSpec)
|
|
3240 |
|
|
3241 |
# Build spec for makefile
|
|
3242 |
for m in MMPList['makefileList']:
|
|
3243 |
projectname = m.getMakefileName().lower()
|
|
3244 |
|
|
3245 |
if self.__Raptor.projects:
|
|
3246 |
if not projectname in self.__Raptor.projects:
|
|
3247 |
self.__Raptor.Debug("Skipping %s", str(m.getMakefileName()))
|
|
3248 |
continue
|
|
3249 |
elif projectname in self.projectList:
|
|
3250 |
projectList.remove(projectname)
|
|
3251 |
|
|
3252 |
self.__Raptor.Debug("%i makefile extension makefiles for %s",
|
5
|
3253 |
len(makefileList), str(componentNode.component.bldinf.filename))
|
3
|
3254 |
var = raptor_data.Variant()
|
|
3255 |
gnuSpec = raptor_data.Specification("makefile " + str(m.getMakefileName()))
|
|
3256 |
interface = buildPlatform["ext_makefile"]
|
|
3257 |
gnuSpec.SetInterface(interface)
|
|
3258 |
gnumakefilePath = raptor_utilities.resolveSymbianPath(str(bldInfFile), m.getMakefileName())
|
|
3259 |
var.AddOperation(raptor_data.Set("EPOCBLD", "$(OUTPUTPATH)"))
|
|
3260 |
var.AddOperation(raptor_data.Set("PLATFORM", buildPlatform["PLATFORM"]))
|
|
3261 |
var.AddOperation(raptor_data.Set("EXTMAKEFILENAME", m.getMakefileName()))
|
|
3262 |
var.AddOperation(raptor_data.Set("DIRECTORY",m.getMakeDirectory()))
|
|
3263 |
var.AddOperation(raptor_data.Set("CFG","$(VARIANTTYPE)"))
|
|
3264 |
var.AddOperation(raptor_data.Set("USENMAKE","1"))
|
|
3265 |
standardVariables = m.getStandardVariables()
|
|
3266 |
for standardVariable in standardVariables.keys():
|
|
3267 |
self.__Raptor.Debug("Set %s=%s", standardVariable, standardVariables[standardVariable])
|
|
3268 |
value = standardVariables[standardVariable].replace('$(', '$$$$(')
|
|
3269 |
value = value.replace('$/', '/').replace('$;', ':')
|
|
3270 |
var.AddOperation(raptor_data.Set(standardVariable, value))
|
|
3271 |
gnuSpec.AddVariant(var)
|
|
3272 |
componentNode.AddChild(gnuSpec)
|
|
3273 |
|
|
3274 |
|
|
3275 |
def ApplyOSVariant(self, aBuildUnit, aEpocroot):
|
|
3276 |
# Form path to kif.xml and path to buildinfo.txt
|
|
3277 |
kifXmlPath = generic_path.Join(aEpocroot, "epoc32", "data","kif.xml")
|
|
3278 |
buildInfoTxtPath = generic_path.Join(aEpocroot, "epoc32", "data","buildinfo.txt")
|
|
3279 |
|
|
3280 |
# Start with osVersion being None. This variable is a string and does two things:
|
|
3281 |
# 1) is a representation of the OS version
|
|
3282 |
# 2) is potentially the name of a variant
|
|
3283 |
osVersion = None
|
|
3284 |
if kifXmlPath.isFile(): # kif.xml exists so try to read it
|
|
3285 |
osVersion = getOsVerFromKifXml(str(kifXmlPath))
|
|
3286 |
if osVersion != None:
|
|
3287 |
self.__Raptor.Info("OS version \"%s\" determined from file \"%s\"" % (osVersion, kifXmlPath))
|
|
3288 |
|
|
3289 |
# OS version was not determined from the kif.xml, e.g. because it doesn't exist
|
|
3290 |
# or there was a problem parsing it. So, we fall over to using the buildinfo.txt
|
|
3291 |
if osVersion == None and buildInfoTxtPath.isFile():
|
|
3292 |
osVersion = getOsVerFromBuildInfoTxt(str(buildInfoTxtPath))
|
|
3293 |
if osVersion != None:
|
|
3294 |
self.__Raptor.Info("OS version \"%s\" determined from file \"%s\"" % (osVersion, buildInfoTxtPath))
|
|
3295 |
|
|
3296 |
# If we determined a non-empty string for the OS Version, attempt to apply it
|
|
3297 |
if osVersion and osVersion in self.__Raptor.cache.variants:
|
|
3298 |
self.__Raptor.Info("applying the OS variant to the configuration \"%s\"." % aBuildUnit.name)
|
|
3299 |
aBuildUnit.variants.append(self.__Raptor.cache.variants[osVersion])
|
|
3300 |
else:
|
|
3301 |
self.__Raptor.Info("no OS variant for the configuration \"%s\"." % aBuildUnit.name)
|
|
3302 |
|