]> git.proxmox.com Git - mirror_edk2.git/blob - BaseTools/Source/Python/build/BuildReport.py
BaseTools: Similar to octal data rectification
[mirror_edk2.git] / BaseTools / Source / Python / build / BuildReport.py
1 ## @file
2 # Routines for generating build report.
3 #
4 # This module contains the functionality to generate build report after
5 # build all target completes successfully.
6 #
7 # Copyright (c) 2010 - 2018, Intel Corporation. All rights reserved.<BR>
8 # This program and the accompanying materials
9 # are licensed and made available under the terms and conditions of the BSD License
10 # which accompanies this distribution. The full text of the license may be found at
11 # http://opensource.org/licenses/bsd-license.php
12 #
13 # THE PROGRAM IS DISTRIBUTED UNDER THE BSD LICENSE ON AN "AS IS" BASIS,
14 # WITHOUT WARRANTIES OR REPRESENTATIONS OF ANY KIND, EITHER EXPRESS OR IMPLIED.
15 #
16
17 ## Import Modules
18 #
19 import Common.LongFilePathOs as os
20 import re
21 import platform
22 import textwrap
23 import traceback
24 import sys
25 import time
26 import struct
27 import hashlib
28 import subprocess
29 import threading
30 from datetime import datetime
31 from io import BytesIO
32 from Common import EdkLogger
33 from Common.Misc import SaveFileOnChange
34 from Common.Misc import GuidStructureByteArrayToGuidString
35 from Common.Misc import GuidStructureStringToGuidString
36 from Common.BuildToolError import FILE_WRITE_FAILURE
37 from Common.BuildToolError import CODE_ERROR
38 from Common.BuildToolError import COMMAND_FAILURE
39 from Common.BuildToolError import FORMAT_INVALID
40 from Common.LongFilePathSupport import OpenLongFilePath as open
41 from Common.MultipleWorkspace import MultipleWorkspace as mws
42 import Common.GlobalData as GlobalData
43 from AutoGen.AutoGen import ModuleAutoGen
44 from Common.Misc import PathClass
45 from Common.StringUtils import NormPath
46 from Common.DataType import *
47 import collections
48 from Common.Expression import *
49 from GenFds.AprioriSection import DXE_APRIORI_GUID, PEI_APRIORI_GUID
50
51 ## Pattern to extract contents in EDK DXS files
52 gDxsDependencyPattern = re.compile(r"DEPENDENCY_START(.+)DEPENDENCY_END", re.DOTALL)
53
54 ## Pattern to find total FV total size, occupied size in flash report intermediate file
55 gFvTotalSizePattern = re.compile(r"EFI_FV_TOTAL_SIZE = (0x[0-9a-fA-F]+)")
56 gFvTakenSizePattern = re.compile(r"EFI_FV_TAKEN_SIZE = (0x[0-9a-fA-F]+)")
57
58 ## Pattern to find module size and time stamp in module summary report intermediate file
59 gModuleSizePattern = re.compile(r"MODULE_SIZE = (\d+)")
60 gTimeStampPattern = re.compile(r"TIME_STAMP = (\d+)")
61
62 ## Pattern to find GUID value in flash description files
63 gPcdGuidPattern = re.compile(r"PCD\((\w+)[.](\w+)\)")
64
65 ## Pattern to collect offset, GUID value pair in the flash report intermediate file
66 gOffsetGuidPattern = re.compile(r"(0x[0-9A-Fa-f]+) ([-A-Fa-f0-9]+)")
67
68 ## Pattern to find module base address and entry point in fixed flash map file
69 gModulePattern = r"\n[-\w]+\s*\(([^,]+),\s*BaseAddress=%(Address)s,\s*EntryPoint=%(Address)s\)\s*\(GUID=([-0-9A-Fa-f]+)[^)]*\)"
70 gMapFileItemPattern = re.compile(gModulePattern % {"Address" : "(-?0[xX][0-9A-Fa-f]+)"})
71
72 ## Pattern to find all module referenced header files in source files
73 gIncludePattern = re.compile(r'#include\s*["<]([^">]+)[">]')
74 gIncludePattern2 = re.compile(r"#include\s+EFI_([A-Z_]+)\s*[(]\s*(\w+)\s*[)]")
75
76 ## Pattern to find the entry point for EDK module using EDKII Glue library
77 gGlueLibEntryPoint = re.compile(r"__EDKII_GLUE_MODULE_ENTRY_POINT__\s*=\s*(\w+)")
78
79 ## Tags for MaxLength of line in report
80 gLineMaxLength = 120
81
82 ## Tags for end of line in report
83 gEndOfLine = "\r\n"
84
85 ## Tags for section start, end and separator
86 gSectionStart = ">" + "=" * (gLineMaxLength - 2) + "<"
87 gSectionEnd = "<" + "=" * (gLineMaxLength - 2) + ">" + "\n"
88 gSectionSep = "=" * gLineMaxLength
89
90 ## Tags for subsection start, end and separator
91 gSubSectionStart = ">" + "-" * (gLineMaxLength - 2) + "<"
92 gSubSectionEnd = "<" + "-" * (gLineMaxLength - 2) + ">"
93 gSubSectionSep = "-" * gLineMaxLength
94
95
96 ## The look up table to map PCD type to pair of report display type and DEC type
97 gPcdTypeMap = {
98 TAB_PCDS_FIXED_AT_BUILD : ('FIXED', TAB_PCDS_FIXED_AT_BUILD),
99 TAB_PCDS_PATCHABLE_IN_MODULE: ('PATCH', TAB_PCDS_PATCHABLE_IN_MODULE),
100 TAB_PCDS_FEATURE_FLAG : ('FLAG', TAB_PCDS_FEATURE_FLAG),
101 TAB_PCDS_DYNAMIC : ('DYN', TAB_PCDS_DYNAMIC),
102 TAB_PCDS_DYNAMIC_HII : ('DYNHII', TAB_PCDS_DYNAMIC),
103 TAB_PCDS_DYNAMIC_VPD : ('DYNVPD', TAB_PCDS_DYNAMIC),
104 TAB_PCDS_DYNAMIC_EX : ('DEX', TAB_PCDS_DYNAMIC_EX),
105 TAB_PCDS_DYNAMIC_EX_HII : ('DEXHII', TAB_PCDS_DYNAMIC_EX),
106 TAB_PCDS_DYNAMIC_EX_VPD : ('DEXVPD', TAB_PCDS_DYNAMIC_EX),
107 }
108
109 ## The look up table to map module type to driver type
110 gDriverTypeMap = {
111 SUP_MODULE_SEC : '0x3 (SECURITY_CORE)',
112 SUP_MODULE_PEI_CORE : '0x4 (PEI_CORE)',
113 SUP_MODULE_PEIM : '0x6 (PEIM)',
114 SUP_MODULE_DXE_CORE : '0x5 (DXE_CORE)',
115 SUP_MODULE_DXE_DRIVER : '0x7 (DRIVER)',
116 SUP_MODULE_DXE_SAL_DRIVER : '0x7 (DRIVER)',
117 SUP_MODULE_DXE_SMM_DRIVER : '0x7 (DRIVER)',
118 SUP_MODULE_DXE_RUNTIME_DRIVER: '0x7 (DRIVER)',
119 SUP_MODULE_UEFI_DRIVER : '0x7 (DRIVER)',
120 SUP_MODULE_UEFI_APPLICATION : '0x9 (APPLICATION)',
121 SUP_MODULE_SMM_CORE : '0xD (SMM_CORE)',
122 'SMM_DRIVER' : '0xA (SMM)', # Extension of module type to support PI 1.1 SMM drivers
123 SUP_MODULE_MM_STANDALONE : '0xE (MM_STANDALONE)',
124 SUP_MODULE_MM_CORE_STANDALONE : '0xF (MM_CORE_STANDALONE)'
125 }
126
127 ## The look up table of the supported opcode in the dependency expression binaries
128 gOpCodeList = ["BEFORE", "AFTER", "PUSH", "AND", "OR", "NOT", "TRUE", "FALSE", "END", "SOR"]
129
130 ## Save VPD Pcd
131 VPDPcdList = []
132
133 ##
134 # Writes a string to the file object.
135 #
136 # This function writes a string to the file object and a new line is appended
137 # afterwards. It may optionally wraps the string for better readability.
138 #
139 # @File The file object to write
140 # @String The string to be written to the file
141 # @Wrapper Indicates whether to wrap the string
142 #
143 def FileWrite(File, String, Wrapper=False):
144 if Wrapper:
145 String = textwrap.fill(String, 120)
146 File.write(String + gEndOfLine)
147
148 def ByteArrayForamt(Value):
149 IsByteArray = False
150 SplitNum = 16
151 ArrayList = []
152 if Value.startswith('{') and Value.endswith('}'):
153 Value = Value[1:-1]
154 ValueList = Value.split(',')
155 if len(ValueList) >= SplitNum:
156 IsByteArray = True
157 if IsByteArray:
158 if ValueList:
159 Len = len(ValueList)/SplitNum
160 for i, element in enumerate(ValueList):
161 ValueList[i] = '0x%02X' % int(element.strip(), 16)
162 if Len:
163 Id = 0
164 while (Id <= Len):
165 End = min(SplitNum*(Id+1), len(ValueList))
166 Str = ','.join(ValueList[SplitNum*Id : End])
167 if End == len(ValueList):
168 Str += '}'
169 ArrayList.append(Str)
170 break
171 else:
172 Str += ','
173 ArrayList.append(Str)
174 Id += 1
175 else:
176 ArrayList = [Value + '}']
177 return IsByteArray, ArrayList
178
179 ##
180 # Find all the header file that the module source directly includes.
181 #
182 # This function scans source code to find all header files the module may
183 # include. This is not accurate but very effective to find all the header
184 # file the module might include with #include statement.
185 #
186 # @Source The source file name
187 # @IncludePathList The list of include path to find the source file.
188 # @IncludeFiles The dictionary of current found include files.
189 #
190 def FindIncludeFiles(Source, IncludePathList, IncludeFiles):
191 FileContents = open(Source).read()
192 #
193 # Find header files with pattern #include "XXX.h" or #include <XXX.h>
194 #
195 for Match in gIncludePattern.finditer(FileContents):
196 FileName = Match.group(1).strip()
197 for Dir in [os.path.dirname(Source)] + IncludePathList:
198 FullFileName = os.path.normpath(os.path.join(Dir, FileName))
199 if os.path.exists(FullFileName):
200 IncludeFiles[FullFileName.lower().replace("\\", "/")] = FullFileName
201 break
202
203 #
204 # Find header files with pattern like #include EFI_PPI_CONSUMER(XXX)
205 #
206 for Match in gIncludePattern2.finditer(FileContents):
207 Key = Match.group(2)
208 Type = Match.group(1)
209 if "ARCH_PROTOCOL" in Type:
210 FileName = "ArchProtocol/%(Key)s/%(Key)s.h" % {"Key" : Key}
211 elif "PROTOCOL" in Type:
212 FileName = "Protocol/%(Key)s/%(Key)s.h" % {"Key" : Key}
213 elif "PPI" in Type:
214 FileName = "Ppi/%(Key)s/%(Key)s.h" % {"Key" : Key}
215 elif TAB_GUID in Type:
216 FileName = "Guid/%(Key)s/%(Key)s.h" % {"Key" : Key}
217 else:
218 continue
219 for Dir in IncludePathList:
220 FullFileName = os.path.normpath(os.path.join(Dir, FileName))
221 if os.path.exists(FullFileName):
222 IncludeFiles[FullFileName.lower().replace("\\", "/")] = FullFileName
223 break
224
225 ## Split each lines in file
226 #
227 # This method is used to split the lines in file to make the length of each line
228 # less than MaxLength.
229 #
230 # @param Content The content of file
231 # @param MaxLength The Max Length of the line
232 #
233 def FileLinesSplit(Content=None, MaxLength=None):
234 ContentList = Content.split(TAB_LINE_BREAK)
235 NewContent = ''
236 NewContentList = []
237 for Line in ContentList:
238 while len(Line.rstrip()) > MaxLength:
239 LineSpaceIndex = Line.rfind(TAB_SPACE_SPLIT, 0, MaxLength)
240 LineSlashIndex = Line.rfind(TAB_SLASH, 0, MaxLength)
241 LineBackSlashIndex = Line.rfind(TAB_BACK_SLASH, 0, MaxLength)
242 if max(LineSpaceIndex, LineSlashIndex, LineBackSlashIndex) > 0:
243 LineBreakIndex = max(LineSpaceIndex, LineSlashIndex, LineBackSlashIndex)
244 else:
245 LineBreakIndex = MaxLength
246 NewContentList.append(Line[:LineBreakIndex])
247 Line = Line[LineBreakIndex:]
248 if Line:
249 NewContentList.append(Line)
250 for NewLine in NewContentList:
251 NewContent += NewLine + TAB_LINE_BREAK
252
253 NewContent = NewContent.replace(gEndOfLine, TAB_LINE_BREAK).replace('\r\r\n', gEndOfLine)
254 return NewContent
255
256
257
258 ##
259 # Parse binary dependency expression section
260 #
261 # This utility class parses the dependency expression section and translate the readable
262 # GUID name and value.
263 #
264 class DepexParser(object):
265 ##
266 # Constructor function for class DepexParser
267 #
268 # This constructor function collect GUID values so that the readable
269 # GUID name can be translated.
270 #
271 # @param self The object pointer
272 # @param Wa Workspace context information
273 #
274 def __init__(self, Wa):
275 self._GuidDb = {}
276 for Pa in Wa.AutoGenObjectList:
277 for Package in Pa.PackageList:
278 for Protocol in Package.Protocols:
279 GuidValue = GuidStructureStringToGuidString(Package.Protocols[Protocol])
280 self._GuidDb[GuidValue.upper()] = Protocol
281 for Ppi in Package.Ppis:
282 GuidValue = GuidStructureStringToGuidString(Package.Ppis[Ppi])
283 self._GuidDb[GuidValue.upper()] = Ppi
284 for Guid in Package.Guids:
285 GuidValue = GuidStructureStringToGuidString(Package.Guids[Guid])
286 self._GuidDb[GuidValue.upper()] = Guid
287 for Ma in Pa.ModuleAutoGenList:
288 for Pcd in Ma.FixedVoidTypePcds:
289 PcdValue = Ma.FixedVoidTypePcds[Pcd]
290 if len(PcdValue.split(',')) == 16:
291 GuidValue = GuidStructureByteArrayToGuidString(PcdValue)
292 self._GuidDb[GuidValue.upper()] = Pcd
293 ##
294 # Parse the binary dependency expression files.
295 #
296 # This function parses the binary dependency expression file and translate it
297 # to the instruction list.
298 #
299 # @param self The object pointer
300 # @param DepexFileName The file name of binary dependency expression file.
301 #
302 def ParseDepexFile(self, DepexFileName):
303 DepexFile = open(DepexFileName, "rb")
304 DepexStatement = []
305 OpCode = DepexFile.read(1)
306 while OpCode:
307 Statement = gOpCodeList[struct.unpack("B", OpCode)[0]]
308 if Statement in ["BEFORE", "AFTER", "PUSH"]:
309 GuidValue = "%08X-%04X-%04X-%02X%02X-%02X%02X%02X%02X%02X%02X" % \
310 struct.unpack(PACK_PATTERN_GUID, DepexFile.read(16))
311 GuidString = self._GuidDb.get(GuidValue, GuidValue)
312 Statement = "%s %s" % (Statement, GuidString)
313 DepexStatement.append(Statement)
314 OpCode = DepexFile.read(1)
315
316 return DepexStatement
317
318 ##
319 # Reports library information
320 #
321 # This class reports the module library subsection in the build report file.
322 #
323 class LibraryReport(object):
324 ##
325 # Constructor function for class LibraryReport
326 #
327 # This constructor function generates LibraryReport object for
328 # a module.
329 #
330 # @param self The object pointer
331 # @param M Module context information
332 #
333 def __init__(self, M):
334 self.LibraryList = []
335
336 for Lib in M.DependentLibraryList:
337 LibInfPath = str(Lib)
338 LibClassList = Lib.LibraryClass[0].LibraryClass
339 LibConstructorList = Lib.ConstructorList
340 LibDesstructorList = Lib.DestructorList
341 LibDepexList = Lib.DepexExpression[M.Arch, M.ModuleType]
342 for LibAutoGen in M.LibraryAutoGenList:
343 if LibInfPath == LibAutoGen.MetaFile.Path:
344 LibTime = LibAutoGen.BuildTime
345 break
346 self.LibraryList.append((LibInfPath, LibClassList, LibConstructorList, LibDesstructorList, LibDepexList, LibTime))
347
348 ##
349 # Generate report for module library information
350 #
351 # This function generates report for the module library.
352 # If the module is EDKII style one, the additional library class, library
353 # constructor/destructor and dependency expression may also be reported.
354 #
355 # @param self The object pointer
356 # @param File The file object for report
357 #
358 def GenerateReport(self, File):
359 if len(self.LibraryList) > 0:
360 FileWrite(File, gSubSectionStart)
361 FileWrite(File, TAB_BRG_LIBRARY)
362 FileWrite(File, gSubSectionSep)
363 for LibraryItem in self.LibraryList:
364 LibInfPath = LibraryItem[0]
365 FileWrite(File, LibInfPath)
366
367 LibClass = LibraryItem[1]
368 EdkIILibInfo = ""
369 LibConstructor = " ".join(LibraryItem[2])
370 if LibConstructor:
371 EdkIILibInfo += " C = " + LibConstructor
372 LibDestructor = " ".join(LibraryItem[3])
373 if LibDestructor:
374 EdkIILibInfo += " D = " + LibDestructor
375 LibDepex = " ".join(LibraryItem[4])
376 if LibDepex:
377 EdkIILibInfo += " Depex = " + LibDepex
378 if LibraryItem[5]:
379 EdkIILibInfo += " Time = " + LibraryItem[5]
380 if EdkIILibInfo:
381 FileWrite(File, "{%s: %s}" % (LibClass, EdkIILibInfo))
382 else:
383 FileWrite(File, "{%s}" % LibClass)
384
385 FileWrite(File, gSubSectionEnd)
386
387 ##
388 # Reports dependency expression information
389 #
390 # This class reports the module dependency expression subsection in the build report file.
391 #
392 class DepexReport(object):
393 ##
394 # Constructor function for class DepexReport
395 #
396 # This constructor function generates DepexReport object for
397 # a module. If the module source contains the DXS file (usually EDK
398 # style module), it uses the dependency in DXS file; otherwise,
399 # it uses the dependency expression from its own INF [Depex] section
400 # and then merges with the ones from its dependent library INF.
401 #
402 # @param self The object pointer
403 # @param M Module context information
404 #
405 def __init__(self, M):
406 self.Depex = ""
407 self._DepexFileName = os.path.join(M.BuildDir, "OUTPUT", M.Module.BaseName + ".depex")
408 ModuleType = M.ModuleType
409 if not ModuleType:
410 ModuleType = COMPONENT_TO_MODULE_MAP_DICT.get(M.ComponentType, "")
411
412 if ModuleType in [SUP_MODULE_SEC, SUP_MODULE_PEI_CORE, SUP_MODULE_DXE_CORE, SUP_MODULE_SMM_CORE, SUP_MODULE_MM_CORE_STANDALONE, SUP_MODULE_UEFI_APPLICATION]:
413 return
414
415 for Source in M.SourceFileList:
416 if os.path.splitext(Source.Path)[1].lower() == ".dxs":
417 Match = gDxsDependencyPattern.search(open(Source.Path).read())
418 if Match:
419 self.Depex = Match.group(1).strip()
420 self.Source = "DXS"
421 break
422 else:
423 self.Depex = M.DepexExpressionDict.get(M.ModuleType, "")
424 self.ModuleDepex = " ".join(M.Module.DepexExpression[M.Arch, M.ModuleType])
425 if not self.ModuleDepex:
426 self.ModuleDepex = "(None)"
427
428 LibDepexList = []
429 for Lib in M.DependentLibraryList:
430 LibDepex = " ".join(Lib.DepexExpression[M.Arch, M.ModuleType]).strip()
431 if LibDepex != "":
432 LibDepexList.append("(" + LibDepex + ")")
433 self.LibraryDepex = " AND ".join(LibDepexList)
434 if not self.LibraryDepex:
435 self.LibraryDepex = "(None)"
436 self.Source = "INF"
437
438 ##
439 # Generate report for module dependency expression information
440 #
441 # This function generates report for the module dependency expression.
442 #
443 # @param self The object pointer
444 # @param File The file object for report
445 # @param GlobalDepexParser The platform global Dependency expression parser object
446 #
447 def GenerateReport(self, File, GlobalDepexParser):
448 if not self.Depex:
449 return
450 FileWrite(File, gSubSectionStart)
451 if os.path.isfile(self._DepexFileName):
452 try:
453 DepexStatements = GlobalDepexParser.ParseDepexFile(self._DepexFileName)
454 FileWrite(File, "Final Dependency Expression (DEPEX) Instructions")
455 for DepexStatement in DepexStatements:
456 FileWrite(File, " %s" % DepexStatement)
457 FileWrite(File, gSubSectionSep)
458 except:
459 EdkLogger.warn(None, "Dependency expression file is corrupted", self._DepexFileName)
460
461 FileWrite(File, "Dependency Expression (DEPEX) from %s" % self.Source)
462
463 if self.Source == "INF":
464 FileWrite(File, self.Depex, True)
465 FileWrite(File, gSubSectionSep)
466 FileWrite(File, "From Module INF: %s" % self.ModuleDepex, True)
467 FileWrite(File, "From Library INF: %s" % self.LibraryDepex, True)
468 else:
469 FileWrite(File, self.Depex)
470 FileWrite(File, gSubSectionEnd)
471
472 ##
473 # Reports dependency expression information
474 #
475 # This class reports the module build flags subsection in the build report file.
476 #
477 class BuildFlagsReport(object):
478 ##
479 # Constructor function for class BuildFlagsReport
480 #
481 # This constructor function generates BuildFlagsReport object for
482 # a module. It reports the build tool chain tag and all relevant
483 # build flags to build the module.
484 #
485 # @param self The object pointer
486 # @param M Module context information
487 #
488 def __init__(self, M):
489 BuildOptions = {}
490 #
491 # Add build flags according to source file extension so that
492 # irrelevant ones can be filtered out.
493 #
494 for Source in M.SourceFileList:
495 Ext = os.path.splitext(Source.File)[1].lower()
496 if Ext in [".c", ".cc", ".cpp"]:
497 BuildOptions["CC"] = 1
498 elif Ext in [".s", ".asm"]:
499 BuildOptions["PP"] = 1
500 BuildOptions["ASM"] = 1
501 elif Ext in [".vfr"]:
502 BuildOptions["VFRPP"] = 1
503 BuildOptions["VFR"] = 1
504 elif Ext in [".dxs"]:
505 BuildOptions["APP"] = 1
506 BuildOptions["CC"] = 1
507 elif Ext in [".asl"]:
508 BuildOptions["ASLPP"] = 1
509 BuildOptions["ASL"] = 1
510 elif Ext in [".aslc"]:
511 BuildOptions["ASLCC"] = 1
512 BuildOptions["ASLDLINK"] = 1
513 BuildOptions["CC"] = 1
514 elif Ext in [".asm16"]:
515 BuildOptions["ASMLINK"] = 1
516 BuildOptions["SLINK"] = 1
517 BuildOptions["DLINK"] = 1
518
519 #
520 # Save module build flags.
521 #
522 self.ToolChainTag = M.ToolChain
523 self.BuildFlags = {}
524 for Tool in BuildOptions:
525 self.BuildFlags[Tool + "_FLAGS"] = M.BuildOption.get(Tool, {}).get("FLAGS", "")
526
527 ##
528 # Generate report for module build flags information
529 #
530 # This function generates report for the module build flags expression.
531 #
532 # @param self The object pointer
533 # @param File The file object for report
534 #
535 def GenerateReport(self, File):
536 FileWrite(File, gSubSectionStart)
537 FileWrite(File, "Build Flags")
538 FileWrite(File, "Tool Chain Tag: %s" % self.ToolChainTag)
539 for Tool in self.BuildFlags:
540 FileWrite(File, gSubSectionSep)
541 FileWrite(File, "%s = %s" % (Tool, self.BuildFlags[Tool]), True)
542
543 FileWrite(File, gSubSectionEnd)
544
545
546 ##
547 # Reports individual module information
548 #
549 # This class reports the module section in the build report file.
550 # It comprises of module summary, module PCD, library, dependency expression,
551 # build flags sections.
552 #
553 class ModuleReport(object):
554 ##
555 # Constructor function for class ModuleReport
556 #
557 # This constructor function generates ModuleReport object for
558 # a separate module in a platform build.
559 #
560 # @param self The object pointer
561 # @param M Module context information
562 # @param ReportType The kind of report items in the final report file
563 #
564 def __init__(self, M, ReportType):
565 self.ModuleName = M.Module.BaseName
566 self.ModuleInfPath = M.MetaFile.File
567 self.FileGuid = M.Guid
568 self.Size = 0
569 self.BuildTimeStamp = None
570 self.Hash = 0
571 self.DriverType = ""
572 if not M.IsLibrary:
573 ModuleType = M.ModuleType
574 if not ModuleType:
575 ModuleType = COMPONENT_TO_MODULE_MAP_DICT.get(M.ComponentType, "")
576 #
577 # If a module complies to PI 1.1, promote Module type to "SMM_DRIVER"
578 #
579 if ModuleType == SUP_MODULE_DXE_SMM_DRIVER:
580 PiSpec = M.Module.Specification.get("PI_SPECIFICATION_VERSION", "0x00010000")
581 if int(PiSpec, 0) >= 0x0001000A:
582 ModuleType = "SMM_DRIVER"
583 self.DriverType = gDriverTypeMap.get(ModuleType, "0x2 (FREE_FORM)")
584 self.UefiSpecVersion = M.Module.Specification.get("UEFI_SPECIFICATION_VERSION", "")
585 self.PiSpecVersion = M.Module.Specification.get("PI_SPECIFICATION_VERSION", "")
586 self.PciDeviceId = M.Module.Defines.get("PCI_DEVICE_ID", "")
587 self.PciVendorId = M.Module.Defines.get("PCI_VENDOR_ID", "")
588 self.PciClassCode = M.Module.Defines.get("PCI_CLASS_CODE", "")
589 self.BuildTime = M.BuildTime
590
591 self._BuildDir = M.BuildDir
592 self.ModulePcdSet = {}
593 if "PCD" in ReportType:
594 #
595 # Collect all module used PCD set: module INF referenced directly or indirectly.
596 # It also saves module INF default values of them in case they exist.
597 #
598 for Pcd in M.ModulePcdList + M.LibraryPcdList:
599 self.ModulePcdSet.setdefault((Pcd.TokenCName, Pcd.TokenSpaceGuidCName, Pcd.Type), (Pcd.InfDefaultValue, Pcd.DefaultValue))
600
601 self.LibraryReport = None
602 if "LIBRARY" in ReportType:
603 self.LibraryReport = LibraryReport(M)
604
605 self.DepexReport = None
606 if "DEPEX" in ReportType:
607 self.DepexReport = DepexReport(M)
608
609 if "BUILD_FLAGS" in ReportType:
610 self.BuildFlagsReport = BuildFlagsReport(M)
611
612
613 ##
614 # Generate report for module information
615 #
616 # This function generates report for separate module expression
617 # in a platform build.
618 #
619 # @param self The object pointer
620 # @param File The file object for report
621 # @param GlobalPcdReport The platform global PCD report object
622 # @param GlobalPredictionReport The platform global Prediction report object
623 # @param GlobalDepexParser The platform global Dependency expression parser object
624 # @param ReportType The kind of report items in the final report file
625 #
626 def GenerateReport(self, File, GlobalPcdReport, GlobalPredictionReport, GlobalDepexParser, ReportType):
627 FileWrite(File, gSectionStart)
628
629 FwReportFileName = os.path.join(self._BuildDir, "DEBUG", self.ModuleName + ".txt")
630 if os.path.isfile(FwReportFileName):
631 try:
632 FileContents = open(FwReportFileName).read()
633 Match = gModuleSizePattern.search(FileContents)
634 if Match:
635 self.Size = int(Match.group(1))
636
637 Match = gTimeStampPattern.search(FileContents)
638 if Match:
639 self.BuildTimeStamp = datetime.fromtimestamp(int(Match.group(1)))
640 except IOError:
641 EdkLogger.warn(None, "Fail to read report file", FwReportFileName)
642
643 if "HASH" in ReportType:
644 OutputDir = os.path.join(self._BuildDir, "OUTPUT")
645 DefaultEFIfile = os.path.join(OutputDir, self.ModuleName + ".efi")
646 if os.path.isfile(DefaultEFIfile):
647 Tempfile = os.path.join(OutputDir, self.ModuleName + "_hash.tmp")
648 # rebase the efi image since its base address may not zero
649 cmd = ["GenFw", "--rebase", str(0), "-o", Tempfile, DefaultEFIfile]
650 try:
651 PopenObject = subprocess.Popen(' '.join(cmd), stdout=subprocess.PIPE, stderr=subprocess.PIPE, shell=True)
652 except Exception as X:
653 EdkLogger.error("GenFw", COMMAND_FAILURE, ExtraData="%s: %s" % (str(X), cmd[0]))
654 EndOfProcedure = threading.Event()
655 EndOfProcedure.clear()
656 if PopenObject.stderr:
657 StdErrThread = threading.Thread(target=ReadMessage, args=(PopenObject.stderr, EdkLogger.quiet, EndOfProcedure))
658 StdErrThread.setName("STDERR-Redirector")
659 StdErrThread.setDaemon(False)
660 StdErrThread.start()
661 # waiting for program exit
662 PopenObject.wait()
663 if PopenObject.stderr:
664 StdErrThread.join()
665 if PopenObject.returncode != 0:
666 EdkLogger.error("GenFw", COMMAND_FAILURE, "Failed to generate firmware hash image for %s" % (DefaultEFIfile))
667 if os.path.isfile(Tempfile):
668 self.Hash = hashlib.sha1()
669 buf = open(Tempfile, 'rb').read()
670 if self.Hash.update(buf):
671 self.Hash = self.Hash.update(buf)
672 self.Hash = self.Hash.hexdigest()
673 os.remove(Tempfile)
674
675 FileWrite(File, "Module Summary")
676 FileWrite(File, "Module Name: %s" % self.ModuleName)
677 FileWrite(File, "Module INF Path: %s" % self.ModuleInfPath)
678 FileWrite(File, "File GUID: %s" % self.FileGuid)
679 if self.Size:
680 FileWrite(File, "Size: 0x%X (%.2fK)" % (self.Size, self.Size / 1024.0))
681 if self.Hash:
682 FileWrite(File, "SHA1 HASH: %s *%s" % (self.Hash, self.ModuleName + ".efi"))
683 if self.BuildTimeStamp:
684 FileWrite(File, "Build Time Stamp: %s" % self.BuildTimeStamp)
685 if self.BuildTime:
686 FileWrite(File, "Module Build Time: %s" % self.BuildTime)
687 if self.DriverType:
688 FileWrite(File, "Driver Type: %s" % self.DriverType)
689 if self.UefiSpecVersion:
690 FileWrite(File, "UEFI Spec Version: %s" % self.UefiSpecVersion)
691 if self.PiSpecVersion:
692 FileWrite(File, "PI Spec Version: %s" % self.PiSpecVersion)
693 if self.PciDeviceId:
694 FileWrite(File, "PCI Device ID: %s" % self.PciDeviceId)
695 if self.PciVendorId:
696 FileWrite(File, "PCI Vendor ID: %s" % self.PciVendorId)
697 if self.PciClassCode:
698 FileWrite(File, "PCI Class Code: %s" % self.PciClassCode)
699
700 FileWrite(File, gSectionSep)
701
702 if "PCD" in ReportType:
703 GlobalPcdReport.GenerateReport(File, self.ModulePcdSet)
704
705 if "LIBRARY" in ReportType:
706 self.LibraryReport.GenerateReport(File)
707
708 if "DEPEX" in ReportType:
709 self.DepexReport.GenerateReport(File, GlobalDepexParser)
710
711 if "BUILD_FLAGS" in ReportType:
712 self.BuildFlagsReport.GenerateReport(File)
713
714 if "FIXED_ADDRESS" in ReportType and self.FileGuid:
715 GlobalPredictionReport.GenerateReport(File, self.FileGuid)
716
717 FileWrite(File, gSectionEnd)
718
719 def ReadMessage(From, To, ExitFlag):
720 while True:
721 # read one line a time
722 Line = From.readline()
723 # empty string means "end"
724 if Line is not None and Line != "":
725 To(Line.rstrip())
726 else:
727 break
728 if ExitFlag.isSet():
729 break
730
731 ##
732 # Reports platform and module PCD information
733 #
734 # This class reports the platform PCD section and module PCD subsection
735 # in the build report file.
736 #
737 class PcdReport(object):
738 ##
739 # Constructor function for class PcdReport
740 #
741 # This constructor function generates PcdReport object a platform build.
742 # It collects the whole PCD database from platform DSC files, platform
743 # flash description file and package DEC files.
744 #
745 # @param self The object pointer
746 # @param Wa Workspace context information
747 #
748 def __init__(self, Wa):
749 self.AllPcds = {}
750 self.UnusedPcds = {}
751 self.ConditionalPcds = {}
752 self.MaxLen = 0
753 self.Arch = None
754 if Wa.FdfProfile:
755 self.FdfPcdSet = Wa.FdfProfile.PcdDict
756 else:
757 self.FdfPcdSet = {}
758
759 self.DefaultStoreSingle = True
760 self.SkuSingle = True
761 if GlobalData.gDefaultStores and len(GlobalData.gDefaultStores) > 1:
762 self.DefaultStoreSingle = False
763 if GlobalData.gSkuids and len(GlobalData.gSkuids) > 1:
764 self.SkuSingle = False
765
766 self.ModulePcdOverride = {}
767 for Pa in Wa.AutoGenObjectList:
768 self.Arch = Pa.Arch
769 #
770 # Collect all platform referenced PCDs and grouped them by PCD token space
771 # GUID C Names
772 #
773 for Pcd in Pa.AllPcdList:
774 PcdList = self.AllPcds.setdefault(Pcd.TokenSpaceGuidCName, {}).setdefault(Pcd.Type, [])
775 if Pcd not in PcdList:
776 PcdList.append(Pcd)
777 if len(Pcd.TokenCName) > self.MaxLen:
778 self.MaxLen = len(Pcd.TokenCName)
779 #
780 # Collect the PCD defined in DSC/FDF file, but not used in module
781 #
782 UnusedPcdFullList = []
783 for item in Pa.Platform.Pcds:
784 Pcd = Pa.Platform.Pcds[item]
785 if not Pcd.Type:
786 # check the Pcd in FDF file, whether it is used in module first
787 for T in PCD_TYPE_LIST:
788 PcdList = self.AllPcds.setdefault(Pcd.TokenSpaceGuidCName, {}).setdefault(T, [])
789 if Pcd in PcdList:
790 Pcd.Type = T
791 break
792 if not Pcd.Type:
793 PcdTypeFlag = False
794 for package in Pa.PackageList:
795 for T in PCD_TYPE_LIST:
796 if (Pcd.TokenCName, Pcd.TokenSpaceGuidCName, T) in package.Pcds:
797 Pcd.Type = T
798 PcdTypeFlag = True
799 if not Pcd.DatumType:
800 Pcd.DatumType = package.Pcds[(Pcd.TokenCName, Pcd.TokenSpaceGuidCName, T)].DatumType
801 break
802 if PcdTypeFlag:
803 break
804 if not Pcd.DatumType:
805 PcdType = Pcd.Type
806 # Try to remove Hii and Vpd suffix
807 if PcdType.startswith(TAB_PCDS_DYNAMIC_EX):
808 PcdType = TAB_PCDS_DYNAMIC_EX
809 elif PcdType.startswith(TAB_PCDS_DYNAMIC):
810 PcdType = TAB_PCDS_DYNAMIC
811 for package in Pa.PackageList:
812 if (Pcd.TokenCName, Pcd.TokenSpaceGuidCName, PcdType) in package.Pcds:
813 Pcd.DatumType = package.Pcds[(Pcd.TokenCName, Pcd.TokenSpaceGuidCName, PcdType)].DatumType
814 break
815
816 PcdList = self.AllPcds.setdefault(Pcd.TokenSpaceGuidCName, {}).setdefault(Pcd.Type, [])
817 UnusedPcdList = self.UnusedPcds.setdefault(Pcd.TokenSpaceGuidCName, {}).setdefault(Pcd.Type, [])
818 if Pcd in UnusedPcdList:
819 UnusedPcdList.remove(Pcd)
820 if Pcd not in PcdList and Pcd not in UnusedPcdFullList:
821 UnusedPcdFullList.append(Pcd)
822 if len(Pcd.TokenCName) > self.MaxLen:
823 self.MaxLen = len(Pcd.TokenCName)
824
825 if GlobalData.gConditionalPcds:
826 for PcdItem in GlobalData.gConditionalPcds:
827 if '.' in PcdItem:
828 (TokenSpaceGuidCName, TokenCName) = PcdItem.split('.')
829 if (TokenCName, TokenSpaceGuidCName) in Pa.Platform.Pcds:
830 Pcd = Pa.Platform.Pcds[(TokenCName, TokenSpaceGuidCName)]
831 PcdList = self.ConditionalPcds.setdefault(Pcd.TokenSpaceGuidCName, {}).setdefault(Pcd.Type, [])
832 if Pcd not in PcdList:
833 PcdList.append(Pcd)
834
835 UnusedPcdList = []
836 if UnusedPcdFullList:
837 for Pcd in UnusedPcdFullList:
838 if Pcd.TokenSpaceGuidCName + '.' + Pcd.TokenCName in GlobalData.gConditionalPcds:
839 continue
840 UnusedPcdList.append(Pcd)
841
842 for Pcd in UnusedPcdList:
843 PcdList = self.UnusedPcds.setdefault(Pcd.TokenSpaceGuidCName, {}).setdefault(Pcd.Type, [])
844 if Pcd not in PcdList:
845 PcdList.append(Pcd)
846
847 for Module in Pa.Platform.Modules.values():
848 #
849 # Collect module override PCDs
850 #
851 for ModulePcd in Module.M.ModulePcdList + Module.M.LibraryPcdList:
852 TokenCName = ModulePcd.TokenCName
853 TokenSpaceGuid = ModulePcd.TokenSpaceGuidCName
854 ModuleDefault = ModulePcd.DefaultValue
855 ModulePath = os.path.basename(Module.M.MetaFile.File)
856 self.ModulePcdOverride.setdefault((TokenCName, TokenSpaceGuid), {})[ModulePath] = ModuleDefault
857
858
859 #
860 # Collect PCD DEC default value.
861 #
862 self.DecPcdDefault = {}
863 self._GuidDict = {}
864 for Pa in Wa.AutoGenObjectList:
865 for Package in Pa.PackageList:
866 Guids = Package.Guids
867 self._GuidDict.update(Guids)
868 for (TokenCName, TokenSpaceGuidCName, DecType) in Package.Pcds:
869 DecDefaultValue = Package.Pcds[TokenCName, TokenSpaceGuidCName, DecType].DefaultValue
870 self.DecPcdDefault.setdefault((TokenCName, TokenSpaceGuidCName, DecType), DecDefaultValue)
871 #
872 # Collect PCDs defined in DSC common section
873 #
874 self.DscPcdDefault = {}
875 for Pa in Wa.AutoGenObjectList:
876 for (TokenCName, TokenSpaceGuidCName) in Pa.Platform.Pcds:
877 DscDefaultValue = Pa.Platform.Pcds[(TokenCName, TokenSpaceGuidCName)].DscDefaultValue
878 if DscDefaultValue:
879 self.DscPcdDefault[(TokenCName, TokenSpaceGuidCName)] = DscDefaultValue
880
881 def GenerateReport(self, File, ModulePcdSet):
882 if not ModulePcdSet:
883 if self.ConditionalPcds:
884 self.GenerateReportDetail(File, ModulePcdSet, 1)
885 if self.UnusedPcds:
886 IsEmpty = True
887 for Token in self.UnusedPcds:
888 TokenDict = self.UnusedPcds[Token]
889 for Type in TokenDict:
890 if TokenDict[Type]:
891 IsEmpty = False
892 break
893 if not IsEmpty:
894 break
895 if not IsEmpty:
896 self.GenerateReportDetail(File, ModulePcdSet, 2)
897 self.GenerateReportDetail(File, ModulePcdSet)
898
899 ##
900 # Generate report for PCD information
901 #
902 # This function generates report for separate module expression
903 # in a platform build.
904 #
905 # @param self The object pointer
906 # @param File The file object for report
907 # @param ModulePcdSet Set of all PCDs referenced by module or None for
908 # platform PCD report
909 # @param ReportySubType 0 means platform/module PCD report, 1 means Conditional
910 # directives section report, 2 means Unused Pcds section report
911 # @param DscOverridePcds Module DSC override PCDs set
912 #
913 def GenerateReportDetail(self, File, ModulePcdSet, ReportSubType = 0):
914 PcdDict = self.AllPcds
915 if ReportSubType == 1:
916 PcdDict = self.ConditionalPcds
917 elif ReportSubType == 2:
918 PcdDict = self.UnusedPcds
919
920 if not ModulePcdSet:
921 FileWrite(File, gSectionStart)
922 if ReportSubType == 1:
923 FileWrite(File, "Conditional Directives used by the build system")
924 elif ReportSubType == 2:
925 FileWrite(File, "PCDs not used by modules or in conditional directives")
926 else:
927 FileWrite(File, "Platform Configuration Database Report")
928
929 FileWrite(File, " *B - PCD override in the build option")
930 FileWrite(File, " *P - Platform scoped PCD override in DSC file")
931 FileWrite(File, " *F - Platform scoped PCD override in FDF file")
932 if not ReportSubType:
933 FileWrite(File, " *M - Module scoped PCD override")
934 FileWrite(File, gSectionSep)
935 else:
936 if not ReportSubType and ModulePcdSet:
937 #
938 # For module PCD sub-section
939 #
940 FileWrite(File, gSubSectionStart)
941 FileWrite(File, TAB_BRG_PCD)
942 FileWrite(File, gSubSectionSep)
943 AllPcdDict = {}
944 for Key in PcdDict:
945 AllPcdDict[Key] = {}
946 for Type in PcdDict[Key]:
947 for Pcd in PcdDict[Key][Type]:
948 AllPcdDict[Key][(Pcd.TokenCName, Type)] = Pcd
949 for Key in sorted(AllPcdDict):
950 #
951 # Group PCD by their token space GUID C Name
952 #
953 First = True
954 for PcdTokenCName, Type in sorted(AllPcdDict[Key]):
955 #
956 # Group PCD by their usage type
957 #
958 Pcd = AllPcdDict[Key][(PcdTokenCName, Type)]
959 TypeName, DecType = gPcdTypeMap.get(Type, ("", Type))
960 MixedPcdFlag = False
961 if GlobalData.MixedPcd:
962 for PcdKey in GlobalData.MixedPcd:
963 if (Pcd.TokenCName, Pcd.TokenSpaceGuidCName) in GlobalData.MixedPcd[PcdKey]:
964 PcdTokenCName = PcdKey[0]
965 MixedPcdFlag = True
966 if MixedPcdFlag and not ModulePcdSet:
967 continue
968 #
969 # Get PCD default value and their override relationship
970 #
971 DecDefaultValue = self.DecPcdDefault.get((Pcd.TokenCName, Pcd.TokenSpaceGuidCName, DecType))
972 DscDefaultValue = self.DscPcdDefault.get((Pcd.TokenCName, Pcd.TokenSpaceGuidCName))
973 DscDefaultValBak = DscDefaultValue
974 Field = ''
975 for (CName, Guid, Field) in self.FdfPcdSet:
976 if CName == PcdTokenCName and Guid == Key:
977 DscDefaultValue = self.FdfPcdSet[(CName, Guid, Field)]
978 break
979 if DscDefaultValue != DscDefaultValBak:
980 try:
981 DscDefaultValue = ValueExpressionEx(DscDefaultValue, Pcd.DatumType, self._GuidDict)(True)
982 except BadExpression as DscDefaultValue:
983 EdkLogger.error('BuildReport', FORMAT_INVALID, "PCD Value: %s, Type: %s" %(DscDefaultValue, Pcd.DatumType))
984
985 InfDefaultValue = None
986
987 PcdValue = DecDefaultValue
988 if DscDefaultValue:
989 PcdValue = DscDefaultValue
990 #The DefaultValue of StructurePcd already be the latest, no need to update.
991 if not self.IsStructurePcd(Pcd.TokenCName, Pcd.TokenSpaceGuidCName):
992 Pcd.DefaultValue = PcdValue
993 if ModulePcdSet is not None:
994 if (Pcd.TokenCName, Pcd.TokenSpaceGuidCName, Type) not in ModulePcdSet:
995 continue
996 InfDefaultValue, PcdValue = ModulePcdSet[Pcd.TokenCName, Pcd.TokenSpaceGuidCName, Type]
997 #The DefaultValue of StructurePcd already be the latest, no need to update.
998 if not self.IsStructurePcd(Pcd.TokenCName, Pcd.TokenSpaceGuidCName):
999 Pcd.DefaultValue = PcdValue
1000 if InfDefaultValue:
1001 try:
1002 InfDefaultValue = ValueExpressionEx(InfDefaultValue, Pcd.DatumType, self._GuidDict)(True)
1003 except BadExpression as InfDefaultValue:
1004 EdkLogger.error('BuildReport', FORMAT_INVALID, "PCD Value: %s, Type: %s" % (InfDefaultValue, Pcd.DatumType))
1005 if InfDefaultValue == "":
1006 InfDefaultValue = None
1007
1008 BuildOptionMatch = False
1009 if GlobalData.BuildOptionPcd:
1010 for pcd in GlobalData.BuildOptionPcd:
1011 if (Pcd.TokenSpaceGuidCName, Pcd.TokenCName) == (pcd[0], pcd[1]):
1012 if pcd[2]:
1013 continue
1014 PcdValue = pcd[3]
1015 #The DefaultValue of StructurePcd already be the latest, no need to update.
1016 if not self.IsStructurePcd(Pcd.TokenCName, Pcd.TokenSpaceGuidCName):
1017 Pcd.DefaultValue = PcdValue
1018 BuildOptionMatch = True
1019 break
1020
1021 if First:
1022 if ModulePcdSet is None:
1023 FileWrite(File, "")
1024 FileWrite(File, Key)
1025 First = False
1026
1027
1028 if Pcd.DatumType in TAB_PCD_NUMERIC_TYPES:
1029 if PcdValue.startswith('0') and not PcdValue.lower().startswith('0x') and \
1030 len(PcdValue) > 1 and PcdValue.lstrip('0'):
1031 PcdValue = PcdValue.lstrip('0')
1032 PcdValueNumber = int(PcdValue.strip(), 0)
1033 if DecDefaultValue is None:
1034 DecMatch = True
1035 else:
1036 if DecDefaultValue.startswith('0') and not DecDefaultValue.lower().startswith('0x') and \
1037 len(DecDefaultValue) > 1 and DecDefaultValue.lstrip('0'):
1038 DecDefaultValue = DecDefaultValue.lstrip('0')
1039 DecDefaultValueNumber = int(DecDefaultValue.strip(), 0)
1040 DecMatch = (DecDefaultValueNumber == PcdValueNumber)
1041
1042 if InfDefaultValue is None:
1043 InfMatch = True
1044 else:
1045 if InfDefaultValue.startswith('0') and not InfDefaultValue.lower().startswith('0x') and \
1046 len(InfDefaultValue) > 1 and InfDefaultValue.lstrip('0'):
1047 InfDefaultValue = InfDefaultValue.lstrip('0')
1048 InfDefaultValueNumber = int(InfDefaultValue.strip(), 0)
1049 InfMatch = (InfDefaultValueNumber == PcdValueNumber)
1050
1051 if DscDefaultValue is None:
1052 DscMatch = True
1053 else:
1054 if DscDefaultValue.startswith('0') and not DscDefaultValue.lower().startswith('0x') and \
1055 len(DscDefaultValue) > 1 and DscDefaultValue.lstrip('0'):
1056 DscDefaultValue = DscDefaultValue.lstrip('0')
1057 DscDefaultValueNumber = int(DscDefaultValue.strip(), 0)
1058 DscMatch = (DscDefaultValueNumber == PcdValueNumber)
1059 else:
1060 if DecDefaultValue is None:
1061 DecMatch = True
1062 else:
1063 DecMatch = (DecDefaultValue.strip() == PcdValue.strip())
1064
1065 if InfDefaultValue is None:
1066 InfMatch = True
1067 else:
1068 InfMatch = (InfDefaultValue.strip() == PcdValue.strip())
1069
1070 if DscDefaultValue is None:
1071 DscMatch = True
1072 else:
1073 DscMatch = (DscDefaultValue.strip() == PcdValue.strip())
1074
1075 IsStructure = False
1076 if self.IsStructurePcd(Pcd.TokenCName, Pcd.TokenSpaceGuidCName):
1077 IsStructure = True
1078 if TypeName in ('DYNVPD', 'DEXVPD'):
1079 SkuInfoList = Pcd.SkuInfoList
1080 Pcd = GlobalData.gStructurePcd[self.Arch][(Pcd.TokenCName, Pcd.TokenSpaceGuidCName)]
1081 Pcd.DatumType = Pcd.StructName
1082 if TypeName in ('DYNVPD', 'DEXVPD'):
1083 Pcd.SkuInfoList = SkuInfoList
1084 if Pcd.PcdValueFromComm or Pcd.PcdFieldValueFromComm:
1085 BuildOptionMatch = True
1086 DecMatch = False
1087 elif Pcd.PcdValueFromFdf or Pcd.PcdFieldValueFromFdf:
1088 DscDefaultValue = True
1089 DscMatch = True
1090 DecMatch = False
1091 elif Pcd.SkuOverrideValues:
1092 DscOverride = False
1093 if Pcd.DefaultFromDSC:
1094 DscOverride = True
1095 else:
1096 DictLen = 0
1097 for item in Pcd.SkuOverrideValues:
1098 DictLen += len(Pcd.SkuOverrideValues[item])
1099 if not DictLen:
1100 DscOverride = False
1101 else:
1102 if not Pcd.SkuInfoList:
1103 OverrideValues = Pcd.SkuOverrideValues
1104 if OverrideValues:
1105 for Data in OverrideValues.values():
1106 Struct = list(Data.values())
1107 if Struct:
1108 DscOverride = self.ParseStruct(Struct[0])
1109 break
1110 else:
1111 SkuList = sorted(Pcd.SkuInfoList.keys())
1112 for Sku in SkuList:
1113 SkuInfo = Pcd.SkuInfoList[Sku]
1114 if TypeName in ('DYNHII', 'DEXHII'):
1115 if SkuInfo.DefaultStoreDict:
1116 DefaultStoreList = sorted(SkuInfo.DefaultStoreDict.keys())
1117 for DefaultStore in DefaultStoreList:
1118 OverrideValues = Pcd.SkuOverrideValues[Sku]
1119 DscOverride = self.ParseStruct(OverrideValues[DefaultStore])
1120 if DscOverride:
1121 break
1122 else:
1123 OverrideValues = Pcd.SkuOverrideValues[Sku]
1124 if OverrideValues:
1125 Keys = list(OverrideValues.keys())
1126 OverrideFieldStruct = self.OverrideFieldValue(Pcd, OverrideValues[Keys[0]])
1127 DscOverride = self.ParseStruct(OverrideFieldStruct)
1128 if DscOverride:
1129 break
1130 if DscOverride:
1131 DscDefaultValue = True
1132 DscMatch = True
1133 DecMatch = False
1134 else:
1135 DecMatch = True
1136 else:
1137 DscDefaultValue = True
1138 DscMatch = True
1139 DecMatch = False
1140
1141 #
1142 # Report PCD item according to their override relationship
1143 #
1144 if Pcd.DatumType == 'BOOLEAN':
1145 if DscDefaultValue:
1146 DscDefaultValue = str(int(DscDefaultValue, 0))
1147 if DecDefaultValue:
1148 DecDefaultValue = str(int(DecDefaultValue, 0))
1149 if InfDefaultValue:
1150 InfDefaultValue = str(int(InfDefaultValue, 0))
1151 if Pcd.DefaultValue:
1152 Pcd.DefaultValue = str(int(Pcd.DefaultValue, 0))
1153 if DecMatch:
1154 self.PrintPcdValue(File, Pcd, PcdTokenCName, TypeName, IsStructure, DscMatch, DscDefaultValBak, InfMatch, InfDefaultValue, DecMatch, DecDefaultValue, ' ')
1155 elif InfDefaultValue and InfMatch:
1156 self.PrintPcdValue(File, Pcd, PcdTokenCName, TypeName, IsStructure, DscMatch, DscDefaultValBak, InfMatch, InfDefaultValue, DecMatch, DecDefaultValue, '*M')
1157 elif BuildOptionMatch:
1158 self.PrintPcdValue(File, Pcd, PcdTokenCName, TypeName, IsStructure, DscMatch, DscDefaultValBak, InfMatch, InfDefaultValue, DecMatch, DecDefaultValue, '*B')
1159 else:
1160 if DscDefaultValue and DscMatch:
1161 if (Pcd.TokenCName, Key, Field) in self.FdfPcdSet:
1162 self.PrintPcdValue(File, Pcd, PcdTokenCName, TypeName, IsStructure, DscMatch, DscDefaultValBak, InfMatch, InfDefaultValue, DecMatch, DecDefaultValue, '*F')
1163 else:
1164 self.PrintPcdValue(File, Pcd, PcdTokenCName, TypeName, IsStructure, DscMatch, DscDefaultValBak, InfMatch, InfDefaultValue, DecMatch, DecDefaultValue, '*P')
1165 else:
1166 self.PrintPcdValue(File, Pcd, PcdTokenCName, TypeName, IsStructure, DscMatch, DscDefaultValBak, InfMatch, InfDefaultValue, DecMatch, DecDefaultValue, '*M')
1167
1168 if ModulePcdSet is None:
1169 if IsStructure:
1170 continue
1171 if not TypeName in ('PATCH', 'FLAG', 'FIXED'):
1172 continue
1173 if not BuildOptionMatch:
1174 ModuleOverride = self.ModulePcdOverride.get((Pcd.TokenCName, Pcd.TokenSpaceGuidCName), {})
1175 for ModulePath in ModuleOverride:
1176 ModuleDefault = ModuleOverride[ModulePath]
1177 if Pcd.DatumType in TAB_PCD_NUMERIC_TYPES:
1178 if ModuleDefault.startswith('0') and not ModuleDefault.lower().startswith('0x') and \
1179 len(ModuleDefault) > 1 and ModuleDefault.lstrip('0'):
1180 ModuleDefault = ModuleDefault.lstrip('0')
1181 ModulePcdDefaultValueNumber = int(ModuleDefault.strip(), 0)
1182 Match = (ModulePcdDefaultValueNumber == PcdValueNumber)
1183 if Pcd.DatumType == 'BOOLEAN':
1184 ModuleDefault = str(ModulePcdDefaultValueNumber)
1185 else:
1186 Match = (ModuleDefault.strip() == PcdValue.strip())
1187 if Match:
1188 continue
1189 IsByteArray, ArrayList = ByteArrayForamt(ModuleDefault.strip())
1190 if IsByteArray:
1191 FileWrite(File, ' *M %-*s = %s' % (self.MaxLen + 15, ModulePath, '{'))
1192 for Array in ArrayList:
1193 FileWrite(File, Array)
1194 else:
1195 Value = ModuleDefault.strip()
1196 if Pcd.DatumType in TAB_PCD_CLEAN_NUMERIC_TYPES:
1197 if Value.startswith(('0x', '0X')):
1198 Value = '{} ({:d})'.format(Value, int(Value, 0))
1199 else:
1200 Value = "0x{:X} ({})".format(int(Value, 0), Value)
1201 FileWrite(File, ' *M %-*s = %s' % (self.MaxLen + 15, ModulePath, Value))
1202
1203 if ModulePcdSet is None:
1204 FileWrite(File, gSectionEnd)
1205 else:
1206 if not ReportSubType and ModulePcdSet:
1207 FileWrite(File, gSubSectionEnd)
1208
1209 def ParseStruct(self, struct):
1210 HasDscOverride = False
1211 if struct:
1212 for _, Values in struct.items():
1213 for Key, value in Values.items():
1214 if value[1] and value[1].endswith('.dsc'):
1215 HasDscOverride = True
1216 break
1217 if HasDscOverride == True:
1218 break
1219 return HasDscOverride
1220
1221 def PrintPcdDefault(self, File, Pcd, IsStructure, DscMatch, DscDefaultValue, InfMatch, InfDefaultValue, DecMatch, DecDefaultValue):
1222 if not DscMatch and DscDefaultValue is not None:
1223 Value = DscDefaultValue.strip()
1224 IsByteArray, ArrayList = ByteArrayForamt(Value)
1225 if IsByteArray:
1226 FileWrite(File, ' %*s = %s' % (self.MaxLen + 19, 'DSC DEFAULT', "{"))
1227 for Array in ArrayList:
1228 FileWrite(File, Array)
1229 else:
1230 if Pcd.DatumType in TAB_PCD_CLEAN_NUMERIC_TYPES:
1231 if Value.startswith(('0x', '0X')):
1232 Value = '{} ({:d})'.format(Value, int(Value, 0))
1233 else:
1234 Value = "0x{:X} ({})".format(int(Value, 0), Value)
1235 FileWrite(File, ' %*s = %s' % (self.MaxLen + 19, 'DSC DEFAULT', Value))
1236 if not InfMatch and InfDefaultValue is not None:
1237 Value = InfDefaultValue.strip()
1238 IsByteArray, ArrayList = ByteArrayForamt(Value)
1239 if IsByteArray:
1240 FileWrite(File, ' %*s = %s' % (self.MaxLen + 19, 'INF DEFAULT', "{"))
1241 for Array in ArrayList:
1242 FileWrite(File, Array)
1243 else:
1244 if Pcd.DatumType in TAB_PCD_CLEAN_NUMERIC_TYPES:
1245 if Value.startswith(('0x', '0X')):
1246 Value = '{} ({:d})'.format(Value, int(Value, 0))
1247 else:
1248 Value = "0x{:X} ({})".format(int(Value, 0), Value)
1249 FileWrite(File, ' %*s = %s' % (self.MaxLen + 19, 'INF DEFAULT', Value))
1250
1251 if not DecMatch and DecDefaultValue is not None:
1252 Value = DecDefaultValue.strip()
1253 IsByteArray, ArrayList = ByteArrayForamt(Value)
1254 if IsByteArray:
1255 FileWrite(File, ' %*s = %s' % (self.MaxLen + 19, 'DEC DEFAULT', "{"))
1256 for Array in ArrayList:
1257 FileWrite(File, Array)
1258 else:
1259 if Pcd.DatumType in TAB_PCD_CLEAN_NUMERIC_TYPES:
1260 if Value.startswith(('0x', '0X')):
1261 Value = '{} ({:d})'.format(Value, int(Value, 0))
1262 else:
1263 Value = "0x{:X} ({})".format(int(Value, 0), Value)
1264 FileWrite(File, ' %*s = %s' % (self.MaxLen + 19, 'DEC DEFAULT', Value))
1265 if IsStructure:
1266 for filedvalues in Pcd.DefaultValues.values():
1267 self.PrintStructureInfo(File, filedvalues)
1268 if DecMatch and IsStructure:
1269 for filedvalues in Pcd.DefaultValues.values():
1270 self.PrintStructureInfo(File, filedvalues)
1271
1272 def PrintPcdValue(self, File, Pcd, PcdTokenCName, TypeName, IsStructure, DscMatch, DscDefaultValue, InfMatch, InfDefaultValue, DecMatch, DecDefaultValue, Flag = ' '):
1273 if not Pcd.SkuInfoList:
1274 Value = Pcd.DefaultValue
1275 IsByteArray, ArrayList = ByteArrayForamt(Value)
1276 if IsByteArray:
1277 FileWrite(File, ' %-*s : %6s %10s = %s' % (self.MaxLen, Flag + ' ' + PcdTokenCName, TypeName, '(' + Pcd.DatumType + ')', '{'))
1278 for Array in ArrayList:
1279 FileWrite(File, Array)
1280 else:
1281 if Pcd.DatumType in TAB_PCD_CLEAN_NUMERIC_TYPES:
1282 if Value.startswith('0') and not Value.lower().startswith('0x') and len(Value) > 1 and Value.lstrip('0'):
1283 Value = Value.lstrip('0')
1284 if Value.startswith(('0x', '0X')):
1285 Value = '{} ({:d})'.format(Value, int(Value, 0))
1286 else:
1287 Value = "0x{:X} ({})".format(int(Value, 0), Value)
1288 FileWrite(File, ' %-*s : %6s %10s = %s' % (self.MaxLen, Flag + ' ' + PcdTokenCName, TypeName, '(' + Pcd.DatumType + ')', Value))
1289 if IsStructure:
1290 FiledOverrideFlag = False
1291 OverrideValues = Pcd.SkuOverrideValues
1292 if OverrideValues:
1293 for Data in OverrideValues.values():
1294 Struct = list(Data.values())
1295 if Struct:
1296 OverrideFieldStruct = self.OverrideFieldValue(Pcd, Struct[0])
1297 self.PrintStructureInfo(File, OverrideFieldStruct)
1298 FiledOverrideFlag = True
1299 break
1300 if not FiledOverrideFlag and (Pcd.PcdFieldValueFromComm or Pcd.PcdFieldValueFromFdf):
1301 OverrideFieldStruct = self.OverrideFieldValue(Pcd, {})
1302 self.PrintStructureInfo(File, OverrideFieldStruct)
1303 self.PrintPcdDefault(File, Pcd, IsStructure, DscMatch, DscDefaultValue, InfMatch, InfDefaultValue, DecMatch, DecDefaultValue)
1304 else:
1305 FirstPrint = True
1306 SkuList = sorted(Pcd.SkuInfoList.keys())
1307 for Sku in SkuList:
1308 SkuInfo = Pcd.SkuInfoList[Sku]
1309 SkuIdName = SkuInfo.SkuIdName
1310 if TypeName in ('DYNHII', 'DEXHII'):
1311 if SkuInfo.DefaultStoreDict:
1312 DefaultStoreList = sorted(SkuInfo.DefaultStoreDict.keys())
1313 for DefaultStore in DefaultStoreList:
1314 Value = SkuInfo.DefaultStoreDict[DefaultStore]
1315 IsByteArray, ArrayList = ByteArrayForamt(Value)
1316 if Pcd.DatumType == 'BOOLEAN':
1317 Value = str(int(Value, 0))
1318 if FirstPrint:
1319 FirstPrint = False
1320 if IsByteArray:
1321 if self.DefaultStoreSingle and self.SkuSingle:
1322 FileWrite(File, ' %-*s : %6s %10s = %s' % (self.MaxLen, Flag + ' ' + PcdTokenCName, TypeName, '(' + Pcd.DatumType + ')', '{'))
1323 elif self.DefaultStoreSingle and not self.SkuSingle:
1324 FileWrite(File, ' %-*s : %6s %10s %10s = %s' % (self.MaxLen, Flag + ' ' + PcdTokenCName, TypeName, '(' + Pcd.DatumType + ')', '(' + SkuIdName + ')', '{'))
1325 elif not self.DefaultStoreSingle and self.SkuSingle:
1326 FileWrite(File, ' %-*s : %6s %10s %10s = %s' % (self.MaxLen, Flag + ' ' + PcdTokenCName, TypeName, '(' + Pcd.DatumType + ')', '(' + DefaultStore + ')', '{'))
1327 else:
1328 FileWrite(File, ' %-*s : %6s %10s %10s %10s = %s' % (self.MaxLen, Flag + ' ' + PcdTokenCName, TypeName, '(' + Pcd.DatumType + ')', '(' + SkuIdName + ')', '(' + DefaultStore + ')', '{'))
1329 for Array in ArrayList:
1330 FileWrite(File, Array)
1331 else:
1332 if Pcd.DatumType in TAB_PCD_CLEAN_NUMERIC_TYPES:
1333 if Value.startswith(('0x', '0X')):
1334 Value = '{} ({:d})'.format(Value, int(Value, 0))
1335 else:
1336 Value = "0x{:X} ({})".format(int(Value, 0), Value)
1337 if self.DefaultStoreSingle and self.SkuSingle:
1338 FileWrite(File, ' %-*s : %6s %10s = %s' % (self.MaxLen, Flag + ' ' + PcdTokenCName, TypeName, '(' + Pcd.DatumType + ')', Value))
1339 elif self.DefaultStoreSingle and not self.SkuSingle:
1340 FileWrite(File, ' %-*s : %6s %10s %10s = %s' % (self.MaxLen, Flag + ' ' + PcdTokenCName, TypeName, '(' + Pcd.DatumType + ')', '(' + SkuIdName + ')', Value))
1341 elif not self.DefaultStoreSingle and self.SkuSingle:
1342 FileWrite(File, ' %-*s : %6s %10s %10s = %s' % (self.MaxLen, Flag + ' ' + PcdTokenCName, TypeName, '(' + Pcd.DatumType + ')', '(' + DefaultStore + ')', Value))
1343 else:
1344 FileWrite(File, ' %-*s : %6s %10s %10s %10s = %s' % (self.MaxLen, Flag + ' ' + PcdTokenCName, TypeName, '(' + Pcd.DatumType + ')', '(' + SkuIdName + ')', '(' + DefaultStore + ')', Value))
1345 else:
1346 if IsByteArray:
1347 if self.DefaultStoreSingle and self.SkuSingle:
1348 FileWrite(File, ' %-*s : %6s %10s = %s' % (self.MaxLen, ' ', TypeName, '(' + Pcd.DatumType + ')', '{'))
1349 elif self.DefaultStoreSingle and not self.SkuSingle:
1350 FileWrite(File, ' %-*s : %6s %10s %10s = %s' % (self.MaxLen, ' ', TypeName, '(' + Pcd.DatumType + ')', '(' + SkuIdName + ')', '{'))
1351 elif not self.DefaultStoreSingle and self.SkuSingle:
1352 FileWrite(File, ' %-*s : %6s %10s %10s = %s' % (self.MaxLen, ' ', TypeName, '(' + Pcd.DatumType + ')', '(' + DefaultStore + ')', '{'))
1353 else:
1354 FileWrite(File, ' %-*s : %6s %10s %10s %10s = %s' % (self.MaxLen, ' ', TypeName, '(' + Pcd.DatumType + ')', '(' + SkuIdName + ')', '(' + DefaultStore + ')', '{'))
1355 for Array in ArrayList:
1356 FileWrite(File, Array)
1357 else:
1358 if Pcd.DatumType in TAB_PCD_CLEAN_NUMERIC_TYPES:
1359 if Value.startswith(('0x', '0X')):
1360 Value = '{} ({:d})'.format(Value, int(Value, 0))
1361 else:
1362 Value = "0x{:X} ({})".format(int(Value, 0), Value)
1363 if self.DefaultStoreSingle and self.SkuSingle:
1364 FileWrite(File, ' %-*s : %6s %10s = %s' % (self.MaxLen, ' ', TypeName, '(' + Pcd.DatumType + ')', Value))
1365 elif self.DefaultStoreSingle and not self.SkuSingle:
1366 FileWrite(File, ' %-*s : %6s %10s %10s = %s' % (self.MaxLen, ' ', TypeName, '(' + Pcd.DatumType + ')', '(' + SkuIdName + ')', Value))
1367 elif not self.DefaultStoreSingle and self.SkuSingle:
1368 FileWrite(File, ' %-*s : %6s %10s %10s = %s' % (self.MaxLen, ' ', TypeName, '(' + Pcd.DatumType + ')', '(' + DefaultStore + ')', Value))
1369 else:
1370 FileWrite(File, ' %-*s : %6s %10s %10s %10s = %s' % (self.MaxLen, ' ', TypeName, '(' + Pcd.DatumType + ')', '(' + SkuIdName + ')', '(' + DefaultStore + ')', Value))
1371 FileWrite(File, '%*s: %s: %s' % (self.MaxLen + 4, SkuInfo.VariableGuid, SkuInfo.VariableName, SkuInfo.VariableOffset))
1372 if IsStructure:
1373 OverrideValues = Pcd.SkuOverrideValues[Sku]
1374 OverrideFieldStruct = self.OverrideFieldValue(Pcd, OverrideValues[DefaultStore])
1375 self.PrintStructureInfo(File, OverrideFieldStruct)
1376 self.PrintPcdDefault(File, Pcd, IsStructure, DscMatch, DscDefaultValue, InfMatch, InfDefaultValue, DecMatch, DecDefaultValue)
1377 else:
1378 Value = SkuInfo.DefaultValue
1379 IsByteArray, ArrayList = ByteArrayForamt(Value)
1380 if Pcd.DatumType == 'BOOLEAN':
1381 Value = str(int(Value, 0))
1382 if FirstPrint:
1383 FirstPrint = False
1384 if IsByteArray:
1385 if self.SkuSingle:
1386 FileWrite(File, ' %-*s : %6s %10s = %s' % (self.MaxLen, Flag + ' ' + PcdTokenCName, TypeName, '(' + Pcd.DatumType + ')', "{"))
1387 else:
1388 FileWrite(File, ' %-*s : %6s %10s %10s = %s' % (self.MaxLen, Flag + ' ' + PcdTokenCName, TypeName, '(' + Pcd.DatumType + ')', '(' + SkuIdName + ')', "{"))
1389 for Array in ArrayList:
1390 FileWrite(File, Array)
1391 else:
1392 if Pcd.DatumType in TAB_PCD_CLEAN_NUMERIC_TYPES:
1393 if Value.startswith(('0x', '0X')):
1394 Value = '{} ({:d})'.format(Value, int(Value, 0))
1395 else:
1396 Value = "0x{:X} ({})".format(int(Value, 0), Value)
1397 if self.SkuSingle:
1398 FileWrite(File, ' %-*s : %6s %10s = %s' % (self.MaxLen, Flag + ' ' + PcdTokenCName, TypeName, '(' + Pcd.DatumType + ')', Value))
1399 else:
1400 FileWrite(File, ' %-*s : %6s %10s %10s = %s' % (self.MaxLen, Flag + ' ' + PcdTokenCName, TypeName, '(' + Pcd.DatumType + ')', '(' + SkuIdName + ')', Value))
1401 else:
1402 if IsByteArray:
1403 if self.SkuSingle:
1404 FileWrite(File, ' %-*s : %6s %10s = %s' % (self.MaxLen, ' ', TypeName, '(' + Pcd.DatumType + ')', "{"))
1405 else:
1406 FileWrite(File, ' %-*s : %6s %10s %10s = %s' % (self.MaxLen, ' ', TypeName, '(' + Pcd.DatumType + ')', '(' + SkuIdName + ')', "{"))
1407 for Array in ArrayList:
1408 FileWrite(File, Array)
1409 else:
1410 if Pcd.DatumType in TAB_PCD_CLEAN_NUMERIC_TYPES:
1411 if Value.startswith(('0x', '0X')):
1412 Value = '{} ({:d})'.format(Value, int(Value, 0))
1413 else:
1414 Value = "0x{:X} ({})".format(int(Value, 0), Value)
1415 if self.SkuSingle:
1416 FileWrite(File, ' %-*s : %6s %10s = %s' % (self.MaxLen, ' ', TypeName, '(' + Pcd.DatumType + ')', Value))
1417 else:
1418 FileWrite(File, ' %-*s : %6s %10s %10s = %s' % (self.MaxLen, ' ', TypeName, '(' + Pcd.DatumType + ')', '(' + SkuIdName + ')', Value))
1419 if TypeName in ('DYNVPD', 'DEXVPD'):
1420 FileWrite(File, '%*s' % (self.MaxLen + 4, SkuInfo.VpdOffset))
1421 VPDPcdItem = (Pcd.TokenSpaceGuidCName + '.' + PcdTokenCName, SkuIdName, SkuInfo.VpdOffset, Pcd.MaxDatumSize, SkuInfo.DefaultValue)
1422 if VPDPcdItem not in VPDPcdList:
1423 VPDPcdList.append(VPDPcdItem)
1424 if IsStructure:
1425 FiledOverrideFlag = False
1426 OverrideValues = Pcd.SkuOverrideValues[Sku]
1427 if OverrideValues:
1428 Keys = OverrideValues.keys()
1429 OverrideFieldStruct = self.OverrideFieldValue(Pcd, OverrideValues[Keys[0]])
1430 self.PrintStructureInfo(File, OverrideFieldStruct)
1431 FiledOverrideFlag = True
1432 if not FiledOverrideFlag and (Pcd.PcdFieldValueFromComm or Pcd.PcdFieldValueFromFdf):
1433 OverrideFieldStruct = self.OverrideFieldValue(Pcd, {})
1434 self.PrintStructureInfo(File, OverrideFieldStruct)
1435 self.PrintPcdDefault(File, Pcd, IsStructure, DscMatch, DscDefaultValue, InfMatch, InfDefaultValue, DecMatch, DecDefaultValue)
1436
1437 def OverrideFieldValue(self, Pcd, OverrideStruct):
1438 OverrideFieldStruct = collections.OrderedDict()
1439 if OverrideStruct:
1440 for _, Values in OverrideStruct.items():
1441 for Key,value in Values.items():
1442 if value[1] and value[1].endswith('.dsc'):
1443 OverrideFieldStruct[Key] = value
1444 if Pcd.PcdFieldValueFromFdf:
1445 for Key, Values in Pcd.PcdFieldValueFromFdf.items():
1446 if Key in OverrideFieldStruct and Values[0] == OverrideFieldStruct[Key][0]:
1447 continue
1448 OverrideFieldStruct[Key] = Values
1449 if Pcd.PcdFieldValueFromComm:
1450 for Key, Values in Pcd.PcdFieldValueFromComm.items():
1451 if Key in OverrideFieldStruct and Values[0] == OverrideFieldStruct[Key][0]:
1452 continue
1453 OverrideFieldStruct[Key] = Values
1454 return OverrideFieldStruct
1455
1456 def PrintStructureInfo(self, File, Struct):
1457 for Key, Value in sorted(Struct.items(), key=lambda x: x[0]):
1458 if Value[1] and 'build command options' in Value[1]:
1459 FileWrite(File, ' *B %-*s = %s' % (self.MaxLen + 4, '.' + Key, Value[0]))
1460 elif Value[1] and Value[1].endswith('.fdf'):
1461 FileWrite(File, ' *F %-*s = %s' % (self.MaxLen + 4, '.' + Key, Value[0]))
1462 else:
1463 FileWrite(File, ' %-*s = %s' % (self.MaxLen + 4, '.' + Key, Value[0]))
1464
1465 def StrtoHex(self, value):
1466 try:
1467 value = hex(int(value))
1468 return value
1469 except:
1470 if value.startswith("L\"") and value.endswith("\""):
1471 valuelist = []
1472 for ch in value[2:-1]:
1473 valuelist.append(hex(ord(ch)))
1474 valuelist.append('0x00')
1475 return valuelist
1476 elif value.startswith("\"") and value.endswith("\""):
1477 return hex(ord(value[1:-1]))
1478 elif value.startswith("{") and value.endswith("}"):
1479 valuelist = []
1480 if ',' not in value:
1481 return value[1:-1]
1482 for ch in value[1:-1].split(','):
1483 ch = ch.strip()
1484 if ch.startswith('0x') or ch.startswith('0X'):
1485 valuelist.append(ch)
1486 continue
1487 try:
1488 valuelist.append(hex(int(ch.strip())))
1489 except:
1490 pass
1491 return valuelist
1492 else:
1493 return value
1494
1495 def IsStructurePcd(self, PcdToken, PcdTokenSpaceGuid):
1496 if GlobalData.gStructurePcd and (self.Arch in GlobalData.gStructurePcd) and ((PcdToken, PcdTokenSpaceGuid) in GlobalData.gStructurePcd[self.Arch]):
1497 return True
1498 else:
1499 return False
1500
1501 ##
1502 # Reports platform and module Prediction information
1503 #
1504 # This class reports the platform execution order prediction section and
1505 # module load fixed address prediction subsection in the build report file.
1506 #
1507 class PredictionReport(object):
1508 ##
1509 # Constructor function for class PredictionReport
1510 #
1511 # This constructor function generates PredictionReport object for the platform.
1512 #
1513 # @param self: The object pointer
1514 # @param Wa Workspace context information
1515 #
1516 def __init__(self, Wa):
1517 self._MapFileName = os.path.join(Wa.BuildDir, Wa.Name + ".map")
1518 self._MapFileParsed = False
1519 self._EotToolInvoked = False
1520 self._FvDir = Wa.FvDir
1521 self._EotDir = Wa.BuildDir
1522 self._FfsEntryPoint = {}
1523 self._GuidMap = {}
1524 self._SourceList = []
1525 self.FixedMapDict = {}
1526 self.ItemList = []
1527 self.MaxLen = 0
1528
1529 #
1530 # Collect all platform reference source files and GUID C Name
1531 #
1532 for Pa in Wa.AutoGenObjectList:
1533 for Module in Pa.LibraryAutoGenList + Pa.ModuleAutoGenList:
1534 #
1535 # BASE typed modules are EFI agnostic, so we need not scan
1536 # their source code to find PPI/Protocol produce or consume
1537 # information.
1538 #
1539 if Module.ModuleType == SUP_MODULE_BASE:
1540 continue
1541 #
1542 # Add module referenced source files
1543 #
1544 self._SourceList.append(str(Module))
1545 IncludeList = {}
1546 for Source in Module.SourceFileList:
1547 if os.path.splitext(str(Source))[1].lower() == ".c":
1548 self._SourceList.append(" " + str(Source))
1549 FindIncludeFiles(Source.Path, Module.IncludePathList, IncludeList)
1550 for IncludeFile in IncludeList.values():
1551 self._SourceList.append(" " + IncludeFile)
1552
1553 for Guid in Module.PpiList:
1554 self._GuidMap[Guid] = GuidStructureStringToGuidString(Module.PpiList[Guid])
1555 for Guid in Module.ProtocolList:
1556 self._GuidMap[Guid] = GuidStructureStringToGuidString(Module.ProtocolList[Guid])
1557 for Guid in Module.GuidList:
1558 self._GuidMap[Guid] = GuidStructureStringToGuidString(Module.GuidList[Guid])
1559
1560 if Module.Guid and not Module.IsLibrary:
1561 EntryPoint = " ".join(Module.Module.ModuleEntryPointList)
1562
1563 RealEntryPoint = "_ModuleEntryPoint"
1564
1565 self._FfsEntryPoint[Module.Guid.upper()] = (EntryPoint, RealEntryPoint)
1566
1567
1568 #
1569 # Collect platform firmware volume list as the input of EOT.
1570 #
1571 self._FvList = []
1572 if Wa.FdfProfile:
1573 for Fd in Wa.FdfProfile.FdDict:
1574 for FdRegion in Wa.FdfProfile.FdDict[Fd].RegionList:
1575 if FdRegion.RegionType != BINARY_FILE_TYPE_FV:
1576 continue
1577 for FvName in FdRegion.RegionDataList:
1578 if FvName in self._FvList:
1579 continue
1580 self._FvList.append(FvName)
1581 for Ffs in Wa.FdfProfile.FvDict[FvName.upper()].FfsList:
1582 for Section in Ffs.SectionList:
1583 try:
1584 for FvSection in Section.SectionList:
1585 if FvSection.FvName in self._FvList:
1586 continue
1587 self._FvList.append(FvSection.FvName)
1588 except AttributeError:
1589 pass
1590
1591
1592 ##
1593 # Parse platform fixed address map files
1594 #
1595 # This function parses the platform final fixed address map file to get
1596 # the database of predicted fixed address for module image base, entry point
1597 # etc.
1598 #
1599 # @param self: The object pointer
1600 #
1601 def _ParseMapFile(self):
1602 if self._MapFileParsed:
1603 return
1604 self._MapFileParsed = True
1605 if os.path.isfile(self._MapFileName):
1606 try:
1607 FileContents = open(self._MapFileName).read()
1608 for Match in gMapFileItemPattern.finditer(FileContents):
1609 AddressType = Match.group(1)
1610 BaseAddress = Match.group(2)
1611 EntryPoint = Match.group(3)
1612 Guid = Match.group(4).upper()
1613 List = self.FixedMapDict.setdefault(Guid, [])
1614 List.append((AddressType, BaseAddress, "*I"))
1615 List.append((AddressType, EntryPoint, "*E"))
1616 except:
1617 EdkLogger.warn(None, "Cannot open file to read", self._MapFileName)
1618
1619 ##
1620 # Invokes EOT tool to get the predicted the execution order.
1621 #
1622 # This function invokes EOT tool to calculate the predicted dispatch order
1623 #
1624 # @param self: The object pointer
1625 #
1626 def _InvokeEotTool(self):
1627 if self._EotToolInvoked:
1628 return
1629
1630 self._EotToolInvoked = True
1631 FvFileList = []
1632 for FvName in self._FvList:
1633 FvFile = os.path.join(self._FvDir, FvName + ".Fv")
1634 if os.path.isfile(FvFile):
1635 FvFileList.append(FvFile)
1636
1637 if len(FvFileList) == 0:
1638 return
1639 #
1640 # Write source file list and GUID file list to an intermediate file
1641 # as the input for EOT tool and dispatch List as the output file
1642 # from EOT tool.
1643 #
1644 SourceList = os.path.join(self._EotDir, "SourceFile.txt")
1645 GuidList = os.path.join(self._EotDir, "GuidList.txt")
1646 DispatchList = os.path.join(self._EotDir, "Dispatch.txt")
1647
1648 TempFile = open(SourceList, "w+")
1649 for Item in self._SourceList:
1650 FileWrite(TempFile, Item)
1651 TempFile.close()
1652 TempFile = open(GuidList, "w+")
1653 for Key in self._GuidMap:
1654 FileWrite(TempFile, "%s %s" % (Key, self._GuidMap[Key]))
1655 TempFile.close()
1656
1657 try:
1658 from Eot.EotMain import Eot
1659
1660 #
1661 # Invoke EOT tool and echo its runtime performance
1662 #
1663 EotStartTime = time.time()
1664 Eot(CommandLineOption=False, SourceFileList=SourceList, GuidList=GuidList,
1665 FvFileList=' '.join(FvFileList), Dispatch=DispatchList, IsInit=True)
1666 EotEndTime = time.time()
1667 EotDuration = time.strftime("%H:%M:%S", time.gmtime(int(round(EotEndTime - EotStartTime))))
1668 EdkLogger.quiet("EOT run time: %s\n" % EotDuration)
1669
1670 #
1671 # Parse the output of EOT tool
1672 #
1673 for Line in open(DispatchList):
1674 if len(Line.split()) < 4:
1675 continue
1676 (Guid, Phase, FfsName, FilePath) = Line.split()
1677 Symbol = self._FfsEntryPoint.get(Guid, [FfsName, ""])[0]
1678 if len(Symbol) > self.MaxLen:
1679 self.MaxLen = len(Symbol)
1680 self.ItemList.append((Phase, Symbol, FilePath))
1681 except:
1682 EdkLogger.quiet("(Python %s on %s\n%s)" % (platform.python_version(), sys.platform, traceback.format_exc()))
1683 EdkLogger.warn(None, "Failed to generate execution order prediction report, for some error occurred in executing EOT.")
1684
1685
1686 ##
1687 # Generate platform execution order report
1688 #
1689 # This function generates the predicted module execution order.
1690 #
1691 # @param self The object pointer
1692 # @param File The file object for report
1693 #
1694 def _GenerateExecutionOrderReport(self, File):
1695 self._InvokeEotTool()
1696 if len(self.ItemList) == 0:
1697 return
1698 FileWrite(File, gSectionStart)
1699 FileWrite(File, "Execution Order Prediction")
1700 FileWrite(File, "*P PEI phase")
1701 FileWrite(File, "*D DXE phase")
1702 FileWrite(File, "*E Module INF entry point name")
1703 FileWrite(File, "*N Module notification function name")
1704
1705 FileWrite(File, "Type %-*s %s" % (self.MaxLen, "Symbol", "Module INF Path"))
1706 FileWrite(File, gSectionSep)
1707 for Item in self.ItemList:
1708 FileWrite(File, "*%sE %-*s %s" % (Item[0], self.MaxLen, Item[1], Item[2]))
1709
1710 FileWrite(File, gSectionStart)
1711
1712 ##
1713 # Generate Fixed Address report.
1714 #
1715 # This function generate the predicted fixed address report for a module
1716 # specified by Guid.
1717 #
1718 # @param self The object pointer
1719 # @param File The file object for report
1720 # @param Guid The module Guid value.
1721 # @param NotifyList The list of all notify function in a module
1722 #
1723 def _GenerateFixedAddressReport(self, File, Guid, NotifyList):
1724 self._ParseMapFile()
1725 FixedAddressList = self.FixedMapDict.get(Guid)
1726 if not FixedAddressList:
1727 return
1728
1729 FileWrite(File, gSubSectionStart)
1730 FileWrite(File, "Fixed Address Prediction")
1731 FileWrite(File, "*I Image Loading Address")
1732 FileWrite(File, "*E Entry Point Address")
1733 FileWrite(File, "*N Notification Function Address")
1734 FileWrite(File, "*F Flash Address")
1735 FileWrite(File, "*M Memory Address")
1736 FileWrite(File, "*S SMM RAM Offset")
1737 FileWrite(File, "TOM Top of Memory")
1738
1739 FileWrite(File, "Type Address Name")
1740 FileWrite(File, gSubSectionSep)
1741 for Item in FixedAddressList:
1742 Type = Item[0]
1743 Value = Item[1]
1744 Symbol = Item[2]
1745 if Symbol == "*I":
1746 Name = "(Image Base)"
1747 elif Symbol == "*E":
1748 Name = self._FfsEntryPoint.get(Guid, ["", "_ModuleEntryPoint"])[1]
1749 elif Symbol in NotifyList:
1750 Name = Symbol
1751 Symbol = "*N"
1752 else:
1753 continue
1754
1755 if "Flash" in Type:
1756 Symbol += "F"
1757 elif "Memory" in Type:
1758 Symbol += "M"
1759 else:
1760 Symbol += "S"
1761
1762 if Value[0] == "-":
1763 Value = "TOM" + Value
1764
1765 FileWrite(File, "%s %-16s %s" % (Symbol, Value, Name))
1766
1767 ##
1768 # Generate report for the prediction part
1769 #
1770 # This function generate the predicted fixed address report for a module or
1771 # predicted module execution order for a platform.
1772 # If the input Guid is None, then, it generates the predicted module execution order;
1773 # otherwise it generated the module fixed loading address for the module specified by
1774 # Guid.
1775 #
1776 # @param self The object pointer
1777 # @param File The file object for report
1778 # @param Guid The module Guid value.
1779 #
1780 def GenerateReport(self, File, Guid):
1781 if Guid:
1782 self._GenerateFixedAddressReport(File, Guid.upper(), [])
1783 else:
1784 self._GenerateExecutionOrderReport(File)
1785
1786 ##
1787 # Reports FD region information
1788 #
1789 # This class reports the FD subsection in the build report file.
1790 # It collects region information of platform flash device.
1791 # If the region is a firmware volume, it lists the set of modules
1792 # and its space information; otherwise, it only lists its region name,
1793 # base address and size in its sub-section header.
1794 # If there are nesting FVs, the nested FVs will list immediate after
1795 # this FD region subsection
1796 #
1797 class FdRegionReport(object):
1798 ##
1799 # Discover all the nested FV name list.
1800 #
1801 # This is an internal worker function to discover the all the nested FV information
1802 # in the parent firmware volume. It uses deep first search algorithm recursively to
1803 # find all the FV list name and append them to the list.
1804 #
1805 # @param self The object pointer
1806 # @param FvName The name of current firmware file system
1807 # @param Wa Workspace context information
1808 #
1809 def _DiscoverNestedFvList(self, FvName, Wa):
1810 FvDictKey=FvName.upper()
1811 if FvDictKey in Wa.FdfProfile.FvDict:
1812 for Ffs in Wa.FdfProfile.FvDict[FvName.upper()].FfsList:
1813 for Section in Ffs.SectionList:
1814 try:
1815 for FvSection in Section.SectionList:
1816 if FvSection.FvName in self.FvList:
1817 continue
1818 self._GuidsDb[Ffs.NameGuid.upper()] = FvSection.FvName
1819 self.FvList.append(FvSection.FvName)
1820 self.FvInfo[FvSection.FvName] = ("Nested FV", 0, 0)
1821 self._DiscoverNestedFvList(FvSection.FvName, Wa)
1822 except AttributeError:
1823 pass
1824
1825 ##
1826 # Constructor function for class FdRegionReport
1827 #
1828 # This constructor function generates FdRegionReport object for a specified FdRegion.
1829 # If the FdRegion is a firmware volume, it will recursively find all its nested Firmware
1830 # volume list. This function also collects GUID map in order to dump module identification
1831 # in the final report.
1832 #
1833 # @param self: The object pointer
1834 # @param FdRegion The current FdRegion object
1835 # @param Wa Workspace context information
1836 #
1837 def __init__(self, FdRegion, Wa):
1838 self.Type = FdRegion.RegionType
1839 self.BaseAddress = FdRegion.Offset
1840 self.Size = FdRegion.Size
1841 self.FvList = []
1842 self.FvInfo = {}
1843 self._GuidsDb = {}
1844 self._FvDir = Wa.FvDir
1845 self._WorkspaceDir = Wa.WorkspaceDir
1846
1847 #
1848 # If the input FdRegion is not a firmware volume,
1849 # we are done.
1850 #
1851 if self.Type != BINARY_FILE_TYPE_FV:
1852 return
1853
1854 #
1855 # Find all nested FVs in the FdRegion
1856 #
1857 for FvName in FdRegion.RegionDataList:
1858 if FvName in self.FvList:
1859 continue
1860 self.FvList.append(FvName)
1861 self.FvInfo[FvName] = ("Fd Region", self.BaseAddress, self.Size)
1862 self._DiscoverNestedFvList(FvName, Wa)
1863
1864 PlatformPcds = {}
1865 #
1866 # Collect PCDs declared in DEC files.
1867 #
1868 for Pa in Wa.AutoGenObjectList:
1869 for Package in Pa.PackageList:
1870 for (TokenCName, TokenSpaceGuidCName, DecType) in Package.Pcds:
1871 DecDefaultValue = Package.Pcds[TokenCName, TokenSpaceGuidCName, DecType].DefaultValue
1872 PlatformPcds[(TokenCName, TokenSpaceGuidCName)] = DecDefaultValue
1873 #
1874 # Collect PCDs defined in DSC file
1875 #
1876 for Pa in Wa.AutoGenObjectList:
1877 for (TokenCName, TokenSpaceGuidCName) in Pa.Platform.Pcds:
1878 DscDefaultValue = Pa.Platform.Pcds[(TokenCName, TokenSpaceGuidCName)].DefaultValue
1879 PlatformPcds[(TokenCName, TokenSpaceGuidCName)] = DscDefaultValue
1880
1881 #
1882 # Add PEI and DXE a priori files GUIDs defined in PI specification.
1883 #
1884 self._GuidsDb[PEI_APRIORI_GUID] = "PEI Apriori"
1885 self._GuidsDb[DXE_APRIORI_GUID] = "DXE Apriori"
1886 #
1887 # Add ACPI table storage file
1888 #
1889 self._GuidsDb["7E374E25-8E01-4FEE-87F2-390C23C606CD"] = "ACPI table storage"
1890
1891 for Pa in Wa.AutoGenObjectList:
1892 for ModuleKey in Pa.Platform.Modules:
1893 M = Pa.Platform.Modules[ModuleKey].M
1894 InfPath = mws.join(Wa.WorkspaceDir, M.MetaFile.File)
1895 self._GuidsDb[M.Guid.upper()] = "%s (%s)" % (M.Module.BaseName, InfPath)
1896
1897 #
1898 # Collect the GUID map in the FV firmware volume
1899 #
1900 for FvName in self.FvList:
1901 FvDictKey=FvName.upper()
1902 if FvDictKey in Wa.FdfProfile.FvDict:
1903 for Ffs in Wa.FdfProfile.FvDict[FvName.upper()].FfsList:
1904 try:
1905 #
1906 # collect GUID map for binary EFI file in FDF file.
1907 #
1908 Guid = Ffs.NameGuid.upper()
1909 Match = gPcdGuidPattern.match(Ffs.NameGuid)
1910 if Match:
1911 PcdTokenspace = Match.group(1)
1912 PcdToken = Match.group(2)
1913 if (PcdToken, PcdTokenspace) in PlatformPcds:
1914 GuidValue = PlatformPcds[(PcdToken, PcdTokenspace)]
1915 Guid = GuidStructureByteArrayToGuidString(GuidValue).upper()
1916 for Section in Ffs.SectionList:
1917 try:
1918 ModuleSectFile = mws.join(Wa.WorkspaceDir, Section.SectFileName)
1919 self._GuidsDb[Guid] = ModuleSectFile
1920 except AttributeError:
1921 pass
1922 except AttributeError:
1923 pass
1924
1925
1926 ##
1927 # Internal worker function to generate report for the FD region
1928 #
1929 # This internal worker function to generate report for the FD region.
1930 # It the type is firmware volume, it lists offset and module identification.
1931 #
1932 # @param self The object pointer
1933 # @param File The file object for report
1934 # @param Title The title for the FD subsection
1935 # @param BaseAddress The base address for the FD region
1936 # @param Size The size of the FD region
1937 # @param FvName The FV name if the FD region is a firmware volume
1938 #
1939 def _GenerateReport(self, File, Title, Type, BaseAddress, Size=0, FvName=None):
1940 FileWrite(File, gSubSectionStart)
1941 FileWrite(File, Title)
1942 FileWrite(File, "Type: %s" % Type)
1943 FileWrite(File, "Base Address: 0x%X" % BaseAddress)
1944
1945 if self.Type == BINARY_FILE_TYPE_FV:
1946 FvTotalSize = 0
1947 FvTakenSize = 0
1948 FvFreeSize = 0
1949 if FvName.upper().endswith('.FV'):
1950 FileExt = FvName + ".txt"
1951 else:
1952 FileExt = FvName + ".Fv.txt"
1953
1954 if not os.path.isfile(FileExt):
1955 FvReportFileName = mws.join(self._WorkspaceDir, FileExt)
1956 if not os.path.isfile(FvReportFileName):
1957 FvReportFileName = os.path.join(self._FvDir, FileExt)
1958 try:
1959 #
1960 # Collect size info in the firmware volume.
1961 #
1962 FvReport = open(FvReportFileName).read()
1963 Match = gFvTotalSizePattern.search(FvReport)
1964 if Match:
1965 FvTotalSize = int(Match.group(1), 16)
1966 Match = gFvTakenSizePattern.search(FvReport)
1967 if Match:
1968 FvTakenSize = int(Match.group(1), 16)
1969 FvFreeSize = FvTotalSize - FvTakenSize
1970 #
1971 # Write size information to the report file.
1972 #
1973 FileWrite(File, "Size: 0x%X (%.0fK)" % (FvTotalSize, FvTotalSize / 1024.0))
1974 FileWrite(File, "Fv Name: %s (%.1f%% Full)" % (FvName, FvTakenSize * 100.0 / FvTotalSize))
1975 FileWrite(File, "Occupied Size: 0x%X (%.0fK)" % (FvTakenSize, FvTakenSize / 1024.0))
1976 FileWrite(File, "Free Size: 0x%X (%.0fK)" % (FvFreeSize, FvFreeSize / 1024.0))
1977 FileWrite(File, "Offset Module")
1978 FileWrite(File, gSubSectionSep)
1979 #
1980 # Write module offset and module identification to the report file.
1981 #
1982 OffsetInfo = {}
1983 for Match in gOffsetGuidPattern.finditer(FvReport):
1984 Guid = Match.group(2).upper()
1985 OffsetInfo[Match.group(1)] = self._GuidsDb.get(Guid, Guid)
1986 OffsetList = sorted(OffsetInfo.keys())
1987 for Offset in OffsetList:
1988 FileWrite (File, "%s %s" % (Offset, OffsetInfo[Offset]))
1989 except IOError:
1990 EdkLogger.warn(None, "Fail to read report file", FvReportFileName)
1991 else:
1992 FileWrite(File, "Size: 0x%X (%.0fK)" % (Size, Size / 1024.0))
1993 FileWrite(File, gSubSectionEnd)
1994
1995 ##
1996 # Generate report for the FD region
1997 #
1998 # This function generates report for the FD region.
1999 #
2000 # @param self The object pointer
2001 # @param File The file object for report
2002 #
2003 def GenerateReport(self, File):
2004 if (len(self.FvList) > 0):
2005 for FvItem in self.FvList:
2006 Info = self.FvInfo[FvItem]
2007 self._GenerateReport(File, Info[0], TAB_FV_DIRECTORY, Info[1], Info[2], FvItem)
2008 else:
2009 self._GenerateReport(File, "FD Region", self.Type, self.BaseAddress, self.Size)
2010
2011 ##
2012 # Reports FD information
2013 #
2014 # This class reports the FD section in the build report file.
2015 # It collects flash device information for a platform.
2016 #
2017 class FdReport(object):
2018 ##
2019 # Constructor function for class FdReport
2020 #
2021 # This constructor function generates FdReport object for a specified
2022 # firmware device.
2023 #
2024 # @param self The object pointer
2025 # @param Fd The current Firmware device object
2026 # @param Wa Workspace context information
2027 #
2028 def __init__(self, Fd, Wa):
2029 self.FdName = Fd.FdUiName
2030 self.BaseAddress = Fd.BaseAddress
2031 self.Size = Fd.Size
2032 self.FdRegionList = [FdRegionReport(FdRegion, Wa) for FdRegion in Fd.RegionList]
2033 self.FvPath = os.path.join(Wa.BuildDir, TAB_FV_DIRECTORY)
2034 self.VPDBaseAddress = 0
2035 self.VPDSize = 0
2036 for index, FdRegion in enumerate(Fd.RegionList):
2037 if str(FdRegion.RegionType) is 'FILE' and Wa.Platform.VpdToolGuid in str(FdRegion.RegionDataList):
2038 self.VPDBaseAddress = self.FdRegionList[index].BaseAddress
2039 self.VPDSize = self.FdRegionList[index].Size
2040 break
2041
2042 ##
2043 # Generate report for the firmware device.
2044 #
2045 # This function generates report for the firmware device.
2046 #
2047 # @param self The object pointer
2048 # @param File The file object for report
2049 #
2050 def GenerateReport(self, File):
2051 FileWrite(File, gSectionStart)
2052 FileWrite(File, "Firmware Device (FD)")
2053 FileWrite(File, "FD Name: %s" % self.FdName)
2054 FileWrite(File, "Base Address: %s" % self.BaseAddress)
2055 FileWrite(File, "Size: 0x%X (%.0fK)" % (self.Size, self.Size / 1024.0))
2056 if len(self.FdRegionList) > 0:
2057 FileWrite(File, gSectionSep)
2058 for FdRegionItem in self.FdRegionList:
2059 FdRegionItem.GenerateReport(File)
2060
2061 if VPDPcdList:
2062 VPDPcdList.sort(key=lambda x: int(x[2], 0))
2063 FileWrite(File, gSubSectionStart)
2064 FileWrite(File, "FD VPD Region")
2065 FileWrite(File, "Base Address: 0x%X" % self.VPDBaseAddress)
2066 FileWrite(File, "Size: 0x%X (%.0fK)" % (self.VPDSize, self.VPDSize / 1024.0))
2067 FileWrite(File, gSubSectionSep)
2068 for item in VPDPcdList:
2069 # Add BaseAddress for offset
2070 Offset = '0x%08X' % (int(item[2], 16) + self.VPDBaseAddress)
2071 IsByteArray, ArrayList = ByteArrayForamt(item[-1])
2072 Skuinfo = item[1]
2073 if len(GlobalData.gSkuids) == 1 :
2074 Skuinfo = GlobalData.gSkuids[0]
2075 if IsByteArray:
2076 FileWrite(File, "%s | %s | %s | %s | %s" % (item[0], Skuinfo, Offset, item[3], '{'))
2077 for Array in ArrayList:
2078 FileWrite(File, Array)
2079 else:
2080 FileWrite(File, "%s | %s | %s | %s | %s" % (item[0], Skuinfo, Offset, item[3], item[-1]))
2081 FileWrite(File, gSubSectionEnd)
2082 FileWrite(File, gSectionEnd)
2083
2084
2085
2086 ##
2087 # Reports platform information
2088 #
2089 # This class reports the whole platform information
2090 #
2091 class PlatformReport(object):
2092 ##
2093 # Constructor function for class PlatformReport
2094 #
2095 # This constructor function generates PlatformReport object a platform build.
2096 # It generates report for platform summary, flash, global PCDs and detailed
2097 # module information for modules involved in platform build.
2098 #
2099 # @param self The object pointer
2100 # @param Wa Workspace context information
2101 # @param MaList The list of modules in the platform build
2102 #
2103 def __init__(self, Wa, MaList, ReportType):
2104 self._WorkspaceDir = Wa.WorkspaceDir
2105 self.PlatformName = Wa.Name
2106 self.PlatformDscPath = Wa.Platform
2107 self.Architectures = " ".join(Wa.ArchList)
2108 self.ToolChain = Wa.ToolChain
2109 self.Target = Wa.BuildTarget
2110 self.OutputPath = os.path.join(Wa.WorkspaceDir, Wa.OutputDir)
2111 self.BuildEnvironment = platform.platform()
2112
2113 self.PcdReport = None
2114 if "PCD" in ReportType:
2115 self.PcdReport = PcdReport(Wa)
2116
2117 self.FdReportList = []
2118 if "FLASH" in ReportType and Wa.FdfProfile and MaList is None:
2119 for Fd in Wa.FdfProfile.FdDict:
2120 self.FdReportList.append(FdReport(Wa.FdfProfile.FdDict[Fd], Wa))
2121
2122 self.PredictionReport = None
2123 if "FIXED_ADDRESS" in ReportType or "EXECUTION_ORDER" in ReportType:
2124 self.PredictionReport = PredictionReport(Wa)
2125
2126 self.DepexParser = None
2127 if "DEPEX" in ReportType:
2128 self.DepexParser = DepexParser(Wa)
2129
2130 self.ModuleReportList = []
2131 if MaList is not None:
2132 self._IsModuleBuild = True
2133 for Ma in MaList:
2134 self.ModuleReportList.append(ModuleReport(Ma, ReportType))
2135 else:
2136 self._IsModuleBuild = False
2137 for Pa in Wa.AutoGenObjectList:
2138 ModuleAutoGenList = []
2139 for ModuleKey in Pa.Platform.Modules:
2140 ModuleAutoGenList.append(Pa.Platform.Modules[ModuleKey].M)
2141 if GlobalData.gFdfParser is not None:
2142 if Pa.Arch in GlobalData.gFdfParser.Profile.InfDict:
2143 INFList = GlobalData.gFdfParser.Profile.InfDict[Pa.Arch]
2144 for InfName in INFList:
2145 InfClass = PathClass(NormPath(InfName), Wa.WorkspaceDir, Pa.Arch)
2146 Ma = ModuleAutoGen(Wa, InfClass, Pa.BuildTarget, Pa.ToolChain, Pa.Arch, Wa.MetaFile)
2147 if Ma is None:
2148 continue
2149 if Ma not in ModuleAutoGenList:
2150 ModuleAutoGenList.append(Ma)
2151 for MGen in ModuleAutoGenList:
2152 self.ModuleReportList.append(ModuleReport(MGen, ReportType))
2153
2154
2155
2156 ##
2157 # Generate report for the whole platform.
2158 #
2159 # This function generates report for platform information.
2160 # It comprises of platform summary, global PCD, flash and
2161 # module list sections.
2162 #
2163 # @param self The object pointer
2164 # @param File The file object for report
2165 # @param BuildDuration The total time to build the modules
2166 # @param AutoGenTime The total time of AutoGen Phase
2167 # @param MakeTime The total time of Make Phase
2168 # @param GenFdsTime The total time of GenFds Phase
2169 # @param ReportType The kind of report items in the final report file
2170 #
2171 def GenerateReport(self, File, BuildDuration, AutoGenTime, MakeTime, GenFdsTime, ReportType):
2172 FileWrite(File, "Platform Summary")
2173 FileWrite(File, "Platform Name: %s" % self.PlatformName)
2174 FileWrite(File, "Platform DSC Path: %s" % self.PlatformDscPath)
2175 FileWrite(File, "Architectures: %s" % self.Architectures)
2176 FileWrite(File, "Tool Chain: %s" % self.ToolChain)
2177 FileWrite(File, "Target: %s" % self.Target)
2178 if GlobalData.gSkuids:
2179 FileWrite(File, "SKUID: %s" % " ".join(GlobalData.gSkuids))
2180 if GlobalData.gDefaultStores:
2181 FileWrite(File, "DefaultStore: %s" % " ".join(GlobalData.gDefaultStores))
2182 FileWrite(File, "Output Path: %s" % self.OutputPath)
2183 FileWrite(File, "Build Environment: %s" % self.BuildEnvironment)
2184 FileWrite(File, "Build Duration: %s" % BuildDuration)
2185 if AutoGenTime:
2186 FileWrite(File, "AutoGen Duration: %s" % AutoGenTime)
2187 if MakeTime:
2188 FileWrite(File, "Make Duration: %s" % MakeTime)
2189 if GenFdsTime:
2190 FileWrite(File, "GenFds Duration: %s" % GenFdsTime)
2191 FileWrite(File, "Report Content: %s" % ", ".join(ReportType))
2192
2193 if GlobalData.MixedPcd:
2194 FileWrite(File, gSectionStart)
2195 FileWrite(File, "The following PCDs use different access methods:")
2196 FileWrite(File, gSectionSep)
2197 for PcdItem in GlobalData.MixedPcd:
2198 FileWrite(File, "%s.%s" % (str(PcdItem[1]), str(PcdItem[0])))
2199 FileWrite(File, gSectionEnd)
2200
2201 if not self._IsModuleBuild:
2202 if "PCD" in ReportType:
2203 self.PcdReport.GenerateReport(File, None)
2204
2205 if "FLASH" in ReportType:
2206 for FdReportListItem in self.FdReportList:
2207 FdReportListItem.GenerateReport(File)
2208
2209 for ModuleReportItem in self.ModuleReportList:
2210 ModuleReportItem.GenerateReport(File, self.PcdReport, self.PredictionReport, self.DepexParser, ReportType)
2211
2212 if not self._IsModuleBuild:
2213 if "EXECUTION_ORDER" in ReportType:
2214 self.PredictionReport.GenerateReport(File, None)
2215
2216 ## BuildReport class
2217 #
2218 # This base class contain the routines to collect data and then
2219 # applies certain format to the output report
2220 #
2221 class BuildReport(object):
2222 ##
2223 # Constructor function for class BuildReport
2224 #
2225 # This constructor function generates BuildReport object a platform build.
2226 # It generates report for platform summary, flash, global PCDs and detailed
2227 # module information for modules involved in platform build.
2228 #
2229 # @param self The object pointer
2230 # @param ReportFile The file name to save report file
2231 # @param ReportType The kind of report items in the final report file
2232 #
2233 def __init__(self, ReportFile, ReportType):
2234 self.ReportFile = ReportFile
2235 if ReportFile:
2236 self.ReportList = []
2237 self.ReportType = []
2238 if ReportType:
2239 for ReportTypeItem in ReportType:
2240 if ReportTypeItem not in self.ReportType:
2241 self.ReportType.append(ReportTypeItem)
2242 else:
2243 self.ReportType = ["PCD", "LIBRARY", "BUILD_FLAGS", "DEPEX", "HASH", "FLASH", "FIXED_ADDRESS"]
2244 ##
2245 # Adds platform report to the list
2246 #
2247 # This function adds a platform report to the final report list.
2248 #
2249 # @param self The object pointer
2250 # @param Wa Workspace context information
2251 # @param MaList The list of modules in the platform build
2252 #
2253 def AddPlatformReport(self, Wa, MaList=None):
2254 if self.ReportFile:
2255 self.ReportList.append((Wa, MaList))
2256
2257 ##
2258 # Generates the final report.
2259 #
2260 # This function generates platform build report. It invokes GenerateReport()
2261 # method for every platform report in the list.
2262 #
2263 # @param self The object pointer
2264 # @param BuildDuration The total time to build the modules
2265 # @param AutoGenTime The total time of AutoGen phase
2266 # @param MakeTime The total time of Make phase
2267 # @param GenFdsTime The total time of GenFds phase
2268 #
2269 def GenerateReport(self, BuildDuration, AutoGenTime, MakeTime, GenFdsTime):
2270 if self.ReportFile:
2271 try:
2272 File = BytesIO('')
2273 for (Wa, MaList) in self.ReportList:
2274 PlatformReport(Wa, MaList, self.ReportType).GenerateReport(File, BuildDuration, AutoGenTime, MakeTime, GenFdsTime, self.ReportType)
2275 Content = FileLinesSplit(File.getvalue(), gLineMaxLength)
2276 SaveFileOnChange(self.ReportFile, Content, True)
2277 EdkLogger.quiet("Build report can be found at %s" % os.path.abspath(self.ReportFile))
2278 except IOError:
2279 EdkLogger.error(None, FILE_WRITE_FAILURE, ExtraData=self.ReportFile)
2280 except:
2281 EdkLogger.error("BuildReport", CODE_ERROR, "Unknown fatal error when generating build report", ExtraData=self.ReportFile, RaiseError=False)
2282 EdkLogger.quiet("(Python %s on %s\n%s)" % (platform.python_version(), sys.platform, traceback.format_exc()))
2283 File.close()
2284
2285 # This acts like the main() function for the script, unless it is 'import'ed into another script.
2286 if __name__ == '__main__':
2287 pass
2288