os/mm/mmtestenv/mmtesttools/Build/buildutils/MbcUtils.py
author sl@SLION-WIN7.fritz.box
Fri, 15 Jun 2012 03:10:57 +0200
changeset 0 bde4ae8d615e
permissions -rw-r--r--
First public contribution.
sl@0
     1
# Copyright (c) 2008-2009 Nokia Corporation and/or its subsidiary(-ies).
sl@0
     2
# All rights reserved.
sl@0
     3
# This component and the accompanying materials are made available
sl@0
     4
# under the terms of "Eclipse Public License v1.0"
sl@0
     5
# which accompanies this distribution, and is available
sl@0
     6
# at the URL "http://www.eclipse.org/legal/epl-v10.html".
sl@0
     7
#
sl@0
     8
# Initial Contributors:
sl@0
     9
# Nokia Corporation - initial contribution.
sl@0
    10
#
sl@0
    11
# Contributors:
sl@0
    12
#
sl@0
    13
# Description:
sl@0
    14
# Tools to parse mbc files
sl@0
    15
# NOTE: There is unit etc test code for this in testMbcUtils.py
sl@0
    16
# Any changes to this file should be checked with "python testMbcUtils.py"
sl@0
    17
# Also note that the test code coverage is not 100%
sl@0
    18
#
sl@0
    19
sl@0
    20
import re
sl@0
    21
import types
sl@0
    22
import os
sl@0
    23
sl@0
    24
class InvalidInput(Exception):
sl@0
    25
    """Raised for invalid data in files"""
sl@0
    26
sl@0
    27
    def __init__(self, badInput):
sl@0
    28
        self.__badInput = badInput
sl@0
    29
sl@0
    30
    def __str__(self):
sl@0
    31
        return "InvalidInput(%s)" % self.__badInput
sl@0
    32
sl@0
    33
class Unimplemented(Exception):
sl@0
    34
    """Raised for features we don't cover"""
sl@0
    35
sl@0
    36
    def __init__(self, msg):
sl@0
    37
        self.__msg = msg
sl@0
    38
sl@0
    39
    def __str__(self):
sl@0
    40
        return "Unimplemented(%s)" % self.__msg
sl@0
    41
sl@0
    42
class InvalidArg(Exception):
sl@0
    43
    """Raised for invalid data in argument"""
sl@0
    44
sl@0
    45
    def __init__(self, badArg):
sl@0
    46
        self.__badArg = badArg
sl@0
    47
sl@0
    48
    def __str__(self):
sl@0
    49
        return "InvalidArg(%s)" % self.__badArg
sl@0
    50
sl@0
    51
class MissingFile(Exception):
sl@0
    52
    "Raised when we expect a file and it does not exist"
sl@0
    53
sl@0
    54
    def __init__(self, badFname):
sl@0
    55
        self.__badFname = badFname
sl@0
    56
sl@0
    57
    def __str__(self):
sl@0
    58
        return "MissingFile(%s)" % self.__badFname
sl@0
    59
sl@0
    60
class _MbcParser(object):
sl@0
    61
    """Parse an mbc file, given by name. Return as tuple of the given categories, coupled with the filename."""
sl@0
    62
sl@0
    63
    # __slots__ = ["__fname", "__result", "__state"]
sl@0
    64
sl@0
    65
    __nullState = -1
sl@0
    66
    __dirsSectionState = 1 # assumed to be same as tuple index
sl@0
    67
    __optionDirsSectionState = 2 # assumed to be same as tuple index
sl@0
    68
    __commandSectionState = 3 # assumed to be same as tuple index
sl@0
    69
sl@0
    70
    def __init__(self, fname):
sl@0
    71
        self.__fname = fname
sl@0
    72
        self.__dirname = os.path.dirname(fname)
sl@0
    73
        self.__result = None
sl@0
    74
        self.__state = _MbcParser.__nullState
sl@0
    75
        self.__executed = False
sl@0
    76
sl@0
    77
    def execute(self):
sl@0
    78
        "Call to generate the result"
sl@0
    79
        self.__reset(self.__fname) # initialize __result etc
sl@0
    80
        self.__openAndParse()
sl@0
    81
        self.__executed = True
sl@0
    82
sl@0
    83
    def __call__(self):
sl@0
    84
        if not self.__executed:
sl@0
    85
            self.execute()
sl@0
    86
        return self.__result
sl@0
    87
sl@0
    88
    def __reset(self, fname=None):
sl@0
    89
        self.__result = (fname,[],[],[])
sl@0
    90
sl@0
    91
    def __openAndParse(self):
sl@0
    92
        "Open file and then parse line-by-line"
