]> git.proxmox.com Git - mirror_edk2.git/blob - BaseTools/Source/Python/AutoGen/GenC.py
BaseTools: Fix the bug for VOID* pcd max size from component section
[mirror_edk2.git] / BaseTools / Source / Python / AutoGen / GenC.py
1 ## @file
2 # Routines for generating AutoGen.h and AutoGen.c
3 #
4 # Copyright (c) 2007 - 2018, Intel Corporation. All rights reserved.<BR>
5 # This program and the accompanying materials
6 # are licensed and made available under the terms and conditions of the BSD License
7 # which accompanies this distribution. The full text of the license may be found at
8 # http://opensource.org/licenses/bsd-license.php
9 #
10 # THE PROGRAM IS DISTRIBUTED UNDER THE BSD LICENSE ON AN "AS IS" BASIS,
11 # WITHOUT WARRANTIES OR REPRESENTATIONS OF ANY KIND, EITHER EXPRESS OR IMPLIED.
12 #
13
14 ## Import Modules
15 #
16 import string
17 import collections
18 import struct
19 from Common import EdkLogger
20
21 from Common.BuildToolError import *
22 from Common.DataType import *
23 from Common.Misc import *
24 from Common.String import StringToArray
25 from StrGather import *
26 from GenPcdDb import CreatePcdDatabaseCode
27 from IdfClassObject import *
28
29 ## PCD type string
30 gItemTypeStringDatabase = {
31 TAB_PCDS_FEATURE_FLAG : 'FixedAtBuild',
32 TAB_PCDS_FIXED_AT_BUILD : 'FixedAtBuild',
33 TAB_PCDS_PATCHABLE_IN_MODULE: 'BinaryPatch',
34 TAB_PCDS_DYNAMIC : '',
35 TAB_PCDS_DYNAMIC_DEFAULT : '',
36 TAB_PCDS_DYNAMIC_VPD : '',
37 TAB_PCDS_DYNAMIC_HII : '',
38 TAB_PCDS_DYNAMIC_EX : '',
39 TAB_PCDS_DYNAMIC_EX_DEFAULT : '',
40 TAB_PCDS_DYNAMIC_EX_VPD : '',
41 TAB_PCDS_DYNAMIC_EX_HII : '',
42 }
43
44 _NumericDataTypesList = ['UINT8', 'UINT16', 'UINT32', 'UINT64', 'BOOLEAN']
45
46 ## Dynamic PCD types
47 gDynamicPcd = [TAB_PCDS_DYNAMIC, TAB_PCDS_DYNAMIC_DEFAULT, TAB_PCDS_DYNAMIC_VPD, TAB_PCDS_DYNAMIC_HII]
48
49 ## Dynamic-ex PCD types
50 gDynamicExPcd = [TAB_PCDS_DYNAMIC_EX, TAB_PCDS_DYNAMIC_EX_DEFAULT, TAB_PCDS_DYNAMIC_EX_VPD, TAB_PCDS_DYNAMIC_EX_HII]
51
52 ## Datum size
53 gDatumSizeStringDatabase = {'UINT8':'8','UINT16':'16','UINT32':'32','UINT64':'64','BOOLEAN':'BOOLEAN','VOID*':'8'}
54 gDatumSizeStringDatabaseH = {'UINT8':'8','UINT16':'16','UINT32':'32','UINT64':'64','BOOLEAN':'BOOL','VOID*':'PTR'}
55 gDatumSizeStringDatabaseLib = {'UINT8':'8','UINT16':'16','UINT32':'32','UINT64':'64','BOOLEAN':'Bool','VOID*':'Ptr'}
56
57 ## AutoGen File Header Templates
58 gAutoGenHeaderString = TemplateString("""\
59 /**
60 DO NOT EDIT
61 FILE auto-generated
62 Module name:
63 ${FileName}
64 Abstract: Auto-generated ${FileName} for building module or library.
65 **/
66 """)
67
68 gAutoGenHPrologueString = TemplateString("""
69 #ifndef _${File}_${Guid}
70 #define _${File}_${Guid}
71
72 """)
73
74 gAutoGenHCppPrologueString = """\
75 #ifdef __cplusplus
76 extern "C" {
77 #endif
78
79 """
80
81 gAutoGenHEpilogueString = """
82
83 #ifdef __cplusplus
84 }
85 #endif
86
87 #endif
88 """
89
90 ## PEI Core Entry Point Templates
91 gPeiCoreEntryPointPrototype = TemplateString("""
92 ${BEGIN}
93 VOID
94 EFIAPI
95 ${Function} (
96 IN CONST EFI_SEC_PEI_HAND_OFF *SecCoreData,
97 IN CONST EFI_PEI_PPI_DESCRIPTOR *PpiList,
98 IN VOID *Context
99 );
100 ${END}
101 """)
102
103 gPeiCoreEntryPointString = TemplateString("""
104 ${BEGIN}
105 VOID
106 EFIAPI
107 ProcessModuleEntryPointList (
108 IN CONST EFI_SEC_PEI_HAND_OFF *SecCoreData,
109 IN CONST EFI_PEI_PPI_DESCRIPTOR *PpiList,
110 IN VOID *Context
111 )
112
113 {
114 ${Function} (SecCoreData, PpiList, Context);
115 }
116 ${END}
117 """)
118
119
120 ## DXE Core Entry Point Templates
121 gDxeCoreEntryPointPrototype = TemplateString("""
122 ${BEGIN}
123 VOID
124 EFIAPI
125 ${Function} (
126 IN VOID *HobStart
127 );
128 ${END}
129 """)
130
131 gDxeCoreEntryPointString = TemplateString("""
132 ${BEGIN}
133 VOID
134 EFIAPI
135 ProcessModuleEntryPointList (
136 IN VOID *HobStart
137 )
138
139 {
140 ${Function} (HobStart);
141 }
142 ${END}
143 """)
144
145 ## PEIM Entry Point Templates
146 gPeimEntryPointPrototype = TemplateString("""
147 ${BEGIN}
148 EFI_STATUS
149 EFIAPI
150 ${Function} (
151 IN EFI_PEI_FILE_HANDLE FileHandle,
152 IN CONST EFI_PEI_SERVICES **PeiServices
153 );
154 ${END}
155 """)
156
157 gPeimEntryPointString = [
158 TemplateString("""
159 GLOBAL_REMOVE_IF_UNREFERENCED const UINT32 _gPeimRevision = ${PiSpecVersion};
160
161 EFI_STATUS
162 EFIAPI
163 ProcessModuleEntryPointList (
164 IN EFI_PEI_FILE_HANDLE FileHandle,
165 IN CONST EFI_PEI_SERVICES **PeiServices
166 )
167
168 {
169 return EFI_SUCCESS;
170 }
171 """),
172 TemplateString("""
173 GLOBAL_REMOVE_IF_UNREFERENCED const UINT32 _gPeimRevision = ${PiSpecVersion};
174 ${BEGIN}
175 EFI_STATUS
176 EFIAPI
177 ProcessModuleEntryPointList (
178 IN EFI_PEI_FILE_HANDLE FileHandle,
179 IN CONST EFI_PEI_SERVICES **PeiServices
180 )
181
182 {
183 return ${Function} (FileHandle, PeiServices);
184 }
185 ${END}
186 """),
187 TemplateString("""
188 GLOBAL_REMOVE_IF_UNREFERENCED const UINT32 _gPeimRevision = ${PiSpecVersion};
189
190 EFI_STATUS
191 EFIAPI
192 ProcessModuleEntryPointList (
193 IN EFI_PEI_FILE_HANDLE FileHandle,
194 IN CONST EFI_PEI_SERVICES **PeiServices
195 )
196
197 {
198 EFI_STATUS Status;
199 EFI_STATUS CombinedStatus;
200
201 CombinedStatus = EFI_LOAD_ERROR;
202 ${BEGIN}
203 Status = ${Function} (FileHandle, PeiServices);
204 if (!EFI_ERROR (Status) || EFI_ERROR (CombinedStatus)) {
205 CombinedStatus = Status;
206 }
207 ${END}
208 return CombinedStatus;
209 }
210 """)
211 ]
212
213 ## SMM_CORE Entry Point Templates
214 gSmmCoreEntryPointPrototype = TemplateString("""
215 ${BEGIN}
216 EFI_STATUS
217 EFIAPI
218 ${Function} (
219 IN EFI_HANDLE ImageHandle,
220 IN EFI_SYSTEM_TABLE *SystemTable
221 );
222 ${END}
223 """)
224
225 gSmmCoreEntryPointString = TemplateString("""
226 ${BEGIN}
227 const UINT32 _gUefiDriverRevision = ${UefiSpecVersion};
228 const UINT32 _gDxeRevision = ${PiSpecVersion};
229
230 EFI_STATUS
231 EFIAPI
232 ProcessModuleEntryPointList (
233 IN EFI_HANDLE ImageHandle,
234 IN EFI_SYSTEM_TABLE *SystemTable
235 )
236 {
237 return ${Function} (ImageHandle, SystemTable);
238 }
239 ${END}
240 """)
241
242 ## MM_CORE_STANDALONE Entry Point Templates
243 gMmCoreStandaloneEntryPointPrototype = TemplateString("""
244 ${BEGIN}
245 EFI_STATUS
246 EFIAPI
247 ${Function} (
248 IN VOID *HobStart
249 );
250 ${END}
251 """)
252
253 gMmCoreStandaloneEntryPointString = TemplateString("""
254 ${BEGIN}
255 const UINT32 _gMmRevision = ${PiSpecVersion};
256
257 VOID
258 EFIAPI
259 ProcessModuleEntryPointList (
260 IN VOID *HobStart
261 )
262 {
263 ${Function} (HobStart);
264 }
265 ${END}
266 """)
267
268 ## MM_STANDALONE Entry Point Templates
269 gMmStandaloneEntryPointPrototype = TemplateString("""
270 ${BEGIN}
271 EFI_STATUS
272 EFIAPI
273 ${Function} (
274 IN EFI_HANDLE ImageHandle,
275 IN EFI_SMM_SYSTEM_TABLE2 *MmSystemTable
276 );
277 ${END}
278 """)
279
280 gMmStandaloneEntryPointString = [
281 TemplateString("""
282 GLOBAL_REMOVE_IF_UNREFERENCED const UINT32 _gMmRevision = ${PiSpecVersion};
283
284 EFI_STATUS
285 EFIAPI
286 ProcessModuleEntryPointList (
287 IN EFI_HANDLE ImageHandle,
288 IN EFI_SMM_SYSTEM_TABLE2 *MmSystemTable
289 )
290
291 {
292 return EFI_SUCCESS;
293 }
294 """),
295 TemplateString("""
296 GLOBAL_REMOVE_IF_UNREFERENCED const UINT32 _gMmRevision = ${PiSpecVersion};
297 ${BEGIN}
298 EFI_STATUS
299 EFIAPI
300 ProcessModuleEntryPointList (
301 IN EFI_HANDLE ImageHandle,
302 IN EFI_SMM_SYSTEM_TABLE2 *MmSystemTable
303 )
304
305 {
306 return ${Function} (ImageHandle, MmSystemTable);
307 }
308 ${END}
309 """),
310 TemplateString("""
311 GLOBAL_REMOVE_IF_UNREFERENCED const UINT32 _gMmRevision = ${PiSpecVersion};
312
313 EFI_STATUS
314 EFIAPI
315 ProcessModuleEntryPointList (
316 IN EFI_HANDLE ImageHandle,
317 IN EFI_SMM_SYSTEM_TABLE2 *MmSystemTable
318 )
319
320 {
321 EFI_STATUS Status;
322 EFI_STATUS CombinedStatus;
323
324 CombinedStatus = EFI_LOAD_ERROR;
325 ${BEGIN}
326 Status = ${Function} (ImageHandle, MmSystemTable);
327 if (!EFI_ERROR (Status) || EFI_ERROR (CombinedStatus)) {
328 CombinedStatus = Status;
329 }
330 ${END}
331 return CombinedStatus;
332 }
333 """)
334 ]
335
336 ## DXE SMM Entry Point Templates
337 gDxeSmmEntryPointPrototype = TemplateString("""
338 ${BEGIN}
339 EFI_STATUS
340 EFIAPI
341 ${Function} (
342 IN EFI_HANDLE ImageHandle,
343 IN EFI_SYSTEM_TABLE *SystemTable
344 );
345 ${END}
346 """)
347
348 gDxeSmmEntryPointString = [
349 TemplateString("""
350 const UINT32 _gUefiDriverRevision = ${UefiSpecVersion};
351 const UINT32 _gDxeRevision = ${PiSpecVersion};
352
353 EFI_STATUS
354 EFIAPI
355 ProcessModuleEntryPointList (
356 IN EFI_HANDLE ImageHandle,
357 IN EFI_SYSTEM_TABLE *SystemTable
358 )
359
360 {
361 return EFI_SUCCESS;
362 }
363 """),
364 TemplateString("""
365 const UINT32 _gUefiDriverRevision = ${UefiSpecVersion};
366 const UINT32 _gDxeRevision = ${PiSpecVersion};
367
368 static BASE_LIBRARY_JUMP_BUFFER mJumpContext;
369 static EFI_STATUS mDriverEntryPointStatus;
370
371 VOID
372 EFIAPI
373 ExitDriver (
374 IN EFI_STATUS Status
375 )
376 {
377 if (!EFI_ERROR (Status) || EFI_ERROR (mDriverEntryPointStatus)) {
378 mDriverEntryPointStatus = Status;
379 }
380 LongJump (&mJumpContext, (UINTN)-1);
381 ASSERT (FALSE);
382 }
383
384 EFI_STATUS
385 EFIAPI
386 ProcessModuleEntryPointList (
387 IN EFI_HANDLE ImageHandle,
388 IN EFI_SYSTEM_TABLE *SystemTable
389 )
390 {
391 mDriverEntryPointStatus = EFI_LOAD_ERROR;
392
393 ${BEGIN}
394 if (SetJump (&mJumpContext) == 0) {
395 ExitDriver (${Function} (ImageHandle, SystemTable));
396 ASSERT (FALSE);
397 }
398 ${END}
399
400 return mDriverEntryPointStatus;
401 }
402 """)
403 ]
404
405 ## UEFI Driver Entry Point Templates
406 gUefiDriverEntryPointPrototype = TemplateString("""
407 ${BEGIN}
408 EFI_STATUS
409 EFIAPI
410 ${Function} (
411 IN EFI_HANDLE ImageHandle,
412 IN EFI_SYSTEM_TABLE *SystemTable
413 );
414 ${END}
415 """)
416
417 gUefiDriverEntryPointString = [
418 TemplateString("""
419 const UINT32 _gUefiDriverRevision = ${UefiSpecVersion};
420 const UINT32 _gDxeRevision = ${PiSpecVersion};
421
422 EFI_STATUS
423 EFIAPI
424 ProcessModuleEntryPointList (
425 IN EFI_HANDLE ImageHandle,
426 IN EFI_SYSTEM_TABLE *SystemTable
427 )
428 {
429 return EFI_SUCCESS;
430 }
431 """),
432 TemplateString("""
433 const UINT32 _gUefiDriverRevision = ${UefiSpecVersion};
434 const UINT32 _gDxeRevision = ${PiSpecVersion};
435
436 ${BEGIN}
437 EFI_STATUS
438 EFIAPI
439 ProcessModuleEntryPointList (
440 IN EFI_HANDLE ImageHandle,
441 IN EFI_SYSTEM_TABLE *SystemTable
442 )
443
444 {
445 return ${Function} (ImageHandle, SystemTable);
446 }
447 ${END}
448 VOID
449 EFIAPI
450 ExitDriver (
451 IN EFI_STATUS Status
452 )
453 {
454 if (EFI_ERROR (Status)) {
455 ProcessLibraryDestructorList (gImageHandle, gST);
456 }
457 gBS->Exit (gImageHandle, Status, 0, NULL);
458 }
459 """),
460 TemplateString("""
461 const UINT32 _gUefiDriverRevision = ${UefiSpecVersion};
462 const UINT32 _gDxeRevision = ${PiSpecVersion};
463
464 static BASE_LIBRARY_JUMP_BUFFER mJumpContext;
465 static EFI_STATUS mDriverEntryPointStatus;
466
467 EFI_STATUS
468 EFIAPI
469 ProcessModuleEntryPointList (
470 IN EFI_HANDLE ImageHandle,
471 IN EFI_SYSTEM_TABLE *SystemTable
472 )
473 {
474 mDriverEntryPointStatus = EFI_LOAD_ERROR;
475 ${BEGIN}
476 if (SetJump (&mJumpContext) == 0) {
477 ExitDriver (${Function} (ImageHandle, SystemTable));
478 ASSERT (FALSE);
479 }
480 ${END}
481 return mDriverEntryPointStatus;
482 }
483
484 VOID
485 EFIAPI
486 ExitDriver (
487 IN EFI_STATUS Status
488 )
489 {
490 if (!EFI_ERROR (Status) || EFI_ERROR (mDriverEntryPointStatus)) {
491 mDriverEntryPointStatus = Status;
492 }
493 LongJump (&mJumpContext, (UINTN)-1);
494 ASSERT (FALSE);
495 }
496 """)
497 ]
498
499
500 ## UEFI Application Entry Point Templates
501 gUefiApplicationEntryPointPrototype = TemplateString("""
502 ${BEGIN}
503 EFI_STATUS
504 EFIAPI
505 ${Function} (
506 IN EFI_HANDLE ImageHandle,
507 IN EFI_SYSTEM_TABLE *SystemTable
508 );
509 ${END}
510 """)
511
512 gUefiApplicationEntryPointString = [
513 TemplateString("""
514 const UINT32 _gUefiDriverRevision = ${UefiSpecVersion};
515
516 EFI_STATUS
517 EFIAPI
518 ProcessModuleEntryPointList (
519 IN EFI_HANDLE ImageHandle,
520 IN EFI_SYSTEM_TABLE *SystemTable
521 )
522 {
523 return EFI_SUCCESS;
524 }
525 """),
526 TemplateString("""
527 const UINT32 _gUefiDriverRevision = ${UefiSpecVersion};
528
529 ${BEGIN}
530 EFI_STATUS
531 EFIAPI
532 ProcessModuleEntryPointList (
533 IN EFI_HANDLE ImageHandle,
534 IN EFI_SYSTEM_TABLE *SystemTable
535 )
536
537 {
538 return ${Function} (ImageHandle, SystemTable);
539 }
540 ${END}
541 VOID
542 EFIAPI
543 ExitDriver (
544 IN EFI_STATUS Status
545 )
546 {
547 if (EFI_ERROR (Status)) {
548 ProcessLibraryDestructorList (gImageHandle, gST);
549 }
550 gBS->Exit (gImageHandle, Status, 0, NULL);
551 }
552 """),
553 TemplateString("""
554 const UINT32 _gUefiDriverRevision = ${UefiSpecVersion};
555
556 EFI_STATUS
557 EFIAPI
558 ProcessModuleEntryPointList (
559 IN EFI_HANDLE ImageHandle,
560 IN EFI_SYSTEM_TABLE *SystemTable
561 )
562
563 {
564 ${BEGIN}
565 if (SetJump (&mJumpContext) == 0) {
566 ExitDriver (${Function} (ImageHandle, SystemTable));
567 ASSERT (FALSE);
568 }
569 ${END}
570 return mDriverEntryPointStatus;
571 }
572
573 static BASE_LIBRARY_JUMP_BUFFER mJumpContext;
574 static EFI_STATUS mDriverEntryPointStatus = EFI_LOAD_ERROR;
575
576 VOID
577 EFIAPI
578 ExitDriver (
579 IN EFI_STATUS Status
580 )
581 {
582 if (!EFI_ERROR (Status) || EFI_ERROR (mDriverEntryPointStatus)) {
583 mDriverEntryPointStatus = Status;
584 }
585 LongJump (&mJumpContext, (UINTN)-1);
586 ASSERT (FALSE);
587 }
588 """)
589 ]
590
591 ## UEFI Unload Image Templates
592 gUefiUnloadImagePrototype = TemplateString("""
593 ${BEGIN}
594 EFI_STATUS
595 EFIAPI
596 ${Function} (
597 IN EFI_HANDLE ImageHandle
598 );
599 ${END}
600 """)
601
602 gUefiUnloadImageString = [
603 TemplateString("""
604 GLOBAL_REMOVE_IF_UNREFERENCED const UINT8 _gDriverUnloadImageCount = ${Count};
605
606 EFI_STATUS
607 EFIAPI
608 ProcessModuleUnloadList (
609 IN EFI_HANDLE ImageHandle
610 )
611 {
612 return EFI_SUCCESS;
613 }
614 """),
615 TemplateString("""
616 GLOBAL_REMOVE_IF_UNREFERENCED const UINT8 _gDriverUnloadImageCount = ${Count};
617
618 ${BEGIN}
619 EFI_STATUS
620 EFIAPI
621 ProcessModuleUnloadList (
622 IN EFI_HANDLE ImageHandle
623 )
624 {
625 return ${Function} (ImageHandle);
626 }
627 ${END}
628 """),
629 TemplateString("""
630 GLOBAL_REMOVE_IF_UNREFERENCED const UINT8 _gDriverUnloadImageCount = ${Count};
631
632 EFI_STATUS
633 EFIAPI
634 ProcessModuleUnloadList (
635 IN EFI_HANDLE ImageHandle
636 )
637 {
638 EFI_STATUS Status;
639
640 Status = EFI_SUCCESS;
641 ${BEGIN}
642 if (EFI_ERROR (Status)) {
643 ${Function} (ImageHandle);
644 } else {
645 Status = ${Function} (ImageHandle);
646 }
647 ${END}
648 return Status;
649 }
650 """)
651 ]
652
653 gLibraryStructorPrototype = {
654 'BASE' : TemplateString("""${BEGIN}
655 RETURN_STATUS
656 EFIAPI
657 ${Function} (
658 VOID
659 );${END}
660 """),
661
662 'PEI' : TemplateString("""${BEGIN}
663 EFI_STATUS
664 EFIAPI
665 ${Function} (
666 IN EFI_PEI_FILE_HANDLE FileHandle,
667 IN CONST EFI_PEI_SERVICES **PeiServices
668 );${END}
669 """),
670
671 'DXE' : TemplateString("""${BEGIN}
672 EFI_STATUS
673 EFIAPI
674 ${Function} (
675 IN EFI_HANDLE ImageHandle,
676 IN EFI_SYSTEM_TABLE *SystemTable
677 );${END}
678 """),
679
680 'MM' : TemplateString("""${BEGIN}
681 EFI_STATUS
682 EFIAPI
683 ${Function} (
684 IN EFI_HANDLE ImageHandle,
685 IN EFI_SMM_SYSTEM_TABLE2 *MmSystemTable
686 );${END}
687 """),
688 }
689
690 gLibraryStructorCall = {
691 'BASE' : TemplateString("""${BEGIN}
692 Status = ${Function} ();
693 ASSERT_EFI_ERROR (Status);${END}
694 """),
695
696 'PEI' : TemplateString("""${BEGIN}
697 Status = ${Function} (FileHandle, PeiServices);
698 ASSERT_EFI_ERROR (Status);${END}
699 """),
700
701 'DXE' : TemplateString("""${BEGIN}
702 Status = ${Function} (ImageHandle, SystemTable);
703 ASSERT_EFI_ERROR (Status);${END}
704 """),
705
706 'MM' : TemplateString("""${BEGIN}
707 Status = ${Function} (ImageHandle, MmSystemTable);
708 ASSERT_EFI_ERROR (Status);${END}
709 """),
710 }
711
712 ## Library Constructor and Destructor Templates
713 gLibraryString = {
714 'BASE' : TemplateString("""
715 ${BEGIN}${FunctionPrototype}${END}
716
717 VOID
718 EFIAPI
719 ProcessLibrary${Type}List (
720 VOID
721 )
722 {
723 ${BEGIN} EFI_STATUS Status;
724 ${FunctionCall}${END}
725 }
726 """),
727
728 'PEI' : TemplateString("""
729 ${BEGIN}${FunctionPrototype}${END}
730
731 VOID
732 EFIAPI
733 ProcessLibrary${Type}List (
734 IN EFI_PEI_FILE_HANDLE FileHandle,
735 IN CONST EFI_PEI_SERVICES **PeiServices
736 )
737 {
738 ${BEGIN} EFI_STATUS Status;
739 ${FunctionCall}${END}
740 }
741 """),
742
743 'DXE' : TemplateString("""
744 ${BEGIN}${FunctionPrototype}${END}
745
746 VOID
747 EFIAPI
748 ProcessLibrary${Type}List (
749 IN EFI_HANDLE ImageHandle,
750 IN EFI_SYSTEM_TABLE *SystemTable
751 )
752 {
753 ${BEGIN} EFI_STATUS Status;
754 ${FunctionCall}${END}
755 }
756 """),
757
758 'MM' : TemplateString("""
759 ${BEGIN}${FunctionPrototype}${END}
760
761 VOID
762 EFIAPI
763 ProcessLibrary${Type}List (
764 IN EFI_HANDLE ImageHandle,
765 IN EFI_SMM_SYSTEM_TABLE2 *MmSystemTable
766 )
767 {
768 ${BEGIN} EFI_STATUS Status;
769 ${FunctionCall}${END}
770 }
771 """),
772 }
773
774 gBasicHeaderFile = "Base.h"
775
776 gModuleTypeHeaderFile = {
777 "BASE" : [gBasicHeaderFile],
778 "SEC" : ["PiPei.h", "Library/DebugLib.h"],
779 "PEI_CORE" : ["PiPei.h", "Library/DebugLib.h", "Library/PeiCoreEntryPoint.h"],
780 "PEIM" : ["PiPei.h", "Library/DebugLib.h", "Library/PeimEntryPoint.h"],
781 "DXE_CORE" : ["PiDxe.h", "Library/DebugLib.h", "Library/DxeCoreEntryPoint.h"],
782 "DXE_DRIVER" : ["PiDxe.h", "Library/BaseLib.h", "Library/DebugLib.h", "Library/UefiBootServicesTableLib.h", "Library/UefiDriverEntryPoint.h"],
783 "DXE_SMM_DRIVER" : ["PiDxe.h", "Library/BaseLib.h", "Library/DebugLib.h", "Library/UefiBootServicesTableLib.h", "Library/UefiDriverEntryPoint.h"],
784 "DXE_RUNTIME_DRIVER": ["PiDxe.h", "Library/BaseLib.h", "Library/DebugLib.h", "Library/UefiBootServicesTableLib.h", "Library/UefiDriverEntryPoint.h"],
785 "DXE_SAL_DRIVER" : ["PiDxe.h", "Library/BaseLib.h", "Library/DebugLib.h", "Library/UefiBootServicesTableLib.h", "Library/UefiDriverEntryPoint.h"],
786 "UEFI_DRIVER" : ["Uefi.h", "Library/BaseLib.h", "Library/DebugLib.h", "Library/UefiBootServicesTableLib.h", "Library/UefiDriverEntryPoint.h"],
787 "UEFI_APPLICATION" : ["Uefi.h", "Library/BaseLib.h", "Library/DebugLib.h", "Library/UefiBootServicesTableLib.h", "Library/UefiApplicationEntryPoint.h"],
788 "SMM_CORE" : ["PiDxe.h", "Library/BaseLib.h", "Library/DebugLib.h", "Library/UefiDriverEntryPoint.h"],
789 "MM_STANDALONE" : ["PiSmm.h", "Library/BaseLib.h", "Library/DebugLib.h", "Library/SmmDriverStandaloneEntryPoint.h"],
790 "MM_CORE_STANDALONE" : ["PiSmm.h", "Library/BaseLib.h", "Library/DebugLib.h", "Library/SmmCoreStandaloneEntryPoint.h"],
791 "USER_DEFINED" : [gBasicHeaderFile]
792 }
793
794 ## Autogen internal worker macro to define DynamicEx PCD name includes both the TokenSpaceGuidName
795 # the TokenName and Guid comparison to avoid define name collisions.
796 #
797 # @param Info The ModuleAutoGen object
798 # @param AutoGenH The TemplateString object for header file
799 #
800 #
801 def DynExPcdTokenNumberMapping(Info, AutoGenH):
802 ExTokenCNameList = []
803 PcdExList = []
804 # Even it is the Library, the PCD is saved in the ModulePcdList
805 PcdList = Info.ModulePcdList
806 for Pcd in PcdList:
807 if Pcd.Type in gDynamicExPcd:
808 ExTokenCNameList.append(Pcd.TokenCName)
809 PcdExList.append(Pcd)
810 if len(ExTokenCNameList) == 0:
811 return
812 AutoGenH.Append('\n#define COMPAREGUID(Guid1, Guid2) (BOOLEAN)(*(CONST UINT64*)Guid1 == *(CONST UINT64*)Guid2 && *((CONST UINT64*)Guid1 + 1) == *((CONST UINT64*)Guid2 + 1))\n')
813 # AutoGen for each PCD listed in a [PcdEx] section of a Module/Lib INF file.
814 # Auto generate a macro for each TokenName that takes a Guid pointer as a parameter.
815 # Use the Guid pointer to see if it matches any of the token space GUIDs.
816 TokenCNameList = []
817 for TokenCName in ExTokenCNameList:
818 if TokenCName in TokenCNameList:
819 continue
820 Index = 0
821 Count = ExTokenCNameList.count(TokenCName)
822 for Pcd in PcdExList:
823 RealTokenCName = Pcd.TokenCName
824 for PcdItem in GlobalData.MixedPcd:
825 if (Pcd.TokenCName, Pcd.TokenSpaceGuidCName) in GlobalData.MixedPcd[PcdItem]:
826 RealTokenCName = PcdItem[0]
827 break
828 if Pcd.TokenCName == TokenCName:
829 Index = Index + 1
830 if Index == 1:
831 AutoGenH.Append('\n#define __PCD_%s_ADDR_CMP(GuidPtr) (' % (RealTokenCName))
832 AutoGenH.Append('\\\n (GuidPtr == &%s) ? _PCD_TOKEN_%s_%s:'
833 % (Pcd.TokenSpaceGuidCName, Pcd.TokenSpaceGuidCName, RealTokenCName))
834 else:
835 AutoGenH.Append('\\\n (GuidPtr == &%s) ? _PCD_TOKEN_%s_%s:'
836 % (Pcd.TokenSpaceGuidCName, Pcd.TokenSpaceGuidCName, RealTokenCName))
837 if Index == Count:
838 AutoGenH.Append('0 \\\n )\n')
839 TokenCNameList.append(TokenCName)
840
841 TokenCNameList = []
842 for TokenCName in ExTokenCNameList:
843 if TokenCName in TokenCNameList:
844 continue
845 Index = 0
846 Count = ExTokenCNameList.count(TokenCName)
847 for Pcd in PcdExList:
848 RealTokenCName = Pcd.TokenCName
849 for PcdItem in GlobalData.MixedPcd:
850 if (Pcd.TokenCName, Pcd.TokenSpaceGuidCName) in GlobalData.MixedPcd[PcdItem]:
851 RealTokenCName = PcdItem[0]
852 break
853 if Pcd.Type in gDynamicExPcd and Pcd.TokenCName == TokenCName:
854 Index = Index + 1
855 if Index == 1:
856 AutoGenH.Append('\n#define __PCD_%s_VAL_CMP(GuidPtr) (' % (RealTokenCName))
857 AutoGenH.Append('\\\n (GuidPtr == NULL) ? 0:')
858 AutoGenH.Append('\\\n COMPAREGUID (GuidPtr, &%s) ? _PCD_TOKEN_%s_%s:'
859 % (Pcd.TokenSpaceGuidCName, Pcd.TokenSpaceGuidCName, RealTokenCName))
860 else:
861 AutoGenH.Append('\\\n COMPAREGUID (GuidPtr, &%s) ? _PCD_TOKEN_%s_%s:'
862 % (Pcd.TokenSpaceGuidCName, Pcd.TokenSpaceGuidCName, RealTokenCName))
863 if Index == Count:
864 AutoGenH.Append('0 \\\n )\n')
865 # Autogen internal worker macro to compare GUIDs. Guid1 is a pointer to a GUID.
866 # Guid2 is a C name for a GUID. Compare pointers first because optimizing compiler
867 # can do this at build time on CONST GUID pointers and optimize away call to COMPAREGUID().
868 # COMPAREGUID() will only be used if the Guid passed in is local to the module.
869 AutoGenH.Append('#define _PCD_TOKEN_EX_%s(GuidPtr) __PCD_%s_ADDR_CMP(GuidPtr) ? __PCD_%s_ADDR_CMP(GuidPtr) : __PCD_%s_VAL_CMP(GuidPtr) \n'
870 % (RealTokenCName, RealTokenCName, RealTokenCName, RealTokenCName))
871 TokenCNameList.append(TokenCName)
872
873 def GetPcdSize(Pcd):
874 if Pcd.DatumType not in _NumericDataTypesList:
875 Value = Pcd.DefaultValue
876 if Value in [None, '']:
877 return 1
878 elif Value[0] == 'L':
879 return (len(Value) - 2) * 2
880 elif Value[0] == '{':
881 return len(Value.split(','))
882 else:
883 return len(Value) - 1
884 if Pcd.DatumType == 'UINT64':
885 return 8
886 if Pcd.DatumType == 'UINT32':
887 return 4
888 if Pcd.DatumType == 'UINT16':
889 return 2
890 if Pcd.DatumType == 'UINT8':
891 return 1
892 if Pcd.DatumType == 'BOOLEAN':
893 return 1
894 else:
895 return Pcd.MaxDatumSize
896
897
898 ## Create code for module PCDs
899 #
900 # @param Info The ModuleAutoGen object
901 # @param AutoGenC The TemplateString object for C code
902 # @param AutoGenH The TemplateString object for header file
903 # @param Pcd The PCD object
904 #
905 def CreateModulePcdCode(Info, AutoGenC, AutoGenH, Pcd):
906 TokenSpaceGuidValue = Pcd.TokenSpaceGuidValue #Info.GuidList[Pcd.TokenSpaceGuidCName]
907 PcdTokenNumber = Info.PlatformInfo.PcdTokenNumber
908 #
909 # Write PCDs
910 #
911 TokenCName = Pcd.TokenCName
912 for PcdItem in GlobalData.MixedPcd:
913 if (Pcd.TokenCName, Pcd.TokenSpaceGuidCName) in GlobalData.MixedPcd[PcdItem]:
914 TokenCName = PcdItem[0]
915 break
916 PcdTokenName = '_PCD_TOKEN_' + TokenCName
917 PatchPcdSizeTokenName = '_PCD_PATCHABLE_' + TokenCName +'_SIZE'
918 PatchPcdSizeVariableName = '_gPcd_BinaryPatch_Size_' + TokenCName
919 PatchPcdMaxSizeVariable = '_gPcd_BinaryPatch_MaxSize_' + TokenCName
920 FixPcdSizeTokenName = '_PCD_SIZE_' + TokenCName
921 FixedPcdSizeVariableName = '_gPcd_FixedAtBuild_Size_' + TokenCName
922
923 if Pcd.PcdValueFromComm:
924 Pcd.DefaultValue = Pcd.PcdValueFromComm
925
926 if Pcd.Type in gDynamicExPcd:
927 TokenNumber = int(Pcd.TokenValue, 0)
928 # Add TokenSpaceGuidValue value to PcdTokenName to discriminate the DynamicEx PCDs with
929 # different Guids but same TokenCName
930 PcdExTokenName = '_PCD_TOKEN_' + Pcd.TokenSpaceGuidCName + '_' + TokenCName
931 AutoGenH.Append('\n#define %s %dU\n' % (PcdExTokenName, TokenNumber))
932 else:
933 if (Pcd.TokenCName, Pcd.TokenSpaceGuidCName) not in PcdTokenNumber:
934 # If one of the Source built modules listed in the DSC is not listed in FDF modules,
935 # and the INF lists a PCD can only use the PcdsDynamic access method (it is only
936 # listed in the DEC file that declares the PCD as PcdsDynamic), then build tool will
937 # report warning message notify the PI that they are attempting to build a module
938 # that must be included in a flash image in order to be functional. These Dynamic PCD
939 # will not be added into the Database unless it is used by other modules that are
940 # included in the FDF file.
941 # In this case, just assign an invalid token number to make it pass build.
942 if Pcd.Type in PCD_DYNAMIC_TYPE_LIST:
943 TokenNumber = 0
944 else:
945 EdkLogger.error("build", AUTOGEN_ERROR,
946 "No generated token number for %s.%s\n" % (Pcd.TokenSpaceGuidCName, TokenCName),
947 ExtraData="[%s]" % str(Info))
948 else:
949 TokenNumber = PcdTokenNumber[Pcd.TokenCName, Pcd.TokenSpaceGuidCName]
950 AutoGenH.Append('\n#define %s %dU\n' % (PcdTokenName, TokenNumber))
951
952 EdkLogger.debug(EdkLogger.DEBUG_3, "Creating code for " + TokenCName + "." + Pcd.TokenSpaceGuidCName)
953 if Pcd.Type not in gItemTypeStringDatabase:
954 EdkLogger.error("build", AUTOGEN_ERROR,
955 "Unknown PCD type [%s] of PCD %s.%s" % (Pcd.Type, Pcd.TokenSpaceGuidCName, TokenCName),
956 ExtraData="[%s]" % str(Info))
957
958 DatumSize = gDatumSizeStringDatabase[Pcd.DatumType] if Pcd.DatumType in gDatumSizeStringDatabase else gDatumSizeStringDatabase['VOID*']
959 DatumSizeLib = gDatumSizeStringDatabaseLib[Pcd.DatumType] if Pcd.DatumType in gDatumSizeStringDatabaseLib else gDatumSizeStringDatabaseLib['VOID*']
960 GetModeName = '_PCD_GET_MODE_' + gDatumSizeStringDatabaseH[Pcd.DatumType] + '_' + TokenCName if Pcd.DatumType in gDatumSizeStringDatabaseH else '_PCD_GET_MODE_' + gDatumSizeStringDatabaseH['VOID*'] + '_' + TokenCName
961 SetModeName = '_PCD_SET_MODE_' + gDatumSizeStringDatabaseH[Pcd.DatumType] + '_' + TokenCName if Pcd.DatumType in gDatumSizeStringDatabaseH else '_PCD_SET_MODE_' + gDatumSizeStringDatabaseH['VOID*'] + '_' + TokenCName
962 SetModeStatusName = '_PCD_SET_MODE_' + gDatumSizeStringDatabaseH[Pcd.DatumType] + '_S_' + TokenCName if Pcd.DatumType in gDatumSizeStringDatabaseH else '_PCD_SET_MODE_' + gDatumSizeStringDatabaseH['VOID*'] + '_S_' + TokenCName
963 GetModeSizeName = '_PCD_GET_MODE_SIZE' + '_' + TokenCName
964
965 PcdExCNameList = []
966 if Pcd.Type in gDynamicExPcd:
967 if Info.IsLibrary:
968 PcdList = Info.LibraryPcdList
969 else:
970 PcdList = Info.ModulePcdList
971 for PcdModule in PcdList:
972 if PcdModule.Type in gDynamicExPcd:
973 PcdExCNameList.append(PcdModule.TokenCName)
974 # Be compatible with the current code which using PcdToken and PcdGet/Set for DynamicEx Pcd.
975 # If only PcdToken and PcdGet/Set used in all Pcds with different CName, it should succeed to build.
976 # If PcdToken and PcdGet/Set used in the Pcds with different Guids but same CName, it should failed to build.
977 if PcdExCNameList.count(Pcd.TokenCName) > 1:
978 AutoGenH.Append('// Disabled the macros, as PcdToken and PcdGet/Set are not allowed in the case that more than one DynamicEx Pcds are different Guids but same CName.\n')
979 AutoGenH.Append('// #define %s %s\n' % (PcdTokenName, PcdExTokenName))
980 AutoGenH.Append('// #define %s LibPcdGetEx%s(&%s, %s)\n' % (GetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
981 AutoGenH.Append('// #define %s LibPcdGetExSize(&%s, %s)\n' % (GetModeSizeName,Pcd.TokenSpaceGuidCName, PcdTokenName))
982 if Pcd.DatumType not in _NumericDataTypesList:
983 AutoGenH.Append('// #define %s(SizeOfBuffer, Buffer) LibPcdSetEx%s(&%s, %s, (SizeOfBuffer), (Buffer))\n' % (SetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
984 AutoGenH.Append('// #define %s(SizeOfBuffer, Buffer) LibPcdSetEx%sS(&%s, %s, (SizeOfBuffer), (Buffer))\n' % (SetModeStatusName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
985 else:
986 AutoGenH.Append('// #define %s(Value) LibPcdSetEx%s(&%s, %s, (Value))\n' % (SetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
987 AutoGenH.Append('// #define %s(Value) LibPcdSetEx%sS(&%s, %s, (Value))\n' % (SetModeStatusName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
988 else:
989 AutoGenH.Append('#define %s %s\n' % (PcdTokenName, PcdExTokenName))
990 AutoGenH.Append('#define %s LibPcdGetEx%s(&%s, %s)\n' % (GetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
991 AutoGenH.Append('#define %s LibPcdGetExSize(&%s, %s)\n' % (GetModeSizeName,Pcd.TokenSpaceGuidCName, PcdTokenName))
992 if Pcd.DatumType not in _NumericDataTypesList:
993 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPcdSetEx%s(&%s, %s, (SizeOfBuffer), (Buffer))\n' % (SetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
994 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPcdSetEx%sS(&%s, %s, (SizeOfBuffer), (Buffer))\n' % (SetModeStatusName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
995 else:
996 AutoGenH.Append('#define %s(Value) LibPcdSetEx%s(&%s, %s, (Value))\n' % (SetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
997 AutoGenH.Append('#define %s(Value) LibPcdSetEx%sS(&%s, %s, (Value))\n' % (SetModeStatusName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
998 elif Pcd.Type in gDynamicPcd:
999 PcdList = []
1000 PcdCNameList = []
1001 PcdList.extend(Info.LibraryPcdList)
1002 PcdList.extend(Info.ModulePcdList)
1003 for PcdModule in PcdList:
1004 if PcdModule.Type in gDynamicPcd:
1005 PcdCNameList.append(PcdModule.TokenCName)
1006 if PcdCNameList.count(Pcd.TokenCName) > 1:
1007 EdkLogger.error("build", AUTOGEN_ERROR, "More than one Dynamic Pcds [%s] are different Guids but same CName. They need to be changed to DynamicEx type to avoid the confliction.\n" % (TokenCName), ExtraData="[%s]" % str(Info.MetaFile.Path))
1008 else:
1009 AutoGenH.Append('#define %s LibPcdGet%s(%s)\n' % (GetModeName, DatumSizeLib, PcdTokenName))
1010 AutoGenH.Append('#define %s LibPcdGetSize(%s)\n' % (GetModeSizeName, PcdTokenName))
1011 if Pcd.DatumType not in _NumericDataTypesList:
1012 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPcdSet%s(%s, (SizeOfBuffer), (Buffer))\n' %(SetModeName, DatumSizeLib, PcdTokenName))
1013 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPcdSet%sS(%s, (SizeOfBuffer), (Buffer))\n' % (SetModeStatusName, DatumSizeLib, PcdTokenName))
1014 else:
1015 AutoGenH.Append('#define %s(Value) LibPcdSet%s(%s, (Value))\n' % (SetModeName, DatumSizeLib, PcdTokenName))
1016 AutoGenH.Append('#define %s(Value) LibPcdSet%sS(%s, (Value))\n' % (SetModeStatusName, DatumSizeLib, PcdTokenName))
1017 else:
1018 PcdVariableName = '_gPcd_' + gItemTypeStringDatabase[Pcd.Type] + '_' + TokenCName
1019 Const = 'const'
1020 if Pcd.Type == TAB_PCDS_PATCHABLE_IN_MODULE:
1021 Const = ''
1022 Type = ''
1023 Array = ''
1024 Value = Pcd.DefaultValue
1025 Unicode = False
1026 ValueNumber = 0
1027
1028 if Pcd.DatumType == 'BOOLEAN':
1029 BoolValue = Value.upper()
1030 if BoolValue == 'TRUE' or BoolValue == '1':
1031 Value = '1U'
1032 elif BoolValue == 'FALSE' or BoolValue == '0':
1033 Value = '0U'
1034
1035 if Pcd.DatumType in ['UINT64', 'UINT32', 'UINT16', 'UINT8']:
1036 try:
1037 if Value.upper().endswith('L'):
1038 Value = Value[:-1]
1039 ValueNumber = int (Value, 0)
1040 except:
1041 EdkLogger.error("build", AUTOGEN_ERROR,
1042 "PCD value is not valid dec or hex number for datum type [%s] of PCD %s.%s" % (Pcd.DatumType, Pcd.TokenSpaceGuidCName, TokenCName),
1043 ExtraData="[%s]" % str(Info))
1044 if Pcd.DatumType == 'UINT64':
1045 if ValueNumber < 0:
1046 EdkLogger.error("build", AUTOGEN_ERROR,
1047 "PCD can't be set to negative value for datum type [%s] of PCD %s.%s" % (Pcd.DatumType, Pcd.TokenSpaceGuidCName, TokenCName),
1048 ExtraData="[%s]" % str(Info))
1049 elif ValueNumber >= 0x10000000000000000:
1050 EdkLogger.error("build", AUTOGEN_ERROR,
1051 "Too large PCD value for datum type [%s] of PCD %s.%s" % (Pcd.DatumType, Pcd.TokenSpaceGuidCName, TokenCName),
1052 ExtraData="[%s]" % str(Info))
1053 if not Value.endswith('ULL'):
1054 Value += 'ULL'
1055 elif Pcd.DatumType == 'UINT32':
1056 if ValueNumber < 0:
1057 EdkLogger.error("build", AUTOGEN_ERROR,
1058 "PCD can't be set to negative value for datum type [%s] of PCD %s.%s" % (Pcd.DatumType, Pcd.TokenSpaceGuidCName, TokenCName),
1059 ExtraData="[%s]" % str(Info))
1060 elif ValueNumber >= 0x100000000:
1061 EdkLogger.error("build", AUTOGEN_ERROR,
1062 "Too large PCD value for datum type [%s] of PCD %s.%s" % (Pcd.DatumType, Pcd.TokenSpaceGuidCName, TokenCName),
1063 ExtraData="[%s]" % str(Info))
1064 if not Value.endswith('U'):
1065 Value += 'U'
1066 elif Pcd.DatumType == 'UINT16':
1067 if ValueNumber < 0:
1068 EdkLogger.error("build", AUTOGEN_ERROR,
1069 "PCD can't be set to negative value for datum type [%s] of PCD %s.%s" % (Pcd.DatumType, Pcd.TokenSpaceGuidCName, TokenCName),
1070 ExtraData="[%s]" % str(Info))
1071 elif ValueNumber >= 0x10000:
1072 EdkLogger.error("build", AUTOGEN_ERROR,
1073 "Too large PCD value for datum type [%s] of PCD %s.%s" % (Pcd.DatumType, Pcd.TokenSpaceGuidCName, TokenCName),
1074 ExtraData="[%s]" % str(Info))
1075 if not Value.endswith('U'):
1076 Value += 'U'
1077 elif Pcd.DatumType == 'UINT8':
1078 if ValueNumber < 0:
1079 EdkLogger.error("build", AUTOGEN_ERROR,
1080 "PCD can't be set to negative value for datum type [%s] of PCD %s.%s" % (Pcd.DatumType, Pcd.TokenSpaceGuidCName, TokenCName),
1081 ExtraData="[%s]" % str(Info))
1082 elif ValueNumber >= 0x100:
1083 EdkLogger.error("build", AUTOGEN_ERROR,
1084 "Too large PCD value for datum type [%s] of PCD %s.%s" % (Pcd.DatumType, Pcd.TokenSpaceGuidCName, TokenCName),
1085 ExtraData="[%s]" % str(Info))
1086 if not Value.endswith('U'):
1087 Value += 'U'
1088 if Pcd.DatumType not in _NumericDataTypesList:
1089 if Pcd.MaxDatumSize is None or Pcd.MaxDatumSize == '':
1090 EdkLogger.error("build", AUTOGEN_ERROR,
1091 "Unknown [MaxDatumSize] of PCD [%s.%s]" % (Pcd.TokenSpaceGuidCName, TokenCName),
1092 ExtraData="[%s]" % str(Info))
1093
1094 ArraySize = int(Pcd.MaxDatumSize, 0)
1095 if Value[0] == '{':
1096 Type = '(VOID *)'
1097 else:
1098 if Value[0] == 'L':
1099 Unicode = True
1100 Value = Value.lstrip('L') #.strip('"')
1101 Value = eval(Value) # translate escape character
1102 NewValue = '{'
1103 for Index in range(0,len(Value)):
1104 if Unicode:
1105 NewValue = NewValue + str(ord(Value[Index]) % 0x10000) + ', '
1106 else:
1107 NewValue = NewValue + str(ord(Value[Index]) % 0x100) + ', '
1108 if Unicode:
1109 ArraySize = ArraySize / 2;
1110
1111 if ArraySize < (len(Value) + 1):
1112 if Pcd.MaxSizeUserSet:
1113 EdkLogger.error("build", AUTOGEN_ERROR,
1114 "The maximum size of VOID* type PCD '%s.%s' is less than its actual size occupied." % (Pcd.TokenSpaceGuidCName, TokenCName),
1115 ExtraData="[%s]" % str(Info))
1116 else:
1117 ArraySize = GetPcdSize(Pcd)
1118 if Unicode:
1119 ArraySize = ArraySize / 2
1120 Value = NewValue + '0 }'
1121 Array = '[%d]' % ArraySize
1122 #
1123 # skip casting for fixed at build since it breaks ARM assembly.
1124 # Long term we need PCD macros that work in assembly
1125 #
1126 elif Pcd.Type != TAB_PCDS_FIXED_AT_BUILD and Pcd.DatumType in ['UINT8', 'UINT16', 'UINT32', 'UINT64', 'BOOLEAN', 'VOID*']:
1127 Value = "((%s)%s)" % (Pcd.DatumType, Value)
1128
1129 if Pcd.DatumType not in ['UINT8', 'UINT16', 'UINT32', 'UINT64', 'BOOLEAN', 'VOID*']:
1130 # handle structure PCD
1131 if Pcd.MaxDatumSize is None or Pcd.MaxDatumSize == '':
1132 EdkLogger.error("build", AUTOGEN_ERROR,
1133 "Unknown [MaxDatumSize] of PCD [%s.%s]" % (Pcd.TokenSpaceGuidCName, TokenCName),
1134 ExtraData="[%s]" % str(Info))
1135
1136 ArraySize = int(Pcd.MaxDatumSize, 0)
1137 Array = '[%d]' % ArraySize
1138
1139 if Pcd.Type == TAB_PCDS_PATCHABLE_IN_MODULE:
1140 PcdValueName = '_PCD_PATCHABLE_VALUE_' + TokenCName
1141 else:
1142 PcdValueName = '_PCD_VALUE_' + TokenCName
1143
1144 if Pcd.DatumType not in _NumericDataTypesList:
1145 #
1146 # For unicode, UINT16 array will be generated, so the alignment of unicode is guaranteed.
1147 #
1148 AutoGenH.Append('#define %s %s%s\n' %(PcdValueName, Type, PcdVariableName))
1149 if Unicode:
1150 AutoGenC.Append('GLOBAL_REMOVE_IF_UNREFERENCED %s UINT16 %s%s = %s;\n' % (Const, PcdVariableName, Array, Value))
1151 AutoGenH.Append('extern %s UINT16 %s%s;\n' %(Const, PcdVariableName, Array))
1152 else:
1153 AutoGenC.Append('GLOBAL_REMOVE_IF_UNREFERENCED %s UINT8 %s%s = %s;\n' % (Const, PcdVariableName, Array, Value))
1154 AutoGenH.Append('extern %s UINT8 %s%s;\n' %(Const, PcdVariableName, Array))
1155 AutoGenH.Append('#define %s %s%s\n' %(GetModeName, Type, PcdVariableName))
1156
1157 PcdDataSize = GetPcdSize(Pcd)
1158 if Pcd.Type == TAB_PCDS_FIXED_AT_BUILD:
1159 AutoGenH.Append('#define %s %s\n' % (FixPcdSizeTokenName, PcdDataSize))
1160 AutoGenH.Append('#define %s %s \n' % (GetModeSizeName,FixPcdSizeTokenName))
1161 AutoGenC.Append('GLOBAL_REMOVE_IF_UNREFERENCED const UINTN %s = %s;\n' % (FixedPcdSizeVariableName,PcdDataSize))
1162 if Pcd.Type == TAB_PCDS_PATCHABLE_IN_MODULE:
1163 AutoGenH.Append('#define %s %s\n' % (PatchPcdSizeTokenName, Pcd.MaxDatumSize))
1164 AutoGenH.Append('#define %s %s \n' % (GetModeSizeName,PatchPcdSizeVariableName))
1165 AutoGenH.Append('extern UINTN %s; \n' % PatchPcdSizeVariableName)
1166 AutoGenC.Append('GLOBAL_REMOVE_IF_UNREFERENCED UINTN %s = %s;\n' % (PatchPcdSizeVariableName,PcdDataSize))
1167 AutoGenC.Append('GLOBAL_REMOVE_IF_UNREFERENCED const UINTN %s = %s;\n' % (PatchPcdMaxSizeVariable,Pcd.MaxDatumSize))
1168 elif Pcd.Type == TAB_PCDS_PATCHABLE_IN_MODULE:
1169 AutoGenH.Append('#define %s %s\n' %(PcdValueName, Value))
1170 AutoGenC.Append('volatile %s %s %s = %s;\n' %(Const, Pcd.DatumType, PcdVariableName, PcdValueName))
1171 AutoGenH.Append('extern volatile %s %s %s%s;\n' % (Const, Pcd.DatumType, PcdVariableName, Array))
1172 AutoGenH.Append('#define %s %s%s\n' % (GetModeName, Type, PcdVariableName))
1173
1174 PcdDataSize = GetPcdSize(Pcd)
1175 AutoGenH.Append('#define %s %s\n' % (PatchPcdSizeTokenName, PcdDataSize))
1176
1177 AutoGenH.Append('#define %s %s \n' % (GetModeSizeName,PatchPcdSizeVariableName))
1178 AutoGenH.Append('extern UINTN %s; \n' % PatchPcdSizeVariableName)
1179 AutoGenC.Append('GLOBAL_REMOVE_IF_UNREFERENCED UINTN %s = %s;\n' % (PatchPcdSizeVariableName,PcdDataSize))
1180 else:
1181 PcdDataSize = GetPcdSize(Pcd)
1182 AutoGenH.Append('#define %s %s\n' % (FixPcdSizeTokenName, PcdDataSize))
1183 AutoGenH.Append('#define %s %s \n' % (GetModeSizeName,FixPcdSizeTokenName))
1184
1185 AutoGenH.Append('#define %s %s\n' %(PcdValueName, Value))
1186 AutoGenC.Append('GLOBAL_REMOVE_IF_UNREFERENCED %s %s %s = %s;\n' %(Const, Pcd.DatumType, PcdVariableName, PcdValueName))
1187 AutoGenH.Append('extern %s %s %s%s;\n' % (Const, Pcd.DatumType, PcdVariableName, Array))
1188 AutoGenH.Append('#define %s %s%s\n' % (GetModeName, Type, PcdVariableName))
1189
1190 if Pcd.Type == TAB_PCDS_PATCHABLE_IN_MODULE:
1191 if Pcd.DatumType not in _NumericDataTypesList:
1192 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPatchPcdSetPtrAndSize((VOID *)_gPcd_BinaryPatch_%s, &_gPcd_BinaryPatch_Size_%s, (UINTN)_PCD_PATCHABLE_%s_SIZE, (SizeOfBuffer), (Buffer))\n' % (SetModeName, Pcd.TokenCName, Pcd.TokenCName, Pcd.TokenCName))
1193 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPatchPcdSetPtrAndSizeS((VOID *)_gPcd_BinaryPatch_%s, &_gPcd_BinaryPatch_Size_%s, (UINTN)_PCD_PATCHABLE_%s_SIZE, (SizeOfBuffer), (Buffer))\n' % (SetModeStatusName, Pcd.TokenCName, Pcd.TokenCName, Pcd.TokenCName))
1194 else:
1195 AutoGenH.Append('#define %s(Value) (%s = (Value))\n' % (SetModeName, PcdVariableName))
1196 AutoGenH.Append('#define %s(Value) ((%s = (Value)), RETURN_SUCCESS) \n' % (SetModeStatusName, PcdVariableName))
1197 else:
1198 AutoGenH.Append('//#define %s ASSERT(FALSE) // It is not allowed to set value for a FIXED_AT_BUILD PCD\n' % SetModeName)
1199
1200 ## Create code for library module PCDs
1201 #
1202 # @param Info The ModuleAutoGen object
1203 # @param AutoGenC The TemplateString object for C code
1204 # @param AutoGenH The TemplateString object for header file
1205 # @param Pcd The PCD object
1206 #
1207 def CreateLibraryPcdCode(Info, AutoGenC, AutoGenH, Pcd):
1208 PcdTokenNumber = Info.PlatformInfo.PcdTokenNumber
1209 TokenSpaceGuidCName = Pcd.TokenSpaceGuidCName
1210 TokenCName = Pcd.TokenCName
1211 for PcdItem in GlobalData.MixedPcd:
1212 if (TokenCName, TokenSpaceGuidCName) in GlobalData.MixedPcd[PcdItem]:
1213 TokenCName = PcdItem[0]
1214 break
1215 PcdTokenName = '_PCD_TOKEN_' + TokenCName
1216 FixPcdSizeTokenName = '_PCD_SIZE_' + TokenCName
1217 PatchPcdSizeTokenName = '_PCD_PATCHABLE_' + TokenCName +'_SIZE'
1218 PatchPcdSizeVariableName = '_gPcd_BinaryPatch_Size_' + TokenCName
1219 PatchPcdMaxSizeVariable = '_gPcd_BinaryPatch_MaxSize_' + TokenCName
1220 FixedPcdSizeVariableName = '_gPcd_FixedAtBuild_Size_' + TokenCName
1221
1222 if Pcd.PcdValueFromComm:
1223 Pcd.DefaultValue = Pcd.PcdValueFromComm
1224 #
1225 # Write PCDs
1226 #
1227 if Pcd.Type in gDynamicExPcd:
1228 TokenNumber = int(Pcd.TokenValue, 0)
1229 else:
1230 if (Pcd.TokenCName, Pcd.TokenSpaceGuidCName) not in PcdTokenNumber:
1231 # If one of the Source built modules listed in the DSC is not listed in FDF modules,
1232 # and the INF lists a PCD can only use the PcdsDynamic access method (it is only
1233 # listed in the DEC file that declares the PCD as PcdsDynamic), then build tool will
1234 # report warning message notify the PI that they are attempting to build a module
1235 # that must be included in a flash image in order to be functional. These Dynamic PCD
1236 # will not be added into the Database unless it is used by other modules that are
1237 # included in the FDF file.
1238 # In this case, just assign an invalid token number to make it pass build.
1239 if Pcd.Type in PCD_DYNAMIC_TYPE_LIST:
1240 TokenNumber = 0
1241 else:
1242 EdkLogger.error("build", AUTOGEN_ERROR,
1243 "No generated token number for %s.%s\n" % (Pcd.TokenSpaceGuidCName, TokenCName),
1244 ExtraData="[%s]" % str(Info))
1245 else:
1246 TokenNumber = PcdTokenNumber[Pcd.TokenCName, Pcd.TokenSpaceGuidCName]
1247
1248 if Pcd.Type not in gItemTypeStringDatabase:
1249 EdkLogger.error("build", AUTOGEN_ERROR,
1250 "Unknown PCD type [%s] of PCD %s.%s" % (Pcd.Type, Pcd.TokenSpaceGuidCName, TokenCName),
1251 ExtraData="[%s]" % str(Info))
1252
1253 DatumType = Pcd.DatumType
1254 DatumSize = gDatumSizeStringDatabase[Pcd.DatumType] if Pcd.DatumType in gDatumSizeStringDatabase else gDatumSizeStringDatabase['VOID*']
1255 DatumSizeLib = gDatumSizeStringDatabaseLib[Pcd.DatumType] if Pcd.DatumType in gDatumSizeStringDatabaseLib else gDatumSizeStringDatabaseLib['VOID*']
1256 GetModeName = '_PCD_GET_MODE_' + gDatumSizeStringDatabaseH[Pcd.DatumType] + '_' + TokenCName if Pcd.DatumType in gDatumSizeStringDatabaseH else '_PCD_GET_MODE_' + gDatumSizeStringDatabaseH['VOID*'] + '_' + TokenCName
1257 SetModeName = '_PCD_SET_MODE_' + gDatumSizeStringDatabaseH[Pcd.DatumType] + '_' + TokenCName if Pcd.DatumType in gDatumSizeStringDatabaseH else '_PCD_SET_MODE_' + gDatumSizeStringDatabaseH['VOID*'] + '_' + TokenCName
1258 SetModeStatusName = '_PCD_SET_MODE_' + gDatumSizeStringDatabaseH[Pcd.DatumType] + '_S_' + TokenCName if Pcd.DatumType in gDatumSizeStringDatabaseH else '_PCD_SET_MODE_' + gDatumSizeStringDatabaseH['VOID*'] + '_S_' + TokenCName
1259 GetModeSizeName = '_PCD_GET_MODE_SIZE' + '_' + TokenCName
1260
1261 Type = ''
1262 Array = ''
1263 if Pcd.DatumType not in _NumericDataTypesList:
1264 if Pcd.DefaultValue[0]== '{':
1265 Type = '(VOID *)'
1266 Array = '[]'
1267 PcdItemType = Pcd.Type
1268 PcdExCNameList = []
1269 if PcdItemType in gDynamicExPcd:
1270 PcdExTokenName = '_PCD_TOKEN_' + TokenSpaceGuidCName + '_' + TokenCName
1271 AutoGenH.Append('\n#define %s %dU\n' % (PcdExTokenName, TokenNumber))
1272
1273 if Info.IsLibrary:
1274 PcdList = Info.LibraryPcdList
1275 else:
1276 PcdList = Info.ModulePcdList
1277 for PcdModule in PcdList:
1278 if PcdModule.Type in gDynamicExPcd:
1279 PcdExCNameList.append(PcdModule.TokenCName)
1280 # Be compatible with the current code which using PcdGet/Set for DynamicEx Pcd.
1281 # If only PcdGet/Set used in all Pcds with different CName, it should succeed to build.
1282 # If PcdGet/Set used in the Pcds with different Guids but same CName, it should failed to build.
1283 if PcdExCNameList.count(Pcd.TokenCName) > 1:
1284 AutoGenH.Append('// Disabled the macros, as PcdToken and PcdGet/Set are not allowed in the case that more than one DynamicEx Pcds are different Guids but same CName.\n')
1285 AutoGenH.Append('// #define %s %s\n' % (PcdTokenName, PcdExTokenName))
1286 AutoGenH.Append('// #define %s LibPcdGetEx%s(&%s, %s)\n' % (GetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
1287 AutoGenH.Append('// #define %s LibPcdGetExSize(&%s, %s)\n' % (GetModeSizeName,Pcd.TokenSpaceGuidCName, PcdTokenName))
1288 if Pcd.DatumType not in _NumericDataTypesList:
1289 AutoGenH.Append('// #define %s(SizeOfBuffer, Buffer) LibPcdSetEx%s(&%s, %s, (SizeOfBuffer), (Buffer))\n' % (SetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
1290 AutoGenH.Append('// #define %s(SizeOfBuffer, Buffer) LibPcdSetEx%sS(&%s, %s, (SizeOfBuffer), (Buffer))\n' % (SetModeStatusName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
1291 else:
1292 AutoGenH.Append('// #define %s(Value) LibPcdSetEx%s(&%s, %s, (Value))\n' % (SetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
1293 AutoGenH.Append('// #define %s(Value) LibPcdSetEx%sS(&%s, %s, (Value))\n' % (SetModeStatusName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
1294 else:
1295 AutoGenH.Append('#define %s %s\n' % (PcdTokenName, PcdExTokenName))
1296 AutoGenH.Append('#define %s LibPcdGetEx%s(&%s, %s)\n' % (GetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
1297 AutoGenH.Append('#define %s LibPcdGetExSize(&%s, %s)\n' % (GetModeSizeName,Pcd.TokenSpaceGuidCName, PcdTokenName))
1298 if Pcd.DatumType not in _NumericDataTypesList:
1299 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPcdSetEx%s(&%s, %s, (SizeOfBuffer), (Buffer))\n' % (SetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
1300 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPcdSetEx%sS(&%s, %s, (SizeOfBuffer), (Buffer))\n' % (SetModeStatusName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
1301 else:
1302 AutoGenH.Append('#define %s(Value) LibPcdSetEx%s(&%s, %s, (Value))\n' % (SetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
1303 AutoGenH.Append('#define %s(Value) LibPcdSetEx%sS(&%s, %s, (Value))\n' % (SetModeStatusName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
1304 else:
1305 AutoGenH.Append('#define _PCD_TOKEN_%s %dU\n' % (TokenCName, TokenNumber))
1306 if PcdItemType in gDynamicPcd:
1307 PcdList = []
1308 PcdCNameList = []
1309 PcdList.extend(Info.LibraryPcdList)
1310 PcdList.extend(Info.ModulePcdList)
1311 for PcdModule in PcdList:
1312 if PcdModule.Type in gDynamicPcd:
1313 PcdCNameList.append(PcdModule.TokenCName)
1314 if PcdCNameList.count(Pcd.TokenCName) > 1:
1315 EdkLogger.error("build", AUTOGEN_ERROR, "More than one Dynamic Pcds [%s] are different Guids but same CName.They need to be changed to DynamicEx type to avoid the confliction.\n" % (TokenCName), ExtraData="[%s]" % str(Info.MetaFile.Path))
1316 else:
1317 AutoGenH.Append('#define %s LibPcdGet%s(%s)\n' % (GetModeName, DatumSizeLib, PcdTokenName))
1318 AutoGenH.Append('#define %s LibPcdGetSize(%s)\n' % (GetModeSizeName, PcdTokenName))
1319 if DatumType not in _NumericDataTypesList:
1320 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPcdSet%s(%s, (SizeOfBuffer), (Buffer))\n' %(SetModeName, DatumSizeLib, PcdTokenName))
1321 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPcdSet%sS(%s, (SizeOfBuffer), (Buffer))\n' % (SetModeStatusName, DatumSizeLib, PcdTokenName))
1322 else:
1323 AutoGenH.Append('#define %s(Value) LibPcdSet%s(%s, (Value))\n' % (SetModeName, DatumSizeLib, PcdTokenName))
1324 AutoGenH.Append('#define %s(Value) LibPcdSet%sS(%s, (Value))\n' % (SetModeStatusName, DatumSizeLib, PcdTokenName))
1325 if PcdItemType == TAB_PCDS_PATCHABLE_IN_MODULE:
1326 GetModeMaxSizeName = '_PCD_GET_MODE_MAXSIZE' + '_' + TokenCName
1327 PcdVariableName = '_gPcd_' + gItemTypeStringDatabase[TAB_PCDS_PATCHABLE_IN_MODULE] + '_' + TokenCName
1328 if DatumType not in _NumericDataTypesList:
1329 if DatumType == 'VOID*' and Array == '[]':
1330 DatumType = ['UINT8', 'UINT16'][Pcd.DefaultValue[0] == 'L']
1331 else:
1332 DatumType = 'UINT8'
1333 AutoGenH.Append('extern %s _gPcd_BinaryPatch_%s%s;\n' %(DatumType, TokenCName, Array))
1334 else:
1335 AutoGenH.Append('extern volatile %s %s%s;\n' % (DatumType, PcdVariableName, Array))
1336 AutoGenH.Append('#define %s %s_gPcd_BinaryPatch_%s\n' %(GetModeName, Type, TokenCName))
1337 PcdDataSize = GetPcdSize(Pcd)
1338 if Pcd.DatumType not in _NumericDataTypesList:
1339 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPatchPcdSetPtrAndSize((VOID *)_gPcd_BinaryPatch_%s, &%s, %s, (SizeOfBuffer), (Buffer))\n' % (SetModeName, TokenCName, PatchPcdSizeVariableName, PatchPcdMaxSizeVariable))
1340 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPatchPcdSetPtrAndSizeS((VOID *)_gPcd_BinaryPatch_%s, &%s, %s, (SizeOfBuffer), (Buffer))\n' % (SetModeStatusName, TokenCName, PatchPcdSizeVariableName, PatchPcdMaxSizeVariable))
1341 AutoGenH.Append('#define %s %s\n' % (GetModeMaxSizeName, PatchPcdMaxSizeVariable))
1342 AutoGenH.Append('extern const UINTN %s; \n' % PatchPcdMaxSizeVariable)
1343 else:
1344 AutoGenH.Append('#define %s(Value) (%s = (Value))\n' % (SetModeName, PcdVariableName))
1345 AutoGenH.Append('#define %s(Value) ((%s = (Value)), RETURN_SUCCESS)\n' % (SetModeStatusName, PcdVariableName))
1346 AutoGenH.Append('#define %s %s\n' % (PatchPcdSizeTokenName, PcdDataSize))
1347
1348 AutoGenH.Append('#define %s %s\n' % (GetModeSizeName,PatchPcdSizeVariableName))
1349 AutoGenH.Append('extern UINTN %s; \n' % PatchPcdSizeVariableName)
1350
1351 if PcdItemType == TAB_PCDS_FIXED_AT_BUILD or PcdItemType == TAB_PCDS_FEATURE_FLAG:
1352 key = ".".join((Pcd.TokenSpaceGuidCName,Pcd.TokenCName))
1353 PcdVariableName = '_gPcd_' + gItemTypeStringDatabase[Pcd.Type] + '_' + TokenCName
1354 if DatumType == 'VOID*' and Array == '[]':
1355 DatumType = ['UINT8', 'UINT16'][Pcd.DefaultValue[0] == 'L']
1356 if DatumType not in ['UINT8', 'UINT16', 'UINT32', 'UINT64', 'BOOLEAN', 'VOID*']:
1357 DatumType = 'UINT8'
1358 AutoGenH.Append('extern const %s _gPcd_FixedAtBuild_%s%s;\n' %(DatumType, TokenCName, Array))
1359 AutoGenH.Append('#define %s %s_gPcd_FixedAtBuild_%s\n' %(GetModeName, Type, TokenCName))
1360 AutoGenH.Append('//#define %s ASSERT(FALSE) // It is not allowed to set value for a FIXED_AT_BUILD PCD\n' % SetModeName)
1361
1362 ConstFixedPcd = False
1363 if PcdItemType == TAB_PCDS_FIXED_AT_BUILD and (key in Info.ConstPcd or (Info.IsLibrary and not Info._ReferenceModules)):
1364 ConstFixedPcd = True
1365 if key in Info.ConstPcd:
1366 Pcd.DefaultValue = Info.ConstPcd[key]
1367 if Pcd.DatumType not in _NumericDataTypesList:
1368 AutoGenH.Append('#define _PCD_VALUE_%s %s%s\n' %(TokenCName, Type, PcdVariableName))
1369 else:
1370 AutoGenH.Append('#define _PCD_VALUE_%s %s\n' %(TokenCName, Pcd.DefaultValue))
1371 PcdDataSize = GetPcdSize(Pcd)
1372 if PcdItemType == TAB_PCDS_FIXED_AT_BUILD:
1373 if Pcd.DatumType not in _NumericDataTypesList:
1374 if ConstFixedPcd:
1375 AutoGenH.Append('#define %s %s\n' % (FixPcdSizeTokenName, PcdDataSize))
1376 AutoGenH.Append('#define %s %s\n' % (GetModeSizeName,FixPcdSizeTokenName))
1377 else:
1378 AutoGenH.Append('#define %s %s\n' % (GetModeSizeName,FixedPcdSizeVariableName))
1379 AutoGenH.Append('#define %s %s\n' % (FixPcdSizeTokenName,FixedPcdSizeVariableName))
1380 AutoGenH.Append('extern const UINTN %s; \n' % FixedPcdSizeVariableName)
1381 else:
1382 AutoGenH.Append('#define %s %s\n' % (FixPcdSizeTokenName, PcdDataSize))
1383 AutoGenH.Append('#define %s %s\n' % (GetModeSizeName,FixPcdSizeTokenName))
1384
1385 ## Create code for library constructor
1386 #
1387 # @param Info The ModuleAutoGen object
1388 # @param AutoGenC The TemplateString object for C code
1389 # @param AutoGenH The TemplateString object for header file
1390 #
1391 def CreateLibraryConstructorCode(Info, AutoGenC, AutoGenH):
1392 #
1393 # Library Constructors
1394 #
1395 ConstructorPrototypeString = TemplateString()
1396 ConstructorCallingString = TemplateString()
1397 if Info.IsLibrary:
1398 DependentLibraryList = [Info.Module]
1399 else:
1400 DependentLibraryList = Info.DependentLibraryList
1401 for Lib in DependentLibraryList:
1402 if len(Lib.ConstructorList) <= 0:
1403 continue
1404 Dict = {'Function':Lib.ConstructorList}
1405 if Lib.ModuleType in ['BASE', 'SEC']:
1406 ConstructorPrototypeString.Append(gLibraryStructorPrototype['BASE'].Replace(Dict))
1407 ConstructorCallingString.Append(gLibraryStructorCall['BASE'].Replace(Dict))
1408 elif Lib.ModuleType in ['PEI_CORE','PEIM']:
1409 ConstructorPrototypeString.Append(gLibraryStructorPrototype['PEI'].Replace(Dict))
1410 ConstructorCallingString.Append(gLibraryStructorCall['PEI'].Replace(Dict))
1411 elif Lib.ModuleType in ['DXE_CORE','DXE_DRIVER','DXE_SMM_DRIVER','DXE_RUNTIME_DRIVER',
1412 'DXE_SAL_DRIVER','UEFI_DRIVER','UEFI_APPLICATION','SMM_CORE']:
1413 ConstructorPrototypeString.Append(gLibraryStructorPrototype['DXE'].Replace(Dict))
1414 ConstructorCallingString.Append(gLibraryStructorCall['DXE'].Replace(Dict))
1415 elif Lib.ModuleType in ['MM_STANDALONE','MM_CORE_STANDALONE']:
1416 ConstructorPrototypeString.Append(gLibraryStructorPrototype['MM'].Replace(Dict))
1417 ConstructorCallingString.Append(gLibraryStructorCall['MM'].Replace(Dict))
1418
1419 if str(ConstructorPrototypeString) == '':
1420 ConstructorPrototypeList = []
1421 else:
1422 ConstructorPrototypeList = [str(ConstructorPrototypeString)]
1423 if str(ConstructorCallingString) == '':
1424 ConstructorCallingList = []
1425 else:
1426 ConstructorCallingList = [str(ConstructorCallingString)]
1427
1428 Dict = {
1429 'Type' : 'Constructor',
1430 'FunctionPrototype' : ConstructorPrototypeList,
1431 'FunctionCall' : ConstructorCallingList
1432 }
1433 if Info.IsLibrary:
1434 AutoGenH.Append("${BEGIN}${FunctionPrototype}${END}", Dict)
1435 else:
1436 if Info.ModuleType in ['BASE', 'SEC']:
1437 AutoGenC.Append(gLibraryString['BASE'].Replace(Dict))
1438 elif Info.ModuleType in ['PEI_CORE','PEIM']:
1439 AutoGenC.Append(gLibraryString['PEI'].Replace(Dict))
1440 elif Info.ModuleType in ['DXE_CORE','DXE_DRIVER','DXE_SMM_DRIVER','DXE_RUNTIME_DRIVER',
1441 'DXE_SAL_DRIVER','UEFI_DRIVER','UEFI_APPLICATION','SMM_CORE']:
1442 AutoGenC.Append(gLibraryString['DXE'].Replace(Dict))
1443 elif Info.ModuleType in ['MM_STANDALONE','MM_CORE_STANDALONE']:
1444 AutoGenC.Append(gLibraryString['MM'].Replace(Dict))
1445
1446 ## Create code for library destructor
1447 #
1448 # @param Info The ModuleAutoGen object
1449 # @param AutoGenC The TemplateString object for C code
1450 # @param AutoGenH The TemplateString object for header file
1451 #
1452 def CreateLibraryDestructorCode(Info, AutoGenC, AutoGenH):
1453 #
1454 # Library Destructors
1455 #
1456 DestructorPrototypeString = TemplateString()
1457 DestructorCallingString = TemplateString()
1458 if Info.IsLibrary:
1459 DependentLibraryList = [Info.Module]
1460 else:
1461 DependentLibraryList = Info.DependentLibraryList
1462 for Index in range(len(DependentLibraryList)-1, -1, -1):
1463 Lib = DependentLibraryList[Index]
1464 if len(Lib.DestructorList) <= 0:
1465 continue
1466 Dict = {'Function':Lib.DestructorList}
1467 if Lib.ModuleType in ['BASE', 'SEC']:
1468 DestructorPrototypeString.Append(gLibraryStructorPrototype['BASE'].Replace(Dict))
1469 DestructorCallingString.Append(gLibraryStructorCall['BASE'].Replace(Dict))
1470 elif Lib.ModuleType in ['PEI_CORE','PEIM']:
1471 DestructorPrototypeString.Append(gLibraryStructorPrototype['PEI'].Replace(Dict))
1472 DestructorCallingString.Append(gLibraryStructorCall['PEI'].Replace(Dict))
1473 elif Lib.ModuleType in ['DXE_CORE','DXE_DRIVER','DXE_SMM_DRIVER','DXE_RUNTIME_DRIVER',
1474 'DXE_SAL_DRIVER','UEFI_DRIVER','UEFI_APPLICATION', 'SMM_CORE']:
1475 DestructorPrototypeString.Append(gLibraryStructorPrototype['DXE'].Replace(Dict))
1476 DestructorCallingString.Append(gLibraryStructorCall['DXE'].Replace(Dict))
1477 elif Lib.ModuleType in ['MM_STANDALONE','MM_CORE_STANDALONE']:
1478 DestructorPrototypeString.Append(gLibraryStructorPrototype['MM'].Replace(Dict))
1479 DestructorCallingString.Append(gLibraryStructorCall['MM'].Replace(Dict))
1480
1481 if str(DestructorPrototypeString) == '':
1482 DestructorPrototypeList = []
1483 else:
1484 DestructorPrototypeList = [str(DestructorPrototypeString)]
1485 if str(DestructorCallingString) == '':
1486 DestructorCallingList = []
1487 else:
1488 DestructorCallingList = [str(DestructorCallingString)]
1489
1490 Dict = {
1491 'Type' : 'Destructor',
1492 'FunctionPrototype' : DestructorPrototypeList,
1493 'FunctionCall' : DestructorCallingList
1494 }
1495 if Info.IsLibrary:
1496 AutoGenH.Append("${BEGIN}${FunctionPrototype}${END}", Dict)
1497 else:
1498 if Info.ModuleType in ['BASE', 'SEC']:
1499 AutoGenC.Append(gLibraryString['BASE'].Replace(Dict))
1500 elif Info.ModuleType in ['PEI_CORE','PEIM']:
1501 AutoGenC.Append(gLibraryString['PEI'].Replace(Dict))
1502 elif Info.ModuleType in ['DXE_CORE','DXE_DRIVER','DXE_SMM_DRIVER','DXE_RUNTIME_DRIVER',
1503 'DXE_SAL_DRIVER','UEFI_DRIVER','UEFI_APPLICATION','SMM_CORE']:
1504 AutoGenC.Append(gLibraryString['DXE'].Replace(Dict))
1505 elif Info.ModuleType in ['MM_STANDALONE','MM_CORE_STANDALONE']:
1506 AutoGenC.Append(gLibraryString['MM'].Replace(Dict))
1507
1508
1509 ## Create code for ModuleEntryPoint
1510 #
1511 # @param Info The ModuleAutoGen object
1512 # @param AutoGenC The TemplateString object for C code
1513 # @param AutoGenH The TemplateString object for header file
1514 #
1515 def CreateModuleEntryPointCode(Info, AutoGenC, AutoGenH):
1516 if Info.IsLibrary or Info.ModuleType in ['USER_DEFINED', 'SEC']:
1517 return
1518 #
1519 # Module Entry Points
1520 #
1521 NumEntryPoints = len(Info.Module.ModuleEntryPointList)
1522 if 'PI_SPECIFICATION_VERSION' in Info.Module.Specification:
1523 PiSpecVersion = Info.Module.Specification['PI_SPECIFICATION_VERSION']
1524 else:
1525 PiSpecVersion = '0x00000000'
1526 if 'UEFI_SPECIFICATION_VERSION' in Info.Module.Specification:
1527 UefiSpecVersion = Info.Module.Specification['UEFI_SPECIFICATION_VERSION']
1528 else:
1529 UefiSpecVersion = '0x00000000'
1530 Dict = {
1531 'Function' : Info.Module.ModuleEntryPointList,
1532 'PiSpecVersion' : PiSpecVersion + 'U',
1533 'UefiSpecVersion': UefiSpecVersion + 'U'
1534 }
1535
1536 if Info.ModuleType in ['PEI_CORE', 'DXE_CORE', 'SMM_CORE', 'MM_CORE_STANDALONE']:
1537 if Info.SourceFileList <> None and Info.SourceFileList <> []:
1538 if NumEntryPoints != 1:
1539 EdkLogger.error(
1540 "build",
1541 AUTOGEN_ERROR,
1542 '%s must have exactly one entry point' % Info.ModuleType,
1543 File=str(Info),
1544 ExtraData= ", ".join(Info.Module.ModuleEntryPointList)
1545 )
1546 if Info.ModuleType == 'PEI_CORE':
1547 AutoGenC.Append(gPeiCoreEntryPointString.Replace(Dict))
1548 AutoGenH.Append(gPeiCoreEntryPointPrototype.Replace(Dict))
1549 elif Info.ModuleType == 'DXE_CORE':
1550 AutoGenC.Append(gDxeCoreEntryPointString.Replace(Dict))
1551 AutoGenH.Append(gDxeCoreEntryPointPrototype.Replace(Dict))
1552 elif Info.ModuleType == 'SMM_CORE':
1553 AutoGenC.Append(gSmmCoreEntryPointString.Replace(Dict))
1554 AutoGenH.Append(gSmmCoreEntryPointPrototype.Replace(Dict))
1555 elif Info.ModuleType == 'MM_CORE_STANDALONE':
1556 AutoGenC.Append(gMmCoreStandaloneEntryPointString.Replace(Dict))
1557 AutoGenH.Append(gMmCoreStandaloneEntryPointPrototype.Replace(Dict))
1558 elif Info.ModuleType == 'PEIM':
1559 if NumEntryPoints < 2:
1560 AutoGenC.Append(gPeimEntryPointString[NumEntryPoints].Replace(Dict))
1561 else:
1562 AutoGenC.Append(gPeimEntryPointString[2].Replace(Dict))
1563 AutoGenH.Append(gPeimEntryPointPrototype.Replace(Dict))
1564 elif Info.ModuleType in ['DXE_RUNTIME_DRIVER','DXE_DRIVER','DXE_SAL_DRIVER','UEFI_DRIVER']:
1565 if NumEntryPoints < 2:
1566 AutoGenC.Append(gUefiDriverEntryPointString[NumEntryPoints].Replace(Dict))
1567 else:
1568 AutoGenC.Append(gUefiDriverEntryPointString[2].Replace(Dict))
1569 AutoGenH.Append(gUefiDriverEntryPointPrototype.Replace(Dict))
1570 elif Info.ModuleType == 'DXE_SMM_DRIVER':
1571 if NumEntryPoints == 0:
1572 AutoGenC.Append(gDxeSmmEntryPointString[0].Replace(Dict))
1573 else:
1574 AutoGenC.Append(gDxeSmmEntryPointString[1].Replace(Dict))
1575 AutoGenH.Append(gDxeSmmEntryPointPrototype.Replace(Dict))
1576 elif Info.ModuleType == 'MM_STANDALONE':
1577 if NumEntryPoints < 2:
1578 AutoGenC.Append(gMmStandaloneEntryPointString[NumEntryPoints].Replace(Dict))
1579 else:
1580 AutoGenC.Append(gMmStandaloneEntryPointString[2].Replace(Dict))
1581 AutoGenH.Append(gMmStandaloneEntryPointPrototype.Replace(Dict))
1582 elif Info.ModuleType == 'UEFI_APPLICATION':
1583 if NumEntryPoints < 2:
1584 AutoGenC.Append(gUefiApplicationEntryPointString[NumEntryPoints].Replace(Dict))
1585 else:
1586 AutoGenC.Append(gUefiApplicationEntryPointString[2].Replace(Dict))
1587 AutoGenH.Append(gUefiApplicationEntryPointPrototype.Replace(Dict))
1588
1589 ## Create code for ModuleUnloadImage
1590 #
1591 # @param Info The ModuleAutoGen object
1592 # @param AutoGenC The TemplateString object for C code
1593 # @param AutoGenH The TemplateString object for header file
1594 #
1595 def CreateModuleUnloadImageCode(Info, AutoGenC, AutoGenH):
1596 if Info.IsLibrary or Info.ModuleType in ['USER_DEFINED', 'SEC']:
1597 return
1598 #
1599 # Unload Image Handlers
1600 #
1601 NumUnloadImage = len(Info.Module.ModuleUnloadImageList)
1602 Dict = {'Count':str(NumUnloadImage) + 'U', 'Function':Info.Module.ModuleUnloadImageList}
1603 if NumUnloadImage < 2:
1604 AutoGenC.Append(gUefiUnloadImageString[NumUnloadImage].Replace(Dict))
1605 else:
1606 AutoGenC.Append(gUefiUnloadImageString[2].Replace(Dict))
1607 AutoGenH.Append(gUefiUnloadImagePrototype.Replace(Dict))
1608
1609 ## Create code for GUID
1610 #
1611 # @param Info The ModuleAutoGen object
1612 # @param AutoGenC The TemplateString object for C code
1613 # @param AutoGenH The TemplateString object for header file
1614 #
1615 def CreateGuidDefinitionCode(Info, AutoGenC, AutoGenH):
1616 if Info.ModuleType in ["USER_DEFINED", "BASE"]:
1617 GuidType = "GUID"
1618 else:
1619 GuidType = "EFI_GUID"
1620
1621 if Info.GuidList:
1622 if not Info.IsLibrary:
1623 AutoGenC.Append("\n// Guids\n")
1624 AutoGenH.Append("\n// Guids\n")
1625 #
1626 # GUIDs
1627 #
1628 for Key in Info.GuidList:
1629 if not Info.IsLibrary:
1630 AutoGenC.Append('GLOBAL_REMOVE_IF_UNREFERENCED %s %s = %s;\n' % (GuidType, Key, Info.GuidList[Key]))
1631 AutoGenH.Append('extern %s %s;\n' % (GuidType, Key))
1632
1633 ## Create code for protocol
1634 #
1635 # @param Info The ModuleAutoGen object
1636 # @param AutoGenC The TemplateString object for C code
1637 # @param AutoGenH The TemplateString object for header file
1638 #
1639 def CreateProtocolDefinitionCode(Info, AutoGenC, AutoGenH):
1640 if Info.ModuleType in ["USER_DEFINED", "BASE"]:
1641 GuidType = "GUID"
1642 else:
1643 GuidType = "EFI_GUID"
1644
1645 if Info.ProtocolList:
1646 if not Info.IsLibrary:
1647 AutoGenC.Append("\n// Protocols\n")
1648 AutoGenH.Append("\n// Protocols\n")
1649 #
1650 # Protocol GUIDs
1651 #
1652 for Key in Info.ProtocolList:
1653 if not Info.IsLibrary:
1654 AutoGenC.Append('GLOBAL_REMOVE_IF_UNREFERENCED %s %s = %s;\n' % (GuidType, Key, Info.ProtocolList[Key]))
1655 AutoGenH.Append('extern %s %s;\n' % (GuidType, Key))
1656
1657 ## Create code for PPI
1658 #
1659 # @param Info The ModuleAutoGen object
1660 # @param AutoGenC The TemplateString object for C code
1661 # @param AutoGenH The TemplateString object for header file
1662 #
1663 def CreatePpiDefinitionCode(Info, AutoGenC, AutoGenH):
1664 if Info.ModuleType in ["USER_DEFINED", "BASE"]:
1665 GuidType = "GUID"
1666 else:
1667 GuidType = "EFI_GUID"
1668
1669 if Info.PpiList:
1670 if not Info.IsLibrary:
1671 AutoGenC.Append("\n// PPIs\n")
1672 AutoGenH.Append("\n// PPIs\n")
1673 #
1674 # PPI GUIDs
1675 #
1676 for Key in Info.PpiList:
1677 if not Info.IsLibrary:
1678 AutoGenC.Append('GLOBAL_REMOVE_IF_UNREFERENCED %s %s = %s;\n' % (GuidType, Key, Info.PpiList[Key]))
1679 AutoGenH.Append('extern %s %s;\n' % (GuidType, Key))
1680
1681 ## Create code for PCD
1682 #
1683 # @param Info The ModuleAutoGen object
1684 # @param AutoGenC The TemplateString object for C code
1685 # @param AutoGenH The TemplateString object for header file
1686 #
1687 def CreatePcdCode(Info, AutoGenC, AutoGenH):
1688
1689 # Collect Token Space GUIDs used by DynamicEc PCDs
1690 TokenSpaceList = []
1691 for Pcd in Info.ModulePcdList:
1692 if Pcd.Type in gDynamicExPcd and Pcd.TokenSpaceGuidCName not in TokenSpaceList:
1693 TokenSpaceList += [Pcd.TokenSpaceGuidCName]
1694
1695 SkuMgr = Info.Workspace.Platform.SkuIdMgr
1696 AutoGenH.Append("\n// Definition of SkuId Array\n")
1697 AutoGenH.Append("extern UINT64 _gPcd_SkuId_Array[];\n")
1698 # Add extern declarations to AutoGen.h if one or more Token Space GUIDs were found
1699 if TokenSpaceList <> []:
1700 AutoGenH.Append("\n// Definition of PCD Token Space GUIDs used in this module\n\n")
1701 if Info.ModuleType in ["USER_DEFINED", "BASE"]:
1702 GuidType = "GUID"
1703 else:
1704 GuidType = "EFI_GUID"
1705 for Item in TokenSpaceList:
1706 AutoGenH.Append('extern %s %s;\n' % (GuidType, Item))
1707
1708 if Info.IsLibrary:
1709 if Info.ModulePcdList:
1710 AutoGenH.Append("\n// PCD definitions\n")
1711 for Pcd in Info.ModulePcdList:
1712 CreateLibraryPcdCode(Info, AutoGenC, AutoGenH, Pcd)
1713 DynExPcdTokenNumberMapping (Info, AutoGenH)
1714 else:
1715 AutoGenC.Append("\n// Definition of SkuId Array\n")
1716 AutoGenC.Append("GLOBAL_REMOVE_IF_UNREFERENCED UINT64 _gPcd_SkuId_Array[] = %s;\n" % SkuMgr.DumpSkuIdArrary())
1717 if Info.ModulePcdList:
1718 AutoGenH.Append("\n// Definition of PCDs used in this module\n")
1719 AutoGenC.Append("\n// Definition of PCDs used in this module\n")
1720 for Pcd in Info.ModulePcdList:
1721 CreateModulePcdCode(Info, AutoGenC, AutoGenH, Pcd)
1722 DynExPcdTokenNumberMapping (Info, AutoGenH)
1723 if Info.LibraryPcdList:
1724 AutoGenH.Append("\n// Definition of PCDs used in libraries is in AutoGen.c\n")
1725 AutoGenC.Append("\n// Definition of PCDs used in libraries\n")
1726 for Pcd in Info.LibraryPcdList:
1727 CreateModulePcdCode(Info, AutoGenC, AutoGenC, Pcd)
1728 CreatePcdDatabaseCode(Info, AutoGenC, AutoGenH)
1729
1730 ## Create code for unicode string definition
1731 #
1732 # @param Info The ModuleAutoGen object
1733 # @param AutoGenC The TemplateString object for C code
1734 # @param AutoGenH The TemplateString object for header file
1735 # @param UniGenCFlag UniString is generated into AutoGen C file when it is set to True
1736 # @param UniGenBinBuffer Buffer to store uni string package data
1737 #
1738 def CreateUnicodeStringCode(Info, AutoGenC, AutoGenH, UniGenCFlag, UniGenBinBuffer):
1739 WorkingDir = os.getcwd()
1740 os.chdir(Info.WorkspaceDir)
1741
1742 IncList = [Info.MetaFile.Dir]
1743 # Get all files under [Sources] section in inf file for EDK-II module
1744 EDK2Module = True
1745 SrcList = [F for F in Info.SourceFileList]
1746 if Info.AutoGenVersion < 0x00010005:
1747 EDK2Module = False
1748 # Get all files under the module directory for EDK-I module
1749 Cwd = os.getcwd()
1750 os.chdir(Info.MetaFile.Dir)
1751 for Root, Dirs, Files in os.walk("."):
1752 if 'CVS' in Dirs:
1753 Dirs.remove('CVS')
1754 if '.svn' in Dirs:
1755 Dirs.remove('.svn')
1756 for File in Files:
1757 File = PathClass(os.path.join(Root, File), Info.MetaFile.Dir)
1758 if File in SrcList:
1759 continue
1760 SrcList.append(File)
1761 os.chdir(Cwd)
1762
1763 if 'BUILD' in Info.BuildOption and Info.BuildOption['BUILD']['FLAGS'].find('-c') > -1:
1764 CompatibleMode = True
1765 else:
1766 CompatibleMode = False
1767
1768 #
1769 # -s is a temporary option dedicated for building .UNI files with ISO 639-2 language codes of EDK Shell in EDK2
1770 #
1771 if 'BUILD' in Info.BuildOption and Info.BuildOption['BUILD']['FLAGS'].find('-s') > -1:
1772 if CompatibleMode:
1773 EdkLogger.error("build", AUTOGEN_ERROR,
1774 "-c and -s build options should be used exclusively",
1775 ExtraData="[%s]" % str(Info))
1776 ShellMode = True
1777 else:
1778 ShellMode = False
1779
1780 #RFC4646 is only for EDKII modules and ISO639-2 for EDK modules
1781 if EDK2Module:
1782 FilterInfo = [EDK2Module] + [Info.PlatformInfo.Platform.RFCLanguages]
1783 else:
1784 FilterInfo = [EDK2Module] + [Info.PlatformInfo.Platform.ISOLanguages]
1785 Header, Code = GetStringFiles(Info.UnicodeFileList, SrcList, IncList, Info.IncludePathList, ['.uni', '.inf'], Info.Name, CompatibleMode, ShellMode, UniGenCFlag, UniGenBinBuffer, FilterInfo)
1786 if CompatibleMode or UniGenCFlag:
1787 AutoGenC.Append("\n//\n//Unicode String Pack Definition\n//\n")
1788 AutoGenC.Append(Code)
1789 AutoGenC.Append("\n")
1790 AutoGenH.Append("\n//\n//Unicode String ID\n//\n")
1791 AutoGenH.Append(Header)
1792 if CompatibleMode or UniGenCFlag:
1793 AutoGenH.Append("\n#define STRING_ARRAY_NAME %sStrings\n" % Info.Name)
1794 os.chdir(WorkingDir)
1795
1796 def CreateIdfFileCode(Info, AutoGenC, StringH, IdfGenCFlag, IdfGenBinBuffer):
1797 if len(Info.IdfFileList) > 0:
1798 ImageFiles = IdfFileClassObject(sorted (Info.IdfFileList))
1799 if ImageFiles.ImageFilesDict:
1800 Index = 1
1801 PaletteIndex = 1
1802 IncList = [Info.MetaFile.Dir]
1803 SrcList = [F for F in Info.SourceFileList]
1804 SkipList = ['.jpg', '.png', '.bmp', '.inf', '.idf']
1805 FileList = GetFileList(SrcList, IncList, SkipList)
1806 ValueStartPtr = 60
1807 StringH.Append("\n//\n//Image ID\n//\n")
1808 ImageInfoOffset = 0
1809 PaletteInfoOffset = 0
1810 ImageBuffer = pack('x')
1811 PaletteBuffer = pack('x')
1812 BufferStr = ''
1813 PaletteStr = ''
1814 FileDict = {}
1815 for Idf in ImageFiles.ImageFilesDict:
1816 if ImageFiles.ImageFilesDict[Idf]:
1817 for FileObj in ImageFiles.ImageFilesDict[Idf]:
1818 for sourcefile in Info.SourceFileList:
1819 if FileObj.FileName == sourcefile.File:
1820 if not sourcefile.Ext.upper() in ['.PNG', '.BMP', '.JPG']:
1821 EdkLogger.error("build", AUTOGEN_ERROR, "The %s's postfix must be one of .bmp, .jpg, .png" % (FileObj.FileName), ExtraData="[%s]" % str(Info))
1822 FileObj.File = sourcefile
1823 break
1824 else:
1825 EdkLogger.error("build", AUTOGEN_ERROR, "The %s in %s is not defined in the driver's [Sources] section" % (FileObj.FileName, Idf), ExtraData="[%s]" % str(Info))
1826
1827 for FileObj in ImageFiles.ImageFilesDict[Idf]:
1828 ID = FileObj.ImageID
1829 File = FileObj.File
1830 if not os.path.exists(File.Path) or not os.path.isfile(File.Path):
1831 EdkLogger.error("build", FILE_NOT_FOUND, ExtraData=File.Path)
1832 SearchImageID (FileObj, FileList)
1833 if FileObj.Referenced:
1834 if (ValueStartPtr - len(DEFINE_STR + ID)) <= 0:
1835 Line = DEFINE_STR + ' ' + ID + ' ' + DecToHexStr(Index, 4) + '\n'
1836 else:
1837 Line = DEFINE_STR + ' ' + ID + ' ' * (ValueStartPtr - len(DEFINE_STR + ID)) + DecToHexStr(Index, 4) + '\n'
1838
1839 if File not in FileDict:
1840 FileDict[File] = Index
1841 else:
1842 DuplicateBlock = pack('B', EFI_HII_IIBT_DUPLICATE)
1843 DuplicateBlock += pack('H', FileDict[File])
1844 ImageBuffer += DuplicateBlock
1845 BufferStr = WriteLine(BufferStr, '// %s: %s: %s' % (DecToHexStr(Index, 4), ID, DecToHexStr(Index, 4)))
1846 TempBufferList = AscToHexList(DuplicateBlock)
1847 BufferStr = WriteLine(BufferStr, CreateArrayItem(TempBufferList, 16) + '\n')
1848 StringH.Append(Line)
1849 Index += 1
1850 continue
1851
1852 TmpFile = open(File.Path, 'rb')
1853 Buffer = TmpFile.read()
1854 TmpFile.close()
1855 if File.Ext.upper() == '.PNG':
1856 TempBuffer = pack('B', EFI_HII_IIBT_IMAGE_PNG)
1857 TempBuffer += pack('I', len(Buffer))
1858 TempBuffer += Buffer
1859 elif File.Ext.upper() == '.JPG':
1860 ImageType, = struct.unpack('4s', Buffer[6:10])
1861 if ImageType != 'JFIF':
1862 EdkLogger.error("build", FILE_TYPE_MISMATCH, "The file %s is not a standard JPG file." % File.Path)
1863 TempBuffer = pack('B', EFI_HII_IIBT_IMAGE_JPEG)
1864 TempBuffer += pack('I', len(Buffer))
1865 TempBuffer += Buffer
1866 elif File.Ext.upper() == '.BMP':
1867 TempBuffer, TempPalette = BmpImageDecoder(File, Buffer, PaletteIndex, FileObj.TransParent)
1868 if len(TempPalette) > 1:
1869 PaletteIndex += 1
1870 NewPalette = pack('H', len(TempPalette))
1871 NewPalette += TempPalette
1872 PaletteBuffer += NewPalette
1873 PaletteStr = WriteLine(PaletteStr, '// %s: %s: %s' % (DecToHexStr(PaletteIndex - 1, 4), ID, DecToHexStr(PaletteIndex - 1, 4)))
1874 TempPaletteList = AscToHexList(NewPalette)
1875 PaletteStr = WriteLine(PaletteStr, CreateArrayItem(TempPaletteList, 16) + '\n')
1876 ImageBuffer += TempBuffer
1877 BufferStr = WriteLine(BufferStr, '// %s: %s: %s' % (DecToHexStr(Index, 4), ID, DecToHexStr(Index, 4)))
1878 TempBufferList = AscToHexList(TempBuffer)
1879 BufferStr = WriteLine(BufferStr, CreateArrayItem(TempBufferList, 16) + '\n')
1880
1881 StringH.Append(Line)
1882 Index += 1
1883
1884 BufferStr = WriteLine(BufferStr, '// End of the Image Info')
1885 BufferStr = WriteLine(BufferStr, CreateArrayItem(DecToHexList(EFI_HII_IIBT_END, 2)) + '\n')
1886 ImageEnd = pack('B', EFI_HII_IIBT_END)
1887 ImageBuffer += ImageEnd
1888
1889 if len(ImageBuffer) > 1:
1890 ImageInfoOffset = 12
1891 if len(PaletteBuffer) > 1:
1892 PaletteInfoOffset = 12 + len(ImageBuffer) - 1 # -1 is for the first empty pad byte of ImageBuffer
1893
1894 IMAGE_PACKAGE_HDR = pack('=II', ImageInfoOffset, PaletteInfoOffset)
1895 # PACKAGE_HEADER_Length = PACKAGE_HEADER + ImageInfoOffset + PaletteInfoOffset + ImageBuffer Length + PaletteCount + PaletteBuffer Length
1896 if len(PaletteBuffer) > 1:
1897 PACKAGE_HEADER_Length = 4 + 4 + 4 + len(ImageBuffer) - 1 + 2 + len(PaletteBuffer) - 1
1898 else:
1899 PACKAGE_HEADER_Length = 4 + 4 + 4 + len(ImageBuffer) - 1
1900 if PaletteIndex > 1:
1901 PALETTE_INFO_HEADER = pack('H', PaletteIndex - 1)
1902 # EFI_HII_PACKAGE_HEADER length max value is 0xFFFFFF
1903 Hex_Length = '%06X' % PACKAGE_HEADER_Length
1904 if PACKAGE_HEADER_Length > 0xFFFFFF:
1905 EdkLogger.error("build", AUTOGEN_ERROR, "The Length of EFI_HII_PACKAGE_HEADER exceed its maximum value", ExtraData="[%s]" % str(Info))
1906 PACKAGE_HEADER = pack('=HBB', int('0x' + Hex_Length[2:], 16), int('0x' + Hex_Length[0:2], 16), EFI_HII_PACKAGE_IMAGES)
1907
1908 IdfGenBinBuffer.write(PACKAGE_HEADER)
1909 IdfGenBinBuffer.write(IMAGE_PACKAGE_HDR)
1910 if len(ImageBuffer) > 1 :
1911 IdfGenBinBuffer.write(ImageBuffer[1:])
1912 if PaletteIndex > 1:
1913 IdfGenBinBuffer.write(PALETTE_INFO_HEADER)
1914 if len(PaletteBuffer) > 1:
1915 IdfGenBinBuffer.write(PaletteBuffer[1:])
1916
1917 if IdfGenCFlag:
1918 TotalLength = EFI_HII_ARRAY_SIZE_LENGTH + PACKAGE_HEADER_Length
1919 AutoGenC.Append("\n//\n//Image Pack Definition\n//\n")
1920 AllStr = WriteLine('', CHAR_ARRAY_DEFIN + ' ' + Info.Module.BaseName + 'Images' + '[] = {\n')
1921 AllStr = WriteLine(AllStr, '// STRGATHER_OUTPUT_HEADER')
1922 AllStr = WriteLine(AllStr, CreateArrayItem(DecToHexList(TotalLength)) + '\n')
1923 AllStr = WriteLine(AllStr, '// Image PACKAGE HEADER\n')
1924 IMAGE_PACKAGE_HDR_List = AscToHexList(PACKAGE_HEADER)
1925 IMAGE_PACKAGE_HDR_List += AscToHexList(IMAGE_PACKAGE_HDR)
1926 AllStr = WriteLine(AllStr, CreateArrayItem(IMAGE_PACKAGE_HDR_List, 16) + '\n')
1927 AllStr = WriteLine(AllStr, '// Image DATA\n')
1928 if BufferStr:
1929 AllStr = WriteLine(AllStr, BufferStr)
1930 if PaletteStr:
1931 AllStr = WriteLine(AllStr, '// Palette Header\n')
1932 PALETTE_INFO_HEADER_List = AscToHexList(PALETTE_INFO_HEADER)
1933 AllStr = WriteLine(AllStr, CreateArrayItem(PALETTE_INFO_HEADER_List, 16) + '\n')
1934 AllStr = WriteLine(AllStr, '// Palette Data\n')
1935 AllStr = WriteLine(AllStr, PaletteStr)
1936 AllStr = WriteLine(AllStr, '};')
1937 AutoGenC.Append(AllStr)
1938 AutoGenC.Append("\n")
1939 StringH.Append('\nextern unsigned char ' + Info.Module.BaseName + 'Images[];\n')
1940 StringH.Append("\n#define IMAGE_ARRAY_NAME %sImages\n" % Info.Module.BaseName)
1941
1942 # typedef struct _EFI_HII_IMAGE_PACKAGE_HDR {
1943 # EFI_HII_PACKAGE_HEADER Header; # Standard package header, where Header.Type = EFI_HII_PACKAGE_IMAGES
1944 # UINT32 ImageInfoOffset;
1945 # UINT32 PaletteInfoOffset;
1946 # } EFI_HII_IMAGE_PACKAGE_HDR;
1947
1948 # typedef struct {
1949 # UINT32 Length:24;
1950 # UINT32 Type:8;
1951 # UINT8 Data[];
1952 # } EFI_HII_PACKAGE_HEADER;
1953
1954 # typedef struct _EFI_HII_IMAGE_BLOCK {
1955 # UINT8 BlockType;
1956 # UINT8 BlockBody[];
1957 # } EFI_HII_IMAGE_BLOCK;
1958
1959 def BmpImageDecoder(File, Buffer, PaletteIndex, TransParent):
1960 ImageType, = struct.unpack('2s', Buffer[0:2])
1961 if ImageType!= 'BM': # BMP file type is 'BM'
1962 EdkLogger.error("build", FILE_TYPE_MISMATCH, "The file %s is not a standard BMP file." % File.Path)
1963 BMP_IMAGE_HEADER = collections.namedtuple('BMP_IMAGE_HEADER', ['bfSize','bfReserved1','bfReserved2','bfOffBits','biSize','biWidth','biHeight','biPlanes','biBitCount', 'biCompression', 'biSizeImage','biXPelsPerMeter','biYPelsPerMeter','biClrUsed','biClrImportant'])
1964 BMP_IMAGE_HEADER_STRUCT = struct.Struct('IHHIIIIHHIIIIII')
1965 BmpHeader = BMP_IMAGE_HEADER._make(BMP_IMAGE_HEADER_STRUCT.unpack_from(Buffer[2:]))
1966 #
1967 # Doesn't support compress.
1968 #
1969 if BmpHeader.biCompression != 0:
1970 EdkLogger.error("build", FORMAT_NOT_SUPPORTED, "The compress BMP file %s is not support." % File.Path)
1971
1972 # The Width and Height is UINT16 type in Image Package
1973 if BmpHeader.biWidth > 0xFFFF:
1974 EdkLogger.error("build", FORMAT_NOT_SUPPORTED, "The BMP file %s Width is exceed 0xFFFF." % File.Path)
1975 if BmpHeader.biHeight > 0xFFFF:
1976 EdkLogger.error("build", FORMAT_NOT_SUPPORTED, "The BMP file %s Height is exceed 0xFFFF." % File.Path)
1977
1978 PaletteBuffer = pack('x')
1979 if BmpHeader.biBitCount == 1:
1980 if TransParent:
1981 ImageBuffer = pack('B', EFI_HII_IIBT_IMAGE_1BIT_TRANS)
1982 else:
1983 ImageBuffer = pack('B', EFI_HII_IIBT_IMAGE_1BIT)
1984 ImageBuffer += pack('B', PaletteIndex)
1985 Width = (BmpHeader.biWidth + 7)/8
1986 if BmpHeader.bfOffBits > BMP_IMAGE_HEADER_STRUCT.size + 2:
1987 PaletteBuffer = Buffer[BMP_IMAGE_HEADER_STRUCT.size + 2 : BmpHeader.bfOffBits]
1988 elif BmpHeader.biBitCount == 4:
1989 if TransParent:
1990 ImageBuffer = pack('B', EFI_HII_IIBT_IMAGE_4BIT_TRANS)
1991 else:
1992 ImageBuffer = pack('B', EFI_HII_IIBT_IMAGE_4BIT)
1993 ImageBuffer += pack('B', PaletteIndex)
1994 Width = (BmpHeader.biWidth + 1)/2
1995 if BmpHeader.bfOffBits > BMP_IMAGE_HEADER_STRUCT.size + 2:
1996 PaletteBuffer = Buffer[BMP_IMAGE_HEADER_STRUCT.size + 2 : BmpHeader.bfOffBits]
1997 elif BmpHeader.biBitCount == 8:
1998 if TransParent:
1999 ImageBuffer = pack('B', EFI_HII_IIBT_IMAGE_8BIT_TRANS)
2000 else:
2001 ImageBuffer = pack('B', EFI_HII_IIBT_IMAGE_8BIT)
2002 ImageBuffer += pack('B', PaletteIndex)
2003 Width = BmpHeader.biWidth
2004 if BmpHeader.bfOffBits > BMP_IMAGE_HEADER_STRUCT.size + 2:
2005 PaletteBuffer = Buffer[BMP_IMAGE_HEADER_STRUCT.size + 2 : BmpHeader.bfOffBits]
2006 elif BmpHeader.biBitCount == 24:
2007 if TransParent:
2008 ImageBuffer = pack('B', EFI_HII_IIBT_IMAGE_24BIT_TRANS)
2009 else:
2010 ImageBuffer = pack('B', EFI_HII_IIBT_IMAGE_24BIT)
2011 Width = BmpHeader.biWidth * 3
2012 else:
2013 EdkLogger.error("build", FORMAT_NOT_SUPPORTED, "Only support the 1 bit, 4 bit, 8bit, 24 bit BMP files.", ExtraData="[%s]" % str(File.Path))
2014
2015 ImageBuffer += pack('H', BmpHeader.biWidth)
2016 ImageBuffer += pack('H', BmpHeader.biHeight)
2017 Start = BmpHeader.bfOffBits
2018 End = BmpHeader.bfSize - 1
2019 for Height in range(0, BmpHeader.biHeight):
2020 if Width % 4 != 0:
2021 Start = End + (Width % 4) - 4 - Width
2022 else:
2023 Start = End - Width
2024 ImageBuffer += Buffer[Start + 1 : Start + Width + 1]
2025 End = Start
2026
2027 # handle the Palette info, BMP use 4 bytes for R, G, B and Reserved info while EFI_HII_RGB_PIXEL only have the R, G, B info
2028 if PaletteBuffer and len(PaletteBuffer) > 1:
2029 PaletteTemp = pack('x')
2030 for Index in range(0, len(PaletteBuffer)):
2031 if Index % 4 == 3:
2032 continue
2033 PaletteTemp += PaletteBuffer[Index]
2034 PaletteBuffer = PaletteTemp[1:]
2035 return ImageBuffer, PaletteBuffer
2036
2037 ## Create common code
2038 #
2039 # @param Info The ModuleAutoGen object
2040 # @param AutoGenC The TemplateString object for C code
2041 # @param AutoGenH The TemplateString object for header file
2042 #
2043 def CreateHeaderCode(Info, AutoGenC, AutoGenH):
2044 # file header
2045 AutoGenH.Append(gAutoGenHeaderString.Replace({'FileName':'AutoGen.h'}))
2046 # header file Prologue
2047 AutoGenH.Append(gAutoGenHPrologueString.Replace({'File':'AUTOGENH','Guid':Info.Guid.replace('-','_')}))
2048 AutoGenH.Append(gAutoGenHCppPrologueString)
2049 if Info.AutoGenVersion >= 0x00010005:
2050 # header files includes
2051 AutoGenH.Append("#include <%s>\n" % gBasicHeaderFile)
2052 if Info.ModuleType in gModuleTypeHeaderFile \
2053 and gModuleTypeHeaderFile[Info.ModuleType][0] != gBasicHeaderFile:
2054 AutoGenH.Append("#include <%s>\n" % gModuleTypeHeaderFile[Info.ModuleType][0])
2055 #
2056 # if either PcdLib in [LibraryClasses] sections or there exist Pcd section, add PcdLib.h
2057 # As if modules only uses FixedPcd, then PcdLib is not needed in [LibraryClasses] section.
2058 #
2059 if 'PcdLib' in Info.Module.LibraryClasses or Info.Module.Pcds:
2060 AutoGenH.Append("#include <Library/PcdLib.h>\n")
2061
2062 AutoGenH.Append('\nextern GUID gEfiCallerIdGuid;')
2063 AutoGenH.Append('\nextern CHAR8 *gEfiCallerBaseName;\n\n')
2064
2065 if Info.IsLibrary:
2066 return
2067
2068 AutoGenH.Append("#define EFI_CALLER_ID_GUID \\\n %s\n" % GuidStringToGuidStructureString(Info.Guid))
2069
2070 if Info.IsLibrary:
2071 return
2072 # C file header
2073 AutoGenC.Append(gAutoGenHeaderString.Replace({'FileName':'AutoGen.c'}))
2074 if Info.AutoGenVersion >= 0x00010005:
2075 # C file header files includes
2076 if Info.ModuleType in gModuleTypeHeaderFile:
2077 for Inc in gModuleTypeHeaderFile[Info.ModuleType]:
2078 AutoGenC.Append("#include <%s>\n" % Inc)
2079 else:
2080 AutoGenC.Append("#include <%s>\n" % gBasicHeaderFile)
2081
2082 #
2083 # Publish the CallerId Guid
2084 #
2085 AutoGenC.Append('\nGLOBAL_REMOVE_IF_UNREFERENCED GUID gEfiCallerIdGuid = %s;\n' % GuidStringToGuidStructureString(Info.Guid))
2086 AutoGenC.Append('\nGLOBAL_REMOVE_IF_UNREFERENCED CHAR8 *gEfiCallerBaseName = "%s";\n' % Info.Name)
2087
2088 ## Create common code for header file
2089 #
2090 # @param Info The ModuleAutoGen object
2091 # @param AutoGenC The TemplateString object for C code
2092 # @param AutoGenH The TemplateString object for header file
2093 #
2094 def CreateFooterCode(Info, AutoGenC, AutoGenH):
2095 AutoGenH.Append(gAutoGenHEpilogueString)
2096
2097 ## Create code for a module
2098 #
2099 # @param Info The ModuleAutoGen object
2100 # @param AutoGenC The TemplateString object for C code
2101 # @param AutoGenH The TemplateString object for header file
2102 # @param StringH The TemplateString object for header file
2103 # @param UniGenCFlag UniString is generated into AutoGen C file when it is set to True
2104 # @param UniGenBinBuffer Buffer to store uni string package data
2105 # @param StringIdf The TemplateString object for header file
2106 # @param IdfGenCFlag IdfString is generated into AutoGen C file when it is set to True
2107 # @param IdfGenBinBuffer Buffer to store Idf string package data
2108 #
2109 def CreateCode(Info, AutoGenC, AutoGenH, StringH, UniGenCFlag, UniGenBinBuffer, StringIdf, IdfGenCFlag, IdfGenBinBuffer):
2110 CreateHeaderCode(Info, AutoGenC, AutoGenH)
2111
2112 if Info.AutoGenVersion >= 0x00010005:
2113 CreateGuidDefinitionCode(Info, AutoGenC, AutoGenH)
2114 CreateProtocolDefinitionCode(Info, AutoGenC, AutoGenH)
2115 CreatePpiDefinitionCode(Info, AutoGenC, AutoGenH)
2116 CreatePcdCode(Info, AutoGenC, AutoGenH)
2117 CreateLibraryConstructorCode(Info, AutoGenC, AutoGenH)
2118 CreateLibraryDestructorCode(Info, AutoGenC, AutoGenH)
2119 CreateModuleEntryPointCode(Info, AutoGenC, AutoGenH)
2120 CreateModuleUnloadImageCode(Info, AutoGenC, AutoGenH)
2121
2122 if Info.UnicodeFileList:
2123 FileName = "%sStrDefs.h" % Info.Name
2124 StringH.Append(gAutoGenHeaderString.Replace({'FileName':FileName}))
2125 StringH.Append(gAutoGenHPrologueString.Replace({'File':'STRDEFS', 'Guid':Info.Guid.replace('-','_')}))
2126 CreateUnicodeStringCode(Info, AutoGenC, StringH, UniGenCFlag, UniGenBinBuffer)
2127
2128 GuidMacros = []
2129 for Guid in Info.Module.Guids:
2130 if Guid in Info.Module.GetGuidsUsedByPcd():
2131 continue
2132 GuidMacros.append('#define %s %s' % (Guid, Info.Module.Guids[Guid]))
2133 for Guid, Value in Info.Module.Protocols.items() + Info.Module.Ppis.items():
2134 GuidMacros.append('#define %s %s' % (Guid, Value))
2135 # supports FixedAtBuild usage in VFR file
2136 if Info.VfrFileList and Info.ModulePcdList:
2137 GuidMacros.append('#define %s %s' % ('FixedPcdGetBool(TokenName)', '_PCD_VALUE_##TokenName'))
2138 GuidMacros.append('#define %s %s' % ('FixedPcdGet8(TokenName)', '_PCD_VALUE_##TokenName'))
2139 GuidMacros.append('#define %s %s' % ('FixedPcdGet16(TokenName)', '_PCD_VALUE_##TokenName'))
2140 GuidMacros.append('#define %s %s' % ('FixedPcdGet32(TokenName)', '_PCD_VALUE_##TokenName'))
2141 GuidMacros.append('#define %s %s' % ('FixedPcdGet64(TokenName)', '_PCD_VALUE_##TokenName'))
2142 for Pcd in Info.ModulePcdList:
2143 if Pcd.Type == TAB_PCDS_FIXED_AT_BUILD:
2144 TokenCName = Pcd.TokenCName
2145 Value = Pcd.DefaultValue
2146 if Pcd.DatumType == 'BOOLEAN':
2147 BoolValue = Value.upper()
2148 if BoolValue == 'TRUE':
2149 Value = '1'
2150 elif BoolValue == 'FALSE':
2151 Value = '0'
2152 for PcdItem in GlobalData.MixedPcd:
2153 if (Pcd.TokenCName, Pcd.TokenSpaceGuidCName) in GlobalData.MixedPcd[PcdItem]:
2154 TokenCName = PcdItem[0]
2155 break
2156 GuidMacros.append('#define %s %s' % ('_PCD_VALUE_'+TokenCName, Value))
2157
2158 if Info.IdfFileList:
2159 GuidMacros.append('#include "%sImgDefs.h"' % Info.Name)
2160
2161 if GuidMacros:
2162 StringH.Append('\n#ifdef VFRCOMPILE\n%s\n#endif\n' % '\n'.join(GuidMacros))
2163
2164 StringH.Append("\n#endif\n")
2165 AutoGenH.Append('#include "%s"\n' % FileName)
2166
2167 if Info.IdfFileList:
2168 FileName = "%sImgDefs.h" % Info.Name
2169 StringIdf.Append(gAutoGenHeaderString.Replace({'FileName':FileName}))
2170 StringIdf.Append(gAutoGenHPrologueString.Replace({'File':'IMAGEDEFS', 'Guid':Info.Guid.replace('-','_')}))
2171 CreateIdfFileCode(Info, AutoGenC, StringIdf, IdfGenCFlag, IdfGenBinBuffer)
2172
2173 StringIdf.Append("\n#endif\n")
2174 AutoGenH.Append('#include "%s"\n' % FileName)
2175
2176 CreateFooterCode(Info, AutoGenC, AutoGenH)
2177
2178 # no generation of AutoGen.c for Edk modules without unicode file
2179 if Info.AutoGenVersion < 0x00010005 and len(Info.UnicodeFileList) == 0:
2180 AutoGenC.String = ''
2181
2182 ## Create the code file
2183 #
2184 # @param FilePath The path of code file
2185 # @param Content The content of code file
2186 # @param IsBinaryFile The flag indicating if the file is binary file or not
2187 #
2188 # @retval True If file content is changed or file doesn't exist
2189 # @retval False If the file exists and the content is not changed
2190 #
2191 def Generate(FilePath, Content, IsBinaryFile):
2192 return SaveFileOnChange(FilePath, Content, IsBinaryFile)
2193