Add support for Unsigned int
[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 findDefinitions(ftype, path):
137     L = os.walk(path)
138     for element in L:
139         for filename in element[2]:
140             if fnmatch.fnmatch(filename, ftype):
141                 yield (filename, element[0])
142
143 def loadCpuInfos(path):
144     cpuInfos = []
145     for definition in findDefinitions(const.CPU_DEFINITION, path):
146         cpuInfos.append(getInfos(definition))
147     return cpuInfos
148
149 def getInfos(definition):
150     D = {}
151     D.update(const.CPU_DEF)
152     def include(filename, dict = D, directory=definition[1]):
153         execfile(directory + "/" + filename, {}, D)
154     D["include"] = include
155     include(definition[0], D)
156     D["CPU_NAME"] = definition[0].split(".")[0]
157     D["DEFINITION_PATH"] = definition[1] + "/" + definition[0]
158     del D["include"]
159     return D
160
161 def getDefinitionBlocks(text):
162     """
163     Take a text and return a list of tuple (description, name-value).
164     """
165     block = []
166     block_tmp = re.findall(r"/\*{2}\s*([^*]*\*(?:[^/*][^*]*\*+)*)/\s*#define\s+((?:[^/]*?/?)+)\s*?(?:/{2,3}[^<].*?)?$", text, re.MULTILINE)
167     for comment, define in block_tmp:
168         block.append((" ".join(re.findall(r"^\s*\*?\s*(.*?)\s*?(?:/{2}.*?)?$", comment, re.MULTILINE)).strip(), define))
169     block += re.findall(r"/{3}\s*([^<].*?)\s*#define\s+((?:[^/]*?/?)+)\s*?(?:/{2,3}[^<].*?)?$", text, re.MULTILINE)
170     block += [(comment, define) for define, comment in re.findall(r"#define\s*(.*?)\s*/{3}<\s*(.+?)\s*?(?:/{2,3}[^<].*?)?$", text, re.MULTILINE)]
171     return block
172
173 def formatParamNameValue(text):
174     """
175     Take the given string and return a tuple with the name of the parameter in the first position
176     and the value in the second.
177     """
178     block = re.findall("\s*([^\s]+)\s*(.+?)\s*$", text, re.MULTILINE)
179     return block[0]
180
181 def getDescriptionInformations(text): 
182     """ 
183     Take the doxygen comment and strip the wizard informations, returning the tuple 
184     (comment, wizard_informations) 
185     """ 
186     index = text.find("$WIZARD") 
187     if index != -1: 
188         exec(text[index + 1:]) 
189         informations = WIZARD 
190         return text[:index].strip(), informations
191     else:
192         return text.strip(), {}
193
194 def loadConfigurationInfos(path):
195     """
196     Return the module configurations found in the given file as a dict with the
197     parameter name as key and a dict containig the fields above as value:
198         "value": the value of the parameter
199         "description": the description of the parameter
200         "informations": a dict containig optional informations:
201             "type": "int" | "boolean" | "enum"
202             "min": the minimum value for integer parameters
203             "max": the maximum value for integer parameters
204             "long": boolean indicating if the num is a long
205             "value_list": the name of the enum for enum parameters
206     """
207     try:
208         configurationInfos = {}
209         for comment, define in getDefinitionBlocks(open(path, "r").read()):
210             name, value = formatParamNameValue(define)
211             description, informations = getDescriptionInformations(comment)
212             configurationInfos[name] = {}
213             configurationInfos[name]["value"] = value
214             configurationInfos[name]["informations"] = informations
215             configurationInfos[name]["description"] = description
216         return configurationInfos
217     except SyntaxError:
218         raise DefineException.ConfigurationDefineException(path)
219
220 def loadModuleInfos(path):
221     """
222     Return the module infos found in the given file as a dict with the module
223     name as key and a dict containig the fields above as value or an empty dict
224     if the given file is not a BeRTOS module:
225         "depends": a list of modules needed by this module
226         "configuration": the cfg_*.h with the module configurations
227         "description": a string containing the brief description of doxygen
228         "enabled": contains False but the wizard will change if the user select
229         the module
230     """
231     try:
232         moduleInfos = {}
233         string = open(path, "r").read()
234         commentList = re.findall(r"/\*{2}\s*([^*]*\*(?:[^/*][^*]*\*+)*)/", string)
235         commentList = [" ".join(re.findall(r"^\s*\*?\s*(.*?)\s*?(?:/{2}.*?)?$", comment, re.MULTILINE)).strip() for comment in commentList]
236         for comment in commentList:
237             index = comment.find("$WIZARD_MODULE")
238             if index != -1:
239                 exec(comment[index + 1:])
240                 moduleInfos[WIZARD_MODULE["name"]] = {"depends": WIZARD_MODULE["depends"],
241                                                         "configuration": WIZARD_MODULE["configuration"],
242                                                         "description": "",
243                                                         "enabled": False}
244                 return moduleInfos
245         return {}
246     except SyntaxError:
247         raise DefineException.ModuleDefineException(path)
248
249 def loadModuleInfosDict(path):
250     """
251     Return the dict containig all the modules
252     """
253     moduleInfosDict = {}
254     for filename, path in findDefinitions("*.h", path):
255         moduleInfosDict.update(loadModuleInfos(path + "/" + filename))
256     return moduleInfosDict
257
258 def loadDefineLists(path):
259     """
260     Return a dict with the name of the list as key and a list of string as value
261     """
262     try:
263         string = open(path, "r").read()
264         commentList = re.findall(r"/\*{2}\s*([^*]*\*(?:[^/*][^*]*\*+)*)/", string)
265         commentList = [" ".join(re.findall(r"^\s*\*?\s*(.*?)\s*?(?:/{2}.*?)?$", comment, re.MULTILINE)).strip() for comment in commentList]
266         listDict = {}
267         for comment in commentList:
268             index = comment.find("$WIZARD_LIST")
269             if index != -1:
270                 exec(comment[index + 1:])
271                 listDict.update(WIZARD_LIST)
272         return listDict
273     except SyntaxError:
274         raise DefineException.EnumDefineException(path)
275
276 def loadDefineListsDict(path):
277     """
278     Return the dict containing all the define lists
279     """
280     defineListsDict = {}
281     for filename, path in findDefinitions("*.h", path):
282         defineListsDict.update(loadDefineLists(path + "/" + filename))
283     return defineListsDict
284
285 def sub(string, parameter, value):
286     """
287     Substitute the given value at the given parameter define in the given string
288     """
289     return re.sub(r"(?P<define>#define\s+" + parameter + r"\s+)([^\s]+)", r"\g<define>" + value, string)