]> git.proxmox.com Git - mirror_edk2.git/blame_incremental - Tools/Python/CalcDeps.py
Change Name
[mirror_edk2.git] / Tools / Python / CalcDeps.py
... / ...
CommitLineData
1#!/usr/bin/env python
2
3"""Calculate the dependencies a given module has by looking through the source
4code to see what guids and functions are referenced to see which Packages and
5Library Classes need to be referenced. """
6
7import os, sys, re, getopt, string, glob, xml.dom.minidom, pprint
8from XmlRoutines import *
9
10# Map each function name back to the lib class that declares it.
11function_table = {}
12
13# Map each guid name to a package name.
14cname_table = {}
15
16def inWorkspace(rel_path):
17 """Treat the given path as relative to the workspace."""
18
19 # Make sure the user has set the workspace variable:
20 try:
21 return os.path.join(os.environ["WORKSPACE"], rel_path )
22 except:
23 print "Oops! You must set the WORKSPACE environment variable to run this script."
24 sys.exit()
25
26def getIdentifiers(infiles):
27
28 """Build a set of all the identifiers in this file."""
29
30 # Start with an empty set.
31 ids = set()
32
33 for infile in infiles:
34
35 # Open the file
36 f = open(infile)
37
38 # Create some lexical categories that we will use to filter out
39 strings=re.compile('L?"[^"]*"')
40 chars=re.compile("'[^']*'")
41 hex=re.compile("0[Xx][0-9a-fA-F]*")
42 keywords = re.compile('for|do|while|if|else|break|int|unsigned|switch|volatile|goto|case|char|long|struct|return|extern')
43 common = re.compile('VOID|UINTN|UINT32|UINT8|UINT64')
44
45 # Compile a Regular expression to grab all the identifers from the input.
46 identifier = re.compile('[_a-zA-Z][0-9_a-zA-Z]{3,}')
47
48 for line in f.readlines():
49
50 # Filter some lexical categories out.
51 # for filter in [strings, chars, hex, keywords, common]:
52 for filter in [strings, chars, hex]:
53 line = re.sub(filter, '', line)
54
55 # Add all the identifiers that we found on this line.
56 ids = ids.union(set(identifier.findall(line)))
57
58 # Close the file
59 f.close()
60
61 # Return the set of identifiers.
62 return ids
63
64
65def search_classes(ids):
66
67 """ Search the set of classes for functions."""
68
69 # Start with an empty set.
70 classes = set()
71
72 for id in ids:
73 try:
74 # If it is not a "hit" in the table add it to the set.
75 classes.add(function_table[id])
76 except:
77 # If it is not a "hit" in the table, ignore it.
78 pass
79
80 return classes
81
82def search_cnames(ids):
83
84 """Search all the Packages to see if this code uses a Guid from one of them.
85 Return a set of matching packages."""
86
87 packages = set()
88
89 for id in ids:
90 try:
91 # If it is not a "hit" in the table add it to the set.
92 packages.add(cname_table[id])
93 except:
94 # If it is not a "hit" in the table, ignore it.
95 pass
96
97 return packages
98
99def getSpds():
100
101 """Open the database and get all the spd files out."""
102
103 # Open the database
104 database = xml.dom.minidom.parse(inWorkspace("Tools/Conf/FrameworkDatabase.db"))
105
106 # Get a list of all the packages
107 for filename in XmlList(database, "/FrameworkDatabase/PackageList/Filename"):
108 spdFile = XmlElementData(filename)
109
110 # Now open the spd file and build the database of guids.
111 getCNames(inWorkspace(spdFile))
112 getLibClasses(inWorkspace(spdFile))
113
114def getCNames(spdFile):
115
116 """Extract all the C_Names from an spd file."""
117
118 # Begin to parse the XML of the .spd
119 spd = xml.dom.minidom.parse(spdFile)
120
121 # Get the name of the package
122 packageName = XmlElement(spd, "PackageSurfaceArea/SpdHeader/PackageName")
123
124 # Find the C_Name
125 for cname in XmlList(spd, "/PackageSurfaceArea/GuidDeclarations/Entry/C_Name") + \
126 XmlList(spd, "/PackageSurfaceArea/PcdDeclarations/PcdEntry/C_Name") + \
127 XmlList(spd, "/PackageSurfaceArea/PpiDeclarations/Entry/C_Name") + \
128 XmlList(spd, "/PackageSurfaceArea/ProtocolDeclarations/Entry/C_Name"):
129
130 # Get the text of the <C_Name> tag.
131 cname_text = XmlElementData(cname)
132
133 # Map the <C_Name> to the <PackageName>. We will use this to lookup every
134 # identifier in the Input Code.
135 cname_table[cname_text] = packageName
136
137 return
138
139def getLibClasses(spdFile):
140
141 """Extract all the Lib Classes from an spd file."""
142
143 # Begin to parse the XML of the .spd
144 spd = xml.dom.minidom.parse(spdFile)
145
146 # Get the guid of the package
147 packageGuid = XmlElement(spd, "/PackageSurfaceArea/SpdHeader/GuidValue")
148
149 for libClass in XmlList(spd, "/PackageSurfaceArea/LibraryClassDeclarations/LibraryClass"):
150 className = XmlAttribute(libClass, "Name")
151 headerfile = XmlElementData(libClass.getElementsByTagName("IncludeHeader")[0])
152
153 packageRoot=os.path.dirname(spdFile)
154
155 headerfile = os.path.join(packageRoot, headerfile)
156
157 f = open(headerfile)
158
159 # This pattern can pick out function names if the EFI coding
160 # standard is followed. We could also use dumpbin on library
161 # instances to get a list of symbols.
162 functionPattern = re.compile("([_a-zA-Z][_a-zA-Z0-9]*) *\( *");
163
164 for line in f.readlines():
165 m = functionPattern.match(line)
166 if m:
167 functionName = m.group(1)
168 # Map it!
169 function_table[functionName] = (className, packageGuid)
170
171 f.close()
172
173def guid(strVal):
174 """Make a guid number out of a guid hex string."""
175 return long(strVal.replace('-',''), 16)
176
177# This acts like the main() function for the script, unless it is 'import'ed into another
178# script.
179if __name__ == '__main__':
180
181 # Create a pretty printer for dumping data structures in a readable form.
182 pp = pprint.PrettyPrinter(indent=2)
183
184 # Process the command line args.
185 optlist, args = getopt.getopt(sys.argv[1:], 'h', [ 'example-long-arg=', 'testing'])
186
187 """You should pass a file name as a paramter. It should be preprocessed text
188of all the .c and .h files in your module, which is cat'ed together into one
189large file."""
190
191 # Scrape out all the things that look like identifiers.
192 ids = getIdentifiers(args)
193
194 # Read in the spds from the workspace to find the Guids.
195 getSpds()
196
197 # Debug stuff.
198 print pp.pprint(function_table)
199 print pp.pprint(cname_table)
200 print "Classes = ", pp.pprint(list(search_classes(ids)))
201 print "C_Names = ", pp.pprint(list(search_cnames(ids)))