sl@0
    93
        # note deliberately use old version to avoid 2.4 issue. Going foreard, "with" seems to be the correct approach
sl@0
    94
        # could perhaps write this better using a parser module, or more extensive use of re, but this is not seen as module specific
sl@0
    95
        inputFile = open(self.__fname)
sl@0
    96
        try:
sl@0
    97
            for line in inputFile:
sl@0
    98
                self.__parseLine(line)
sl@0
    99
        finally:
sl@0
   100
            inputFile.close()
sl@0
   101
sl@0
   102
    def __parseLine(self,line):
sl@0
   103
        # initially we want the bit of the line up to the first // or \n
sl@0
   104
        # TODO should be able to do in one re?
sl@0
   105
        lookforeoln = re.match(r"(.*)$", line) # lose any \n
sl@0
   106
        if lookforeoln:
sl@0
   107
            line = lookforeoln.group(1)
sl@0
   108
        lookforcomment = re.match(r"(.*)//.*", line)
sl@0
   109
        if lookforcomment:
sl@0
   110
            line = lookforcomment.group(1)
sl@0
   111
        line.strip() # remove spaces at start and end
sl@0
   112
        if not line:
sl@0
   113
            # skip blank line
sl@0
   114
            return;
sl@0
   115
        if line == "SECTION_DIRS":
sl@0
   116
            self.__state = _MbcParser.__dirsSectionState
sl@0
   117
        elif line == "SECTION_OPTIONALDIRS":
sl@0
   118
            self.__state = _MbcParser.__optionDirsSectionState
sl@0
   119
        elif line == "SECTION_COMMANDS":
sl@0
   120
            self.__state = _MbcParser.__commandSectionState
sl@0
   121
        else:
sl@0
   122
            # for dirs or optionDirs section we are after a single string to treat as directory. don't check here
sl@0
   123
            if ((self.__state == _MbcParser.__dirsSectionState) or
sl@0
   124
                (self.__state == _MbcParser.__optionDirsSectionState)):
sl@0
   125
                matchre = re.match(r'[_\-a-z0-9\\/\.]+$', line, re.IGNORECASE)
sl@0
   126
                if matchre:
sl@0
   127
                    # we have a match - add to the tuple
sl@0
   128
                    matchresult = line # no need to decode. whole thing is the line
sl@0
   129
                    if matchresult[0] != "\\":
sl@0
   130
                        # relative path - need to add folder name
sl@0
   131
                        matchresult = os.path.abspath(os.path.join(self.__dirname, matchresult))
sl@0
   132
                    self.__result[self.__state].append(matchresult)
sl@0
   133
                else:
sl@0
   134
                    raise InvalidInput (line)
sl@0
   135
            elif self.__state == _MbcParser.__commandSectionState:
sl@0
   136
                matchre = re.match(r'oneoff\s+([_\-a-z0-9\\/\.]+)\s+(.+)$', line, re.IGNORECASE)
sl@0
   137
                if matchre:
sl@0
   138
                    # append tuple of (directory, command). Comes as (group(1),group(2)) but have to
sl@0
   139
                    # convert relative directory we get to absolute if required
sl@0
   140
                    matchDir = matchre.group(1)
sl@0
   141
                    if matchDir[0] != "\\":
sl@0
   142
                        # relative path- need to add folder name
sl@0
   143
                        matchDir = os.path.abspath(os.path.join(self.__dirname, matchDir))
sl@0
   144
                    self.__result[self.__state].append((matchDir,matchre.group(2)))
sl@0
   145
                else:
sl@0
   146
                    raise InvalidInput (line)
sl@0
   147
sl@0
   148
class _MbcListHandle(object):
sl@0
   149
    """Handle a list or tuple of filenames, recursively list of tuples as produced by _MbcParser"""
sl@0
   150
sl@0
   151
    def __init__(self, fnameList):
sl@0
   152
        """Assume fnameList is a container. Always generate a list"""
sl@0
   153
        self.__fnameList = fnameList
sl@0
   154
        self.__result = []
sl@0
   155
        self.__executed = False
sl@0
   156
sl@0
   157
    def execute(self):
sl@0
   158
        for fname in self.__fnameList:
sl@0
   159
            parser = MbcParser(fname)
sl@0
   160
            parser.execute()
sl@0
   161
            self.__result.append(parser())
sl@0
   162
        self.__exectuted = True
sl@0
   163
sl@0
   164
    def __call__(self):
sl@0
   165
        if not self.__exectuted:
sl@0
   166
            self.execute()
sl@0
   167
        return self.__result
sl@0
   168
sl@0
   169
