First public contribution.
1 # Copyright (c) 2008-2009 Nokia Corporation and/or its subsidiary(-ies).
3 # This component and the accompanying materials are made available
4 # under the terms of "Eclipse Public License v1.0"
5 # which accompanies this distribution, and is available
6 # at the URL "http://www.eclipse.org/legal/epl-v10.html".
8 # Initial Contributors:
9 # Nokia Corporation - initial contribution.
14 # Tools to parse mbc files
15 # NOTE: There is unit etc test code for this in testMbcUtils.py
16 # Any changes to this file should be checked with "python testMbcUtils.py"
17 # Also note that the test code coverage is not 100%
24 class InvalidInput(Exception):
25 """Raised for invalid data in files"""
27 def __init__(self, badInput):
28 self.__badInput = badInput
31 return "InvalidInput(%s)" % self.__badInput
33 class Unimplemented(Exception):
34 """Raised for features we don't cover"""
36 def __init__(self, msg):
40 return "Unimplemented(%s)" % self.__msg
42 class InvalidArg(Exception):
43 """Raised for invalid data in argument"""
45 def __init__(self, badArg):
46 self.__badArg = badArg
49 return "InvalidArg(%s)" % self.__badArg
51 class MissingFile(Exception):
52 "Raised when we expect a file and it does not exist"
54 def __init__(self, badFname):
55 self.__badFname = badFname
58 return "MissingFile(%s)" % self.__badFname
60 class _MbcParser(object):
61 """Parse an mbc file, given by name. Return as tuple of the given categories, coupled with the filename."""
63 # __slots__ = ["__fname", "__result", "__state"]
66 __dirsSectionState = 1 # assumed to be same as tuple index
67 __optionDirsSectionState = 2 # assumed to be same as tuple index
68 __commandSectionState = 3 # assumed to be same as tuple index
70 def __init__(self, fname):
72 self.__dirname = os.path.dirname(fname)
74 self.__state = _MbcParser.__nullState
75 self.__executed = False
78 "Call to generate the result"
79 self.__reset(self.__fname) # initialize __result etc
81 self.__executed = True
84 if not self.__executed:
88 def __reset(self, fname=None):
89 self.__result = (fname,[],[],[])
91 def __openAndParse(self):
92 "Open file and then parse line-by-line"
93 # note deliberately use old version to avoid 2.4 issue. Going foreard, "with" seems to be the correct approach
94 # could perhaps write this better using a parser module, or more extensive use of re, but this is not seen as module specific
95 inputFile = open(self.__fname)
97 for line in inputFile:
98 self.__parseLine(line)
102 def __parseLine(self,line):
103 # initially we want the bit of the line up to the first // or \n
104 # TODO should be able to do in one re?
105 lookforeoln = re.match(r"(.*)$", line) # lose any \n
107 line = lookforeoln.group(1)
108 lookforcomment = re.match(r"(.*)//.*", line)
110 line = lookforcomment.group(1)
111 line.strip() # remove spaces at start and end
115 if line == "SECTION_DIRS":
116 self.__state = _MbcParser.__dirsSectionState
117 elif line == "SECTION_OPTIONALDIRS":
118 self.__state = _MbcParser.__optionDirsSectionState
119 elif line == "SECTION_COMMANDS":
120 self.__state = _MbcParser.__commandSectionState
122 # for dirs or optionDirs section we are after a single string to treat as directory. don't check here
123 if ((self.__state == _MbcParser.__dirsSectionState) or
124 (self.__state == _MbcParser.__optionDirsSectionState)):
125 matchre = re.match(r'[_\-a-z0-9\\/\.]+$', line, re.IGNORECASE)
127 # we have a match - add to the tuple
128 matchresult = line # no need to decode. whole thing is the line
129 if matchresult[0] != "\\":
130 # relative path - need to add folder name
131 matchresult = os.path.abspath(os.path.join(self.__dirname, matchresult))
132 self.__result[self.__state].append(matchresult)
134 raise InvalidInput (line)
135 elif self.__state == _MbcParser.__commandSectionState:
136 matchre = re.match(r'oneoff\s+([_\-a-z0-9\\/\.]+)\s+(.+)$', line, re.IGNORECASE)
138 # append tuple of (directory, command). Comes as (group(1),group(2)) but have to
139 # convert relative directory we get to absolute if required
140 matchDir = matchre.group(1)
141 if matchDir[0] != "\\":
142 # relative path- need to add folder name
143 matchDir = os.path.abspath(os.path.join(self.__dirname, matchDir))
144 self.__result[self.__state].append((matchDir,matchre.group(2)))
146 raise InvalidInput (line)
148 class _MbcListHandle(object):
149 """Handle a list or tuple of filenames, recursively list of tuples as produced by _MbcParser"""
151 def __init__(self, fnameList):
152 """Assume fnameList is a container. Always generate a list"""
153 self.__fnameList = fnameList
155 self.__executed = False
158 for fname in self.__fnameList:
159 parser = MbcParser(fname)
161 self.__result.append(parser())
162 self.__exectuted = True
165 if not self.__exectuted:
169 class MbcParser(object):
170 """Given a list of or a filename, return equivalent structure with each filename replaced by tuple of content
175 2 - optional directories
178 def __init__(self, fnameOrList):
179 self.__fnameOrList = fnameOrList
181 self.__executed = False
184 fnameOrList = self.__fnameOrList
185 if isinstance(fnameOrList, list) or isinstance(fnameOrList, tuple):
186 parser = _MbcListHandle(fnameOrList)
188 self.__result = parser()
189 elif isinstance(fnameOrList, types.StringTypes):
190 parser = _MbcParser(fnameOrList)
192 self.__result = parser()
194 raise InvalidArg(fnameOrList)
197 if not self.__executed:
201 class GetFolderList(object):
202 """Given output of MbcParser(), produces list of tuples in the format:
204 0 - Element is folder if True (only thing currently supported)
206 2 - comment to use in generated file including original filename
208 If folder is optional, will only be added if exists - actually if nameToCheck exists in folder.
209 If folder is not optional, and does not exist, this will raise an error.
212 def __init__(self, inputList, nameToCheck="bld.inf"):
213 if isinstance(inputList, tuple):
214 # single element "list" from MbcParser is not always a list!
215 self.__list = [inputList]
217 self.__list = inputList
218 self.__nameToCheck = nameToCheck
220 self.__exectuted = False
225 self.__executed = True
227 def __genResult(self):
229 for listEle in self.__list:
230 self.__processEle(listEle)
232 def __processEle(self, listEle):
233 "Process single element in input list"
234 (fname, dirs, optDirs, commands) = listEle
236 combinedFname = os.path.join(dir, self.__nameToCheck)
237 exists = os.path.exists(combinedFname)
239 raise MissingFile(combinedFname)
240 self.__result.append((True, dir, "From %s"%fname))
242 combinedFname = os.path.join(dir, self.__nameToCheck)
243 exists = os.path.exists(combinedFname)
245 self.__result.append((True, dir, "From %s"%fname))
247 self.__result.append((True, None, """Skip "%s" from %s"""%(dir,fname)))
249 raise Unimplemented("No support for oneoff - %s" % str(commands))
252 if not self.__exectuted:
256 ## Minimal example configuration file as we have to produce
257 ## See http://developer.symbian.com/wiki/x/rgD6Bg
259 ##<SystemDefinition name="BLAH" schema="2.0.0">
261 ## <layer name="NEW_CUSTOM_LAYER">
262 ## <collection name="Fake Collection">
263 ## <component name="examples">
264 ## <unit bldFile="C:\Symbian\Carbide2\workspace\hello_whirled\group" />
265 ## <unit bldFile="C:\Symbian\Carbide2\workspace\hello_abld\group" />
270 ##</SystemDefinition>
273 class ConfigFileGenerator(object):
274 """Generate xml config file given output from GetFolderList
276 Output corresponds to the example in source
277 folderList is input from GetFolderList
278 outputStream is either filename or assumed to be an open file or StringIO"""
280 def __init__(self, folderList, outputStream):
281 self.__folderList = folderList
282 self.__streamParam = outputStream
283 self.__streamIsLocal = False
286 def __initStream(self):
287 "Work out stream to use. Open stream if required"
289 if isinstance(self.__streamParam, basestring):
290 # unicode or normal string
291 self.__streamIsLocal = True
292 self.__stream = open(self.__streamParam, "w")
294 self.__streamIsLocal = False
295 self.__stream = self.__streamParam
297 def __closeStream(self):
298 "If stream is local, close it"
300 if self.__streamIsLocal:
301 self.__stream.close()
303 self.__stream = None # orphan if needs be
304 self.__streamIsLocal = False
307 "Called will write output to stream"
311 self.__writeHeaderBit()
312 self.__writeFolderList()
313 self.__writeTailBit()
314 except: # TODO not sure we need this - if we ommit is finally clause run?
319 def __writeHeaderBit(self):
320 "Write bit of xml before the folder list"
321 # these names all come from the original. Seems no need to vary
322 # this code is 9.5 based
323 print >> self.__stream, r"""<SystemDefinition name="BLAH" schema="2.0.0">"""
324 print >> self.__stream, r""" <systemModel>"""
325 print >> self.__stream, r""" <layer name="NEW_CUSTOM_LAYER">"""
326 print >> self.__stream, r""" <collection name="Fake Collection">"""
327 print >> self.__stream, r""" <component name="Fake Multimedia">"""
329 def __writeTailBit(self):
330 "write bit of xml after the folder list"
331 print >> self.__stream, r""" </component>"""
332 print >> self.__stream, r""" </collection>"""
333 print >> self.__stream, r""" </layer>"""
334 print >> self.__stream, r""" </systemModel>"""
335 print >> self.__stream, r"""</SystemDefinition>"""
337 def __writeFolderList(self):
338 for ele in self.__folderList:
339 str = self.__strForListEle(ele)
341 print >> self.__stream, " %s" % str
343 def __strForListEle(self, ele):
344 (isFolder, folder, comment) = ele # break down tuple
348 result = r"""<unit bldFile="%s" /><!-- %s -->""" % (folder,comment)
350 result = r"""<!-- %s -->""" % (comment)