Reload the source tree only the first time is needed
[bertos.git] / wizard / bertos_utils.py
1 #!/usr/bin/env python
2 # encoding: utf-8
3 #
4 # Copyright 2008 Develer S.r.l. (http://www.develer.com/)
5 # All rights reserved.
6 #
7 # $Id:$
8 #
9 # Author: Lorenzo Berni <duplo@develer.com>
10 #
11
12 import os
13 import fnmatch
14 import glob
15 import re
16 import shutil
17
18 import const
19 import DefineException
20
21 def isBertosDir(directory):
22    return os.path.exists(directory + "/VERSION")
23
24 def bertosVersion(directory):
25    return open(directory + "/VERSION").readline().strip()
26
27 def createBertosProject(projectInfos):
28     directory = projectInfos.info("PROJECT_PATH")
29     sourcesDir = projectInfos.info("SOURCES_PATH")
30     if not os.path.isdir(directory):
31         os.mkdir(directory)
32     f = open(directory + "/project.bertos", "w")
33     f.write(repr(projectInfos))
34     f.close()
35     ## Destination source dir
36     srcdir = directory + "/bertos"
37     shutil.rmtree(srcdir, True)
38     shutil.copytree(sourcesDir + "/bertos", srcdir)
39     ## Destination makefile
40     makefile = directory + "/Makefile"
41     if os.path.exists(makefile):
42         os.remove(makefile)
43     makefile = open("mktemplates/Makefile").read()
44     makefile = makefileGenerator(projectInfos, makefile)
45     open(directory + "/Makefile", "w").write(makefile)
46     ## Destination project dir
47     prjdir = directory + "/" + os.path.basename(directory)
48     shutil.rmtree(prjdir, True)
49     os.mkdir(prjdir)
50     ## Destination configurations files
51     cfgdir = prjdir + "/cfg"
52     shutil.rmtree(cfgdir, True)
53     os.mkdir(cfgdir)
54     for key, value in projectInfos.info("CONFIGURATIONS").items():
55         string = open(sourcesDir + "/" + key, "r").read()
56         for parameter, infos in value.items():
57             value = infos["value"]
58             if "unsigned" in infos["informations"].keys() and infos["informations"]["unsigned"]:
59                 value += "U"
60             if "long" in infos["informations"].keys() and infos["informations"]["long"]:
61                 value += "L"
62             string = sub(string, parameter, value)
63         f = open(cfgdir + "/" + os.path.basename(key), "w")
64         f.write(string)
65         f.close()
66     ## Destinatio mk file
67     makefile = open("mktemplates/template.mk", "r").read()
68     makefile = mkGenerator(projectInfos, makefile)
69     open(prjdir + "/" + os.path.basename(prjdir) + ".mk", "w").write(makefile)
70
71 def mkGenerator(projectInfos, makefile):
72     """
73     Generates the mk file for the current project.
74     """
75     mkData = {}
76     mkData["pname"] = os.path.basename(projectInfos.info("PROJECT_PATH"))
77     mkData["cpuname"] = projectInfos.info("CPU_INFOS")["CPU_NAME"]
78     mkData["cflags"] = " ".join(projectInfos.info("CPU_INFOS")["C_FLAGS"])
79     mkData["ldflags"] = " ".join(projectInfos.info("CPU_INFOS")["LD_FLAGS"])
80     for key in mkData:
81         while makefile.find(key) != -1:
82             makefile = makefile.replace(key, mkData[key])
83     return makefile
84
85 def makefileGenerator(projectInfos, makefile):
86     """
87     Generate the Makefile for the current project.
88     """
89     # TODO: write a general function that works for both the mk file and the Makefile
90     while makefile.find("project_name") != -1:
91         makefile = makefile.replace("project_name", os.path.basename(projectInfos.info("PROJECT_PATH")))
92     return makefile
93
94 def getSystemPath():
95     path = os.environ["PATH"]
96     if os.name == "nt":
97         path = path.split(";")
98     else:
99         path = path.split(":")
100     return path
101
102 def findToolchains(pathList):
103     toolchains = []
104     for element in pathList:
105         for toolchain in glob.glob(element+ "/" + const.GCC_NAME):
106             if not os.path.islink(toolchain):
107                 toolchains.append(toolchain)
108     return list(set(toolchains))
109
110 def getToolchainInfo(output):
111     info = {}
112     expr = re.compile("Target: .*")
113     target = expr.findall(output)
114     if len(target) == 1:
115         info["target"] = target[0].split("Target: ")[1]
116     expr = re.compile("gcc version [0-9,.]*")
117     version = expr.findall(output)
118     if len(version) == 1:
119         info["version"] = version[0].split("gcc version ")[1]
120     expr = re.compile("gcc version [0-9,.]* \(.*\)")
121     build = expr.findall(output)
122     if len(build) == 1:
123         build = build[0].split("gcc version ")[1]
124         build = build[build.find("(") + 1 : build.find(")")]
125         info["build"] = build
126     expr = re.compile("Configured with: .*")
127     configured = expr.findall(output)
128     if len(configured) == 1:
129         info["configured"] = configured[0].split("Configured with: ")[1]
130     expr = re.compile("Thread model: .*")
131     thread = expr.findall(output)
132     if len(thread) == 1:
133         info["thread"] = thread[0].split("Thread model: ")[1]
134     return info
135
136 def loadSourceTree(project):
137     fileList = [f for f in os.walk(project.info("SOURCES_PATH"))]
138     project.setInfo("FILE_LIST", fileList)
139
140 def findDefinitions(ftype, project):
141     L = project.info("FILE_LIST")
142     definitions = []
143     for element in L:
144         for filename in element[2]:
145             if fnmatch.fnmatch(filename, ftype):
146                 definitions.append((filename, element[0]))
147     return definitions
148
149 def loadCpuInfos(project):
150     cpuInfos = []
151     for definition in findDefinitions(const.CPU_DEFINITION, project):
152         cpuInfos.append(getInfos(definition))
153     return cpuInfos
154
155 def getInfos(definition):
156     D = {}
157     D.update(const.CPU_DEF)
158     def include(filename, dict = D, directory=definition[1]):
159         execfile(directory + "/" + filename, {}, D)
160     D["include"] = include
161     include(definition[0], D)
162     D["CPU_NAME"] = definition[0].split(".")[0]
163     D["DEFINITION_PATH"] = definition[1] + "/" + definition[0]
164     del D["include"]
165     return D
166
167 def getDefinitionBlocks(text):
168     """
169     Take a text and return a list of tuple (description, name-value).
170     """
171     block = []
172     block_tmp = re.findall(r"/\*{2}\s*([^*]*\*(?:[^/*][^*]*\*+)*)/\s*#define\s+((?:[^/]*?/?)+)\s*?(?:/{2,3}[^<].*?)?$", text, re.MULTILINE)
173     for comment, define in block_tmp:
174         block.append((" ".join(re.findall(r"^\s*\*?\s*(.*?)\s*?(?:/{2}.*?)?$", comment, re.MULTILINE)).strip(), define))
175     block += re.findall(r"/{3}\s*([^<].*?)\s*#define\s+((?:[^/]*?/?)+)\s*?(?:/{2,3}[^<].*?)?$", text, re.MULTILINE)
176     block += [(comment, define) for define, comment in re.findall(r"#define\s*(.*?)\s*/{3}<\s*(.+?)\s*?(?:/{2,3}[^<].*?)?$", text, re.MULTILINE)]
177     return block
178
179 def formatParamNameValue(text):
180     """
181     Take the given string and return a tuple with the name of the parameter in the first position
182     and the value in the second.
183     """
184     block = re.findall("\s*([^\s]+)\s*(.+?)\s*$", text, re.MULTILINE)
185     return block[0]
186
187 def getDescriptionInformations(text): 
188     """ 
189     Take the doxygen comment and strip the wizard informations, returning the tuple 
190     (comment, wizard_informations) 
191     """ 
192     index = text.find("$WIZARD") 
193     if index != -1: 
194         exec(text[index + 1:]) 
195         informations = WIZARD 
196         return text[:index].strip(), informations
197     else:
198         return text.strip(), {}
199
200 def loadConfigurationInfos(path):
201     """
202     Return the module configurations found in the given file as a dict with the
203     parameter name as key and a dict containig the fields above as value:
204         "value": the value of the parameter
205         "description": the description of the parameter
206         "informations": a dict containig optional informations:
207             "type": "int" | "boolean" | "enum"
208             "min": the minimum value for integer parameters
209             "max": the maximum value for integer parameters
210             "long": boolean indicating if the num is a long
211             "value_list": the name of the enum for enum parameters
212     """
213     try:
214         configurationInfos = {}
215         for comment, define in getDefinitionBlocks(open(path, "r").read()):
216             name, value = formatParamNameValue(define)
217             description, informations = getDescriptionInformations(comment)
218             configurationInfos[name] = {}
219             configurationInfos[name]["value"] = value
220             configurationInfos[name]["informations"] = informations
221             if ("type" in configurationInfos[name]["informations"].keys() and
222                     configurationInfos[name]["informations"]["type"] == "int" and
223                     configurationInfos[name]["value"].find("L") != -1):
224                 configurationInfos[name]["informations"]["long"] = True
225                 configurationInfos[name]["value"] = configurationInfos[name]["value"].replace("L", "")
226             if ("type" in configurationInfos[name]["informations"].keys() and
227                     configurationInfos[name]["informations"]["type"] == "int" and
228                     configurationInfos[name]["value"].find("U") != -1):
229                 configurationInfos[name]["informations"]["unsigned"] = True
230                 configurationInfos[name]["value"] = configurationInfos[name]["value"].replace("U", "")
231             configurationInfos[name]["description"] = description
232         return configurationInfos
233     except SyntaxError:
234         raise DefineException.ConfigurationDefineException(path, name)
235
236 def loadModuleInfos(path):
237     """
238     Return the module infos found in the given file as a dict with the module
239     name as key and a dict containig the fields above as value or an empty dict
240     if the given file is not a BeRTOS module:
241         "depends": a list of modules needed by this module
242         "configuration": the cfg_*.h with the module configurations
243         "description": a string containing the brief description of doxygen
244         "enabled": contains False but the wizard will change if the user select
245         the module
246     """
247     try:
248         moduleInfos = {}
249         string = open(path, "r").read()
250         commentList = re.findall(r"/\*{2}\s*([^*]*\*(?:[^/*][^*]*\*+)*)/", string)
251         commentList = [" ".join(re.findall(r"^\s*\*?\s*(.*?)\s*?(?:/{2}.*?)?$", comment, re.MULTILINE)).strip() for comment in commentList]
252         for comment in commentList:
253             index = comment.find("$WIZARD_MODULE")
254             if index != -1:
255                 exec(comment[index + 1:])
256                 moduleInfos[WIZARD_MODULE["name"]] = {"depends": WIZARD_MODULE["depends"],
257                                                         "configuration": WIZARD_MODULE["configuration"],
258                                                         "description": "",
259                                                         "enabled": False}
260                 index = comment.find("\\brief")
261                 if index != -1:
262                     description = comment[index + 7:]
263                     description = description[:description.find(" * ")]
264                     moduleInfos[WIZARD_MODULE["name"]]["description"] = description
265                 return moduleInfos
266         return {}
267     except SyntaxError:
268         raise DefineException.ModuleDefineException(path)
269
270 def loadModuleInfosDict(project):
271     """
272     Return the dict containig all the modules
273     """
274     moduleInfosDict = {}
275     for filename, path in findDefinitions("*.h", project):
276         moduleInfosDict.update(loadModuleInfos(path + "/" + filename))
277     return moduleInfosDict
278
279 def loadDefineLists(path):
280     """
281     Return a dict with the name of the list as key and a list of string as value
282     """
283     try:
284         string = open(path, "r").read()
285         commentList = re.findall(r"/\*{2}\s*([^*]*\*(?:[^/*][^*]*\*+)*)/", string)
286         commentList = [" ".join(re.findall(r"^\s*\*?\s*(.*?)\s*?(?:/{2}.*?)?$", comment, re.MULTILINE)).strip() for comment in commentList]
287         listDict = {}
288         for comment in commentList:
289             index = comment.find("$WIZARD_LIST")
290             if index != -1:
291                 exec(comment[index + 1:])
292                 listDict.update(WIZARD_LIST)
293         return listDict
294     except SyntaxError:
295         raise DefineException.EnumDefineException(path)
296
297 def loadDefineListsDict(project):
298     """
299     Return the dict containing all the define lists
300     """
301     defineListsDict = {}
302     for filename, path in findDefinitions("*.h", project):
303         defineListsDict.update(loadDefineLists(path + "/" + filename))
304     return defineListsDict
305
306 def sub(string, parameter, value):
307     """
308     Substitute the given value at the given parameter define in the given string
309     """
310     return re.sub(r"(?P<define>#define\s+" + parameter + r"\s+)([^\s]+)", r"\g<define>" + value, string)
311
312 def isInt(informations):
313     """
314     Return True if the value is a simple int.
315     """
316     if ("long" not in informatios.keys() or not informations["long"]) and ("unsigned" not in informations.keys() or informations["unsigned"]):
317         return True
318     else:
319         return False
320
321 def isLong(informations):
322     """
323     Return True if the value is a long.
324     """
325     if "long" in informations.keys() and informations["long"] and "unsigned" not in informations.keys():
326         return True
327     else:
328         return False
329
330 def isUnsigned(informations):
331     """
332     Return True if the value is an unsigned.
333     """
334     if "unsigned" in informations.keys() and informations["unsigned"] and "long" not in informations.keys():
335         return True
336     else:
337         return False
338
339 def isUnsignedLong(informations):
340     """
341     Return True if the value is an unsigned long.
342     """
343     if "unsigned" in informations.keys() and "long" in informations.keys() and informations["unsigned"] and informations["long"]:
344         return True
345     else:
346         return False