class MbcParser(object):
sl@0
   170
    """Given a list of or a filename, return equivalent structure with each filename replaced by tuple of content
sl@0
   171
sl@0
   172
    tuple elements are:
sl@0
   173
    0 - filename
sl@0
   174
    1 - main directories
sl@0
   175
    2 - optional directories
sl@0
   176
    3 - oneoff"""
sl@0
   177
sl@0
   178
    def __init__(self, fnameOrList):
sl@0
   179
        self.__fnameOrList = fnameOrList
sl@0
   180
        self.__result = None
sl@0
   181
        self.__executed = False
sl@0
   182
sl@0
   183
    def execute(self):
sl@0
   184
        fnameOrList = self.__fnameOrList
sl@0
   185
        if isinstance(fnameOrList, list) or isinstance(fnameOrList, tuple):
sl@0
   186
            parser = _MbcListHandle(fnameOrList)
sl@0
   187
            parser.execute()
sl@0
   188
            self.__result = parser()
sl@0
   189
        elif isinstance(fnameOrList, types.StringTypes):
sl@0
   190
            parser = _MbcParser(fnameOrList)
sl@0
   191
            parser.execute()
sl@0
   192
            self.__result = parser()
sl@0
   193
        else:
sl@0
   194
            raise InvalidArg(fnameOrList)
sl@0
   195
sl@0
   196
    def __call__(self):
sl@0
   197
        if not self.__executed:
sl@0
   198
            self.execute()
sl@0
   199
        return self.__result
sl@0
   200
sl@0
   201
class GetFolderList(object):
sl@0
   202
    """Given output of MbcParser(), produces list of tuples in the format:
sl@0
   203
sl@0
   204
    0 - Element is folder if True (only thing currently supported)
sl@0
   205
    1 - folder
sl@0
   206
    2 - comment to use in generated file including original filename
sl@0
   207
sl@0
   208
    If folder is optional, will only be added if exists - actually if nameToCheck exists in folder.
sl@0
   209
    If folder is not optional, and does not exist, this will raise an error.
sl@0
   210
    """
sl@0
   211
sl@0
   212
    def __init__(self, inputList, nameToCheck="bld.inf"):
sl@0
   213
        if isinstance(inputList, tuple):
sl@0
   214
            # single element "list" from MbcParser is not always a list!
sl@0
   215
            self.__list = [inputList]
sl@0
   216
        else:
sl@0
   217
            self.__list = inputList
sl@0
   218
        self.__nameToCheck = nameToCheck
sl@0
   219
        self.__result = []
sl@0
   220
        self.__exectuted = False
sl@0
   221
sl@0
   222
    def execute(self):
sl@0
   223
        self.__result = []
sl@0
   224
        self.__genResult()
sl@0
   225
        self.__executed = True
sl@0
   226
sl@0
   227
    def __genResult(self):
sl@0
   228
        "Process whole list"
sl@0
   229
        for listEle in self.__list:
sl@0
   230
            self.__processEle(listEle)
sl@0
   231
sl@0
   232
    def __processEle(self, listEle):
sl@0
   233
        "Process single element in input list"
sl@0
   234
        (fname, dirs, optDirs, commands) = listEle
sl@0
   235
        for dir in dirs:
sl@0
   236
            combinedFname = os.path.join(dir, self.__nameToCheck)
sl@0
   237
            exists = os.path.exists(combinedFname)
sl@0
   238
            if not exists:
sl@0
   239
                raise MissingFile(combinedFname)
sl@0
   240
            self.__result.append((True, dir, "From %s"%fname))
sl@0
   241
        for dir in optDirs:
sl@0
   242
            combinedFname = os.path.join(dir, self.__nameToCheck)
sl@0
   243
            exists = os.path.exists(combinedFname)
sl@0
   244
            if exists:
sl@0
   245
                self.__result.append((True, dir, "From %s"%fname))
sl@0
   246
            else:
sl@0
   247
                self.__result.append((True, None, """Skip "%s" from %s"""%(dir,fname)))
sl@0
   248
        if commands:
sl@0
   249
            raise Unimplemented("No support for oneoff - %s" % str(commands))
sl@0
   250
sl@0
   251
    def __call__(self):
sl@0
   252
        if not self.__exectuted:
sl@0
   253
            self.execute()
sl@0
   254
        return self.__result
sl@0
   255
sl@0
   256
## Minimal example configuration file as we have to produce
sl@0
   257
## See http://developer.symbian.com/wiki/x/rgD6Bg
sl@0
   258
##
sl@0
   259
##<SystemDefinition name="BLAH" schema="2.0.0">
sl@0
   260
##  <systemModel>
sl@0
   261
##    <layer name="NEW_CUSTOM_LAYER">
sl@0
   262
##      <collection name="Fake Collection">
sl@0
   263
##	<component name="examples">
sl@0
   264
##	  <unit bldFile="C:\Symbian\Carbide2\workspace\hello_whirled\group" />
sl@0
   265
##	  <unit bldFile="C:\Symbian\Carbide2\workspace\hello_abld\group" />
sl@0
   266
##	</component>
sl@0
   267
##      </collection>
sl@0
   268
##    </layer>
sl@0
   269
##  </systemModel>
sl@0
   270
##</SystemDefinition>
sl@0
   271
sl@0
   272
sl@0
   273
class ConfigFileGenerator(object):
sl@0
   274
    """Generate xml config file given output from GetFolderList
sl@0
   275
sl@0
   276
    Output corresponds to the example in source
sl@0
   277
    folderList is input from GetFolderList
sl@0
   278
    outputStream is either filename or assumed to be an open file or StringIO"""
sl@0
   279
sl@0
   280
    def __init__(self, folderList, outputStream):
sl@0
   281
        self.__folderList = folderList
sl@0
   282
        self.__streamParam = outputStream
sl@0
   283
        self.__streamIsLocal = False
sl@0
   284
        self.__stream = None
sl@0
   285
sl@0
   286
    def __initStream(self):
sl@0
   287
        "Work out stream to use. Open stream if required"
sl@0
   288
sl@0
   289
        if isinstance(self.__streamParam, basestring):
sl@0
   290
            # unicode or normal string
sl@0
   291
            self.__streamIsLocal = True
sl@0
   292
            self.__stream = open(self.__streamParam, "w")
sl@0
   293
        else:
sl@0
   294
            self.__streamIsLocal = False
sl@0
   295
            self.__stream = self.__streamParam
sl@0
   296
sl@0
   297
    def __closeStream(self):
sl@0
   298
        "If stream is local, close it"
sl@0
   299
sl@0
   300
        if self.__streamIsLocal:
sl@0
   301
            self.__stream.close()
sl@0
   302
sl@0
   303
        self.__stream = None # orphan if needs be
sl@0
   304
        self.__streamIsLocal = False
sl@0
   305
sl@0
   306
    def write(self):
sl@0
   307
        "Called will write output to stream"
sl@0
   308
sl@0
   309
        try:
sl@0
   310
            self.__initStream()
sl@0
   311
            self.__writeHeaderBit()
sl@0
   312
            self.__writeFolderList()
sl@0
   313
            self.__writeTailBit()
sl@0
   314
        except: # TODO not sure we need this - if we ommit is finally clause run?
sl@0
   315
            raise
sl@0
   316
        finally:
sl@0
   317
            self.__closeStream()
sl@0
   318
sl@0
   319
    def __writeHeaderBit(self):
sl@0
   320
        "Write bit of xml before the folder list"
sl@0
   321
        # these names all come from the original. Seems no need to vary
sl@0
   322
        # this code is 9.5 based
sl@0
   323
        print >> self.__stream, r"""<SystemDefinition name="BLAH" schema="2.0.0">"""
sl@0
   324
        print >> self.__stream, r"""  <systemModel>"""
sl@0
   325
        print >> self.__stream, r"""    <layer name="NEW_CUSTOM_LAYER">"""
sl@0
   326
        print >> self.__stream, r"""      <collection name="Fake Collection">"""
sl@0
   327
        print >> self.__stream, r"""        <component name="Fake Multimedia">"""
sl@0
   328
sl@0
   329
    def __writeTailBit(self):
sl@0
   330
        "write bit of xml after the folder list"
sl@0
   331
        print >> self.__stream, r"""        </component>"""
sl@0
   332
        print >> self.__stream, r"""      </collection>"""
sl@0
   333
        print >> self.__stream, r"""    </layer>"""
sl@0
   334
        print >> self.__stream, r"""  </systemModel>"""
sl@0
   335
        print >> self.__stream, r"""</SystemDefinition>"""
sl@0
   336
sl@0
   337
    def __writeFolderList(self):
sl@0
   338
        for ele in self.__folderList:
sl@0
   339
            str = self.__strForListEle(ele)
sl@0
   340
            if str:
sl@0
   341
                print >> self.__stream, "          %s" % str
sl@0
   342
sl@0
   343
    def __strForListEle(self, ele):
sl@0
   344
        (isFolder, folder, comment) = ele # break down tuple
sl@0
   345
        result = None
sl@0
   346
        if isFolder:
sl@0
   347
            if folder:
sl@0
   348
                result = r"""<unit bldFile="%s" /><!-- %s -->""" % (folder,comment)
sl@0
   349
            else:
sl@0
   350
                result = r"""<!-- %s -->""" % (comment)
sl@0
   351
        return result
sl@0
